- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
我正在 Spring Boot 之上构建一个 React 应用程序。当我尝试向 localhost:8080 发出 put 请求时,我的浏览器出现了这些错误
Cross-Origin Request Blocked: The Same Origin Policy disallows reading the remote resource at http://localhost:8080/products. (Reason: CORS header ‘Access-Control-Allow-Origin’ missing).
Cross-Origin Request Blocked: The Same Origin Policy disallows reading the remote resource at http://localhost:8080/products. (Reason: CORS request did not succeed)
import React, { Component } from "react";
import { Card, Form, Button } from "react-bootstrap";
import axios from "axios";
import Toasting from "./Toasting";
export default class AddProducts extends Component {
constructor(props) {
super(props);
this.state = this.startState;
this.state.toast = false;
this.productChange = this.productChange.bind(this);
this.submitProduct = this.submitProduct.bind(this);
var config = {
headers: {'Access-Control-Allow-Origin': '*'}
};
}
startState = { id: "", name: "", brand: "", made: "", price: "" };
componentDidMount() {
const productId = this.props.match.params.id;
if (productId) {
this.findProductById(productId);
}
}
findProductById = (productId) => {
axios
.get("http://localhost:8080/products/" + productId)
.then((response) => {
if (response.data != null) {
this.setState({
id: response.data.id,
name: response.data.name,
brand: response.data.brand,
made: response.data.madein,
price: response.data.price,
});
}
})
.catch((error) => {
console.error("Error has been caught: " + error);
console.log(error);
});
};
reset = () => {
this.setState(() => this.startState);
};
submitProduct = (event) => {
//Prevent default submit action
event.preventDefault();
const product = {
id: this.state.id,
name: this.state.name,
brand: this.state.brand,
madein: this.state.made,
price: this.state.price,
};
axios.post("http://localhost:8080/products", product)
.then((response) => {
if (response.data != null) {
this.setState({ toast: true });
setTimeout(() => this.setState({ toast: false }), 3000);
} else {
this.setState({ toast: false });
}
});
this.setState(this.startState);
};
productChange = (event) => {
this.setState({
[event.target.name]: event.target.value,
});
};
productList = () => {
return this.props.history.push("/");
};
updateProduct = event => {
//Prevent default submit action
event.preventDefault();
const product = {
id: this.state.id,
name: this.state.name,
brand: this.state.brand,
madein: this.state.made,
price: this.state.price,
};
***************THIS IS WHERE THE ERROR IS**********************************************
axios.put("http://localhost:8080/products", product, this.config).then((response) => {
if(response.data != null) {
this.setState({ toast: true });
setTimeout(() => this.setState({ toast: false }), 3000);
setTimeout(() => this.productList(), 3000);
} else {
this.setState({ toast: false });
}
});
this.setState(this.startState);
};
render() {
const { name, brand, made, price } = this.state;
return (
<div>
<div style={{ display: this.state.toast ? "block" : "none" }}>
<Toasting
toast={this.state.toast}
message={"Product has been successfully saved!!!"}
type={"success"}
/>
</div>
<Card className={"border border-dark bg-dark text-white"}>
<Card.Header align="center">
{" "}
{this.state.id ? "Update a Product" : "Add a Product"}
</Card.Header>
<Form
onSubmit={this.state.id ? this.updateProduct : this.submitProduct}
id="productFormId"
onReset={this.reset}
>
<Card.Body>
<Form.Row>
<Form.Group controlId="formGridName">
<Form.Label>Product Name</Form.Label>
<Form.Control
required
autoComplete="off"
type="text"
name="name"
value={name}
onChange={this.productChange}
required
autoComplete="off"
className={"bg-dark text-white"}
placeholder="Enter Product Name"
/>
</Form.Group>
</Form.Row>
<Form.Row>
<Form.Group controlId="formGridBrand">
<Form.Label>Brand</Form.Label>
<Form.Control
required
autoComplete="off"
type="text"
name="brand"
value={brand}
onChange={this.productChange}
className={"bg-dark text-white"}
placeholder="Enter Brand Name"
/>
</Form.Group>
</Form.Row>
<Form.Row>
<Form.Group controlId="formGridMade">
<Form.Label>Made</Form.Label>
<Form.Control
required
autoComplete="off"
type="text"
name="made"
value={made}
onChange={this.productChange}
className={"bg-dark text-white"}
placeholder="Made in"
/>
</Form.Group>
</Form.Row>
<Form.Row>
<Form.Group controlId="formGridPrice">
<Form.Label>Price</Form.Label>
<Form.Control
required
autoComplete="off"
type="text"
name="price"
value={price}
onChange={this.productChange}
className={"bg-dark text-white"}
placeholder="Product Price"
/>
</Form.Group>
</Form.Row>
</Card.Body>
<Card.Footer>
<Button size="sm" variant="success" type="submit">
{this.state.id ? "Update" : "Submit"}
</Button>{" "}
<Button size="sm" variant="info" type="reset">
Undo
</Button>{" "}
<Button
size="sm"
variant="info"
type="button"
onClick={this.productList.bind()}
>
Products
</Button>
</Card.Footer>
</Form>
</Card>
</div>
);
}
}
请在下面查看我的产品 Controller 类服务器端
package ie.sw.spring;
import java.util.List;
import java.util.NoSuchElementException;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.http.HttpStatus;
import org.springframework.http.ResponseEntity;
import org.springframework.web.bind.annotation.*;
import org.springframework.web.bind.annotation.CrossOrigin;
@RestController
@CrossOrigin("http://localhost:3000")
public class ProductController {
@Autowired
private ProductService service;
@GetMapping("/products")
public List<Product> list() {
return service.listAll();
}
// Get products by their id
@GetMapping("/products/{id}")
public ResponseEntity<Product> get(@PathVariable Long id) {
try {
Product product = service.get(id);
return new ResponseEntity<Product>(product, HttpStatus.OK);
} catch (NoSuchElementException e) {
return new ResponseEntity<Product>(HttpStatus.NOT_FOUND);
}
}
// Handle post requests
@PostMapping("/products")
public void add(@RequestBody Product product) {
service.save(product);
}
// Update a product
@PutMapping("/products/{id}")
public ResponseEntity<?> update(@RequestBody Product product, @PathVariable Long id) {
try {
Product existProduct = service.get(id);
service.save(product);
return new ResponseEntity<>(HttpStatus.OK);
} catch (NoSuchElementException e) {
return new ResponseEntity<>(HttpStatus.NOT_FOUND);
}
}
@DeleteMapping("/products/{id}")
public void delete(@PathVariable Long id) {
service.delete(id);
}
}
最佳答案
***************THIS IS WHERE THE ERROR IS**********************************************
axios.put("http://localhost:8080/products", product, this.config).then((response) => {
...
}
@PutMapping("/products/{id}")
public ResponseEntity<?> update(@RequestBody Product product, @PathVariable Long id) {
...
}
axios.put
创建请求时错过了路径变量.您应该删除
@PathVariable Long id
或者您必须在请求中传递 id。
Option 1
axios.put("http://localhost:8080/products/" + productId, product, this.config).then((response) => {
...
}
@PutMapping("/products/{id}")
public ResponseEntity<?> update(@RequestBody Product product, @PathVariable Long id) {
...
}
Option 2
axios.put("http://localhost:8080/products", product, this.config).then((response) => {
...
}
@PutMapping("/products")
public ResponseEntity<?> update(@RequestBody Product product) {
...
}
另外,更改@CrossOrigin 如下
@CrossOrigin(origins = "http://localhost:3000", methods = {RequestMethod.OPTIONS, RequestMethod.GET, RequestMethod.POST, RequestMethod.PUT, RequestMethod.DELETE}, allowedHeaders = "*", allowCredentials = "true")
你也可以看看
here
关于reactjs - CORS header ‘Access-Control-Allow-Origin’ 缺少 REACT,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/67186213/
我尝试访问此 API click here for more info POST https://api.line.me/v2/oauth/accessToken 但总是得到错误: XMLHttpRe
我在掌握 CORS 概念时遇到问题... 我认为同源策略保护应用程序不会对“不受信任的域”进行 ajax 调用。所以, mydomain.com 向 发出 ajax 调用somedomain.com
一个技术性很强的问题,可能只有了解浏览器内部结构的人才能回答...... 浏览器缓存 CORS 预检响应的准确程度如何(假设在对 OPTIONS 预检请求的响应中返回了 Access-Control-
我一直在阅读 CORS以及它是如何工作的,但我发现很多事情令人困惑。例如,有很多关于事情的细节,比如 User Joe is using browser BrowserX to get data fr
在 OWASP site 上看到这个矛盾,我感到很困惑。 CORS 备忘单: 使用 Access-Control-Allow-Credentials: true 响应 header 时要特别小心。将允
我们无法在飞行前恢复使用 cors:任何帮助都非常感谢 ==========错误========================== About to connect() to localhost p
跨域请求字体文件时,您必须确保允许请求域使用 CORS header 访问字体文件: 访问控制允许来源 访问控制允许凭据 然而,这在请求图像时不是必需的,无论是对于 img元素或 background
CORS 规范没有说明服务器应如何响应无效的 CORS 请求。例如,如果请求 Origin 无效,则 CORS spec states :“终止这组步骤。请求超出了本规范的范围。”其他错误情况也有类似
我在理解同源策略和“解决”它的不同方法时遇到了一些麻烦。 很明显,同源策略是作为一种安全措施而存在的,因此来自服务器/域的一个脚本无法访问来自另一个服务器/域的数据。 也很明显,有时能够打破此规则很有
我正在尝试使用 cloudformation 在 API Gateway 中部署 API。这些方法需要启用 CORS,我遵循此处的模板 Enable CORS for API Gateway in C
我正在构建一个使用 CORS 的 REST 应用程序。每个 REST 调用都是不同的,我发现获取预检 OPTIONS 调用会产生很大的开销。有没有办法缓存并应用预检选项结果,以便对同一域的任何后续调用
我正在将我的 WebApi 升级到 MVC6。 在 WebApi 中,我可以拦截每个 HTTP 请求,如果是预检,我可以用浏览器可以接受的 header 进行响应。 我正在尝试找出如何在 MVC6 W
假设一个 CORS 预检请求进来了,但它为一个或多个 Access-Control-Request-* 指定了一个不受支持的值。标题。服务器应该如何将其传达回浏览器? 一些例子: 浏览器发送带有 Ac
问题中的一切。 附加信息: 使用 Win 10,GraphDB 免费,9.1.1 • RDF4J 3.0.1 • Connectors 12.0.2 我在控制台 => 设置中添加了 graphdb.w
我正在尝试通过 jQuery 调用 Sonar 网络服务之一。由于调用是跨域进行的,因此调用在 Chrome 上失败并出现以下错误: 请求的资源上不存在“Access-Control-Allow-Or
我想使用 NestJs api,但我在每个 fetch 中都收到相同的错误消息: Access to fetch at 'http://localhost:3000/articles' from or
我不确定这是否属于这里,但我在开发我的 svelte 应用程序时遇到了问题。 在开发过程中,它目前在独立服务器上运行(遵循使用 rollup 和 sirv 的指南)并针对不同端口上的后端 API。 稍
如果在服务器上正确设置 CORS 以仅允许某些来源访问服务器,这是否足以防止 XSRF 攻击? 最佳答案 更具体地说,很容易错误地认为如果 evil.com 由于 CORS 无法向 good.com
我在 Istio 入口上启用 CORS 时遇到问题。正如 Istio Ingress 文档所述,“ingresskubernetes.io”注释将被忽略。是否可以在 Istio 入口上启用 CORS?
我在 Istio 入口上启用 CORS 时遇到问题。正如 Istio Ingress 文档所述,“ingresskubernetes.io”注释将被忽略。是否可以在 Istio 入口上启用 CORS?
我是一名优秀的程序员,十分优秀!