我有一个react组件,用于将多个图像上传到服务器
react组件看起来像这样
import React, { Component } from "react";
import { bindActionCreators } from "redux";
import { connect } from "react-redux";
import { addNewProduct } from "../../redux/actions";
class Admin extends Component {
state = {
ProductImg: [],
};
handleImageChange = e => {
const ProductImg = e.target.files
this.setState({
ProductImg
})
}
handleProductSubmit = (event) => {
event.preventDefault();
this.props.addNewProduct(
this.state.ProductImg
);
}
render() {
return (
<div>
<form onSubmit={this.handleProductSubmit} autoComplete="off">
<input type="file" id="customFile" name="ProductImg" multiple onChange={this.handleImageChange} />
<button type="submit" className="btn btn-dark">Upload Product</button>
</form>
</div>
);
}
}
const mapDispatchToProps = (dispatch) => {
return bindActionCreators({ addNewProduct }, dispatch);
};
export default connect(null, mapDispatchToProps)(Admin);
我正在将这些数据发送给看起来像这样的动作创建者
export const addNewProduct = (ProductName, ProductCategory, ProductImg) => (dispatch) => {
console.log("this is from inside the actions");
console.log('============this is product images inside actions========================');
console.log(ProductImg);
console.log('====================================');
const productData = new FormData();
productData.append("ProductName", ProductName)
productData.append("ProductCategory", ProductCategory)
ProductImg.forEach(image => {
productData.append("ProductImg", image);
});
axios.post("http://localhost:4500/products/", productData,
{
headers: {
"Content-Type": "multipart/form-data"
}
})
.then(res => {
console.log('====================================');
console.log("Success!");
console.log('====================================');
})
.catch(err =>
console.log(`The error we're getting from the backend--->${err}`))
};
我为它制作了可以接收多张图片的后端(我使用邮递员检查过该图片)。后端的编写方式是接受一个对象数组
当我尝试使用它时,出现错误“ ProductImg.forEach不是函数”。
我从stackoverflow看了这个答案-> React axios multiple files upload
我如何进行这项工作?
答案 0 :(得分:1)
上传图像时,e.target.files
将为您提供FileList
对象的实例,该对象的原型上没有定义forEach
函数。
此处的解决方案是使用FileList
将Array.from
对象转换为数组
您可以将动作创建者中的代码更改为
Array.from(ProductImg).forEach(image => {
productData.append("ProductImg", image);
});
或者您可以使用Spread语法,例如
[...ProductImg].forEach(image => {
productData.append("ProductImg", image);
});