springBoot图片上传
时间: 2023-07-25 22:28:23 浏览: 87
在Spring Boot中,可以使用Spring MVC的MultipartFile对象来实现图片上传功能。下面是一个简单的示例:
1. 首先,在pom.xml文件中添加以下依赖:
```
<dependency>
<groupId>org.springframework.boot</groupId>
<artifactId>spring-boot-starter-web</artifactId>
</dependency>
```
2. 在Spring Boot的配置文件中,添加以下配置:
```
spring.servlet.multipart.max-file-size=10MB
spring.servlet.multipart.max-request-size=10MB
```
这里的配置表示上传文件的最大大小为10MB。
3. 在Spring Boot中,可以使用@RequestParam注解来接收上传的文件。例如:
```
@PostMapping("/upload")
public String uploadFile(@RequestParam("file") MultipartFile file) {
try {
// 获取文件名
String fileName = file.getOriginalFilename();
// 获取文件的字节数组
byte[] bytes = file.getBytes();
// 将文件保存到指定位置
Path path = Paths.get("uploads/" + fileName);
Files.write(path, bytes);
return "上传成功!";
} catch (IOException e) {
e.printStackTrace();
return "上传失败!";
}
}
```
在上述示例中,我们使用@RequestParam注解来接收上传的文件,然后使用MultipartFile对象的getOriginalFilename方法获取文件名,getBytes方法获取文件的字节数组,再使用Files.write方法将文件保存到指定位置。
需要注意的是,上传文件时需要将enctype设置为multipart/form-data,例如:
```
<form method="post" action="/upload" enctype="multipart/form-data">
<input type="file" name="file" />
<button type="submit">上传</button>
</form>
```
这样,当用户选择文件后,点击上传按钮就可以将文件上传到服务器了。
阅读全文