我想将表单中的文件上传到Spring Boot API端点。
UI用React编写:
export function createExpense(formData) {
return dispatch => {
axios.post(ENDPOINT,
formData,
headers: {
'Authorization': //...,
'Content-Type': 'application/json'
}
).then(({data}) => {
//...
})
.catch(({response}) => {
//...
});
};
}
_onSubmit = values => {
let formData = new FormData();
formData.append('title', values.title);
formData.append('description', values.description);
formData.append('amount', values.amount);
formData.append('image', values.image[0]);
this.props.createExpense(formData);
}
这是java端代码:
@RequestMapping(path = "/{groupId}", method = RequestMethod.POST)
public ExpenseSnippetGetDto create(@RequestBody ExpensePostDto expenseDto, @PathVariable long groupId, Principal principal, BindingResult result) throws IOException {
//..
}
但我在java方面得到了这个例外:
org.springframework.web.HttpMediaTypeNotSupportedException: Content type 'multipart/form-data;boundary=----WebKitFormBoundaryapHVvBsdZYc6j4Af;charset=UTF-8' not supported
我该如何解决这个问题?类似的API端点和javascript端代码已经在运行。
注意 我已经看到了一个解决方案,它建议请求体应该有2个属性:一个是json部分,另一个是图像。我想看看它是否可以自动转换为DTO。
更新1 客户端发送的上传有效负载应转换为以下DTO:
public class ExpensePostDto extends ExpenseBaseDto {
private MultipartFile image;
private String description;
private List<Long> sharers;
}
所以你可以说它是json和multipart的混合。
解决方案
问题的解决方案是在前端使用FormData
,在后端使用ModelAttribute
:
@RequestMapping(path = "/{groupId}", method = RequestMethod.POST,
consumes = {"multipart/form-data"})
public ExpenseSnippetGetDto create(@ModelAttribute ExpensePostDto expenseDto, @PathVariable long groupId, Principal principal) throws IOException {
//...
}
并在前端,摆脱Content-Type
,因为它应该由浏览器本身确定,并使用FormData
(标准JS)。这应该可以解决问题。
答案 0 :(得分:14)
是的,您可以通过包装类来完成。
1)创建一个Class
来保存表单数据
public class FormWrapper {
private MultipartFile image;
private String title;
private String description;
}
2)为数据创建Form
<form method="POST" enctype="multipart/form-data" id="fileUploadForm" action="link">
<input type="text" name="title"/><br/>
<input type="text" name="description"/><br/><br/>
<input type="file" name="image"/><br/><br/>
<input type="submit" value="Submit" id="btnSubmit"/>
</form>
3)创建一种方法来接收表单的text
数据和multipart
文件
@PostMapping("/api/upload/multi/model")
public ResponseEntity<?> multiUploadFileModel(@ModelAttribute FormWrapper model) {
try {
saveUploadedFile(model.getImage());
formRepo.save(mode.getTitle(),model.getDescription()); //Save as you want as per requirement
} catch (IOException e) {
return new ResponseEntity<>(HttpStatus.BAD_REQUEST);
}
return new ResponseEntity("Successfully uploaded!", HttpStatus.OK);
}
4)保存file
private void saveUploadedFile(MultipartFile file) throws IOException {
if (!file.isEmpty()) {
byte[] bytes = file.getBytes();
Path path = Paths.get(UPLOADED_FOLDER + file.getOriginalFilename());
Files.write(path, bytes);
}
}
答案 1 :(得分:5)
我使用纯JS和Spring Boot创建了类似的东西。
这是Repo.
我作为User
请求的一部分发送了JSON
个File
个对象和multipart/form-data
。
相关摘要在
之下 Controller
代码
@RestController
public class FileUploadController {
@RequestMapping(value = "/upload", method = RequestMethod.POST, consumes = { "multipart/form-data" })
public void upload(@RequestPart("user") @Valid User user,
@RequestPart("file") @Valid @NotNull @NotBlank MultipartFile file) {
System.out.println(user);
System.out.println("Uploaded File: ");
System.out.println("Name : " + file.getName());
System.out.println("Type : " + file.getContentType());
System.out.println("Name : " + file.getOriginalFilename());
System.out.println("Size : " + file.getSize());
}
static class User {
@NotNull
String firstName;
@NotNull
String lastName;
public String getFirstName() {
return firstName;
}
public void setFirstName(String firstName) {
this.firstName = firstName;
}
public String getLastName() {
return lastName;
}
public void setLastName(String lastName) {
this.lastName = lastName;
}
@Override
public String toString() {
return "User [firstName=" + firstName + ", lastName=" + lastName + "]";
}
}
}
HTML
和JS
代码
<html>
<head>
<script>
function onSubmit() {
var formData = new FormData();
formData.append("file", document.forms["userForm"].file.files[0]);
formData.append('user', new Blob([JSON.stringify({
"firstName": document.getElementById("firstName").value,
"lastName": document.getElementById("lastName").value
})], {
type: "application/json"
}));
var boundary = Math.random().toString().substr(2);
fetch('/upload', {
method: 'post',
body: formData
}).then(function (response) {
if (response.status !== 200) {
alert("There was an error!");
} else {
alert("Request successful");
}
}).catch(function (err) {
alert("There was an error!");
});;
}
</script>
</head>
<body>
<form name="userForm">
<label> File : </label>
<br/>
<input name="file" type="file">
<br/>
<label> First Name : </label>
<br/>
<input id="firstName" name="firstName" />
<br/>
<label> Last Name : </label>
<br/>
<input id="lastName" name="lastName" />
<br/>
<input type="button" value="Submit" id="submit" onclick="onSubmit(); return false;" />
</form>
</body>
</html>
答案 2 :(得分:2)
@RequestMapping(value = { "/test" }, method = { RequestMethod.POST })
@ResponseBody
public String create(@RequestParam("file") MultipartFile file, @RequestParam String description, @RequestParam ArrayList<Long> sharers) throws Exception {
ExpensePostDto expensePostDto = new ExpensePostDto(file, description, sharers);
// do your thing
return "test";
}
这似乎是最简单的方法,其他方法可能是添加自己的messageConverter。
答案 3 :(得分:1)
我在AngularJS和SpringBoot中构建了我最新的文件上传应用程序,它们的语法相似,可以帮助你。
我的客户端请求处理程序:
uploadFile=function(fileData){
var formData=new FormData();
formData.append('file',fileData);
return $http({
method: 'POST',
url: '/api/uploadFile',
data: formData,
headers:{
'Content-Type':undefined,
'Accept':'application/json'
}
});
};
需要注意的一点是,Angular会自动为“Content-Type”标题值设置多部分mime类型和边界。您可能不会,在这种情况下您需要自己设置它。
我的应用程序需要来自服务器的JSON响应,因此需要“接受”标题。
您自己传递FormData对象,因此您需要确保表单将File设置为您在Controller上映射到的任何属性。在我的例子中,它被映射到FormData对象上的'file'参数。
我的控制器端点如下所示:
@POST
@RequestMapping("/upload")
public ResponseEntity<Object> upload(@RequestParam("file") MultipartFile file)
{
if (file.isEmpty()) {
return new ResponseEntity<Object>(HttpStatus.BAD_REQUEST);
} else {
//...
}
}
您可以根据需要添加任意数量的其他@RequestParam,包括代表表单其余部分的DTO,只需确保其结构为FormData对象的子项。
这里的关键点是每个@RequestParam都是多部分请求上FormData对象主体有效负载的属性。
如果我要修改我的代码以适应您的数据,它看起来像这样:
uploadFile=function(fileData, otherData){
var formData=new FormData();
formData.append('file',fileData);
formData.append('expenseDto',otherData);
return $http({
method: 'POST',
url: '/api/uploadFile',
data: formData,
headers:{
'Content-Type':undefined,
'Accept':'application/json'
}
});
};
然后您的控制器端点将如下所示:
@POST
@RequestMapping("/upload")
public ResponseEntity<Object> upload(@RequestParam("file") MultipartFile file, @RequestParam("expenseDto") ExpensePostDto expenseDto)
{
if (file.isEmpty()) {
return new ResponseEntity<Object>(HttpStatus.BAD_REQUEST);
} else {
//...
}
}
答案 4 :(得分:1)
将消费者类型添加到您的请求映射。它应该可以正常工作。
@POST
@RequestMapping("/upload")
public ResponseEntity<Object> upload(@RequestParam("file") MultipartFile file,consumes = "multipart/form-data")
{
if (file.isEmpty()) {
return new ResponseEntity<Object>(HttpStatus.BAD_REQUEST);
} else {
//...
}
}
答案 5 :(得分:0)
通过向multipart/form-data
注释添加consumes = "multipart/form-data"
,您必须告诉您正在消费RequestMapping
。同时从RequestBody
参数中删除expenseDto
注释。
@RequestMapping(path = "/{groupId}", consumes = "multipart/form-data", method = RequestMethod.POST)
public ExpenseSnippetGetDto create(ExpensePostDto expenseDto,
@PathVariable long groupId, Principal principal, BindingResult result)
throws IOException {
//..
}
对于发布的ExpensePostDto
,请求中的title
将被忽略。
修改强>
您还需要将内容类型更改为multipart/form-data
。听起来这是基于其他一些答案的post
的默认值。为了安全起见,我会指定它:
'Content-Type': 'multipart/form-data'
答案 6 :(得分:0)
从反应前端移除它:
'Content-Type': 'application/json'
修改Java端控制器:
@PostMapping("/{groupId}")
public Expense create(@RequestParam("image") MultipartFile image, @RequestParam("amount") double amount, @RequestParam("description") String description, @RequestParam("title") String title) throws IOException {
//storageService.store(file); ....
//String imagePath = path.to.stored.image;
return new Expense(amount, title, description, imagePath);
}
这可以写得更好但是尽量保持尽可能接近原始代码。我希望它有所帮助。
答案 7 :(得分:0)
我有一个类似的用例,其中有一些JSON数据和图像上传(将其视为尝试注册个人详细信息和个人资料图像的用户)。
参考@Stephan和@GSSwain的答案,我想出了Spring Boot和AngularJs的解决方案。
下面是我的代码的快照。希望对别人有帮助。
var url = "https://abcd.com/upload";
var config = {
headers : {
'Content-Type': undefined
}
}
var data = {
name: $scope.name,
email: $scope.email
}
$scope.fd.append("obj", new Blob([JSON.stringify(data)], {
type: "application/json"
}));
$http.post(
url, $scope.fd,config
)
.then(function (response) {
console.log("success", response)
// This function handles success
}, function (response) {
console.log("error", response)
// this function handles error
});
和SpringBoot控制器:
@RequestMapping(value = "/upload", method = RequestMethod.POST, consumes = { "multipart/form-data" })
@ResponseBody
public boolean uploadImage(@RequestPart("obj") YourDTO dto, @RequestPart("file") MultipartFile file) {
// your logic
return true;
}