72 lines
2.6 KiB
Markdown
72 lines
2.6 KiB
Markdown
## 文件上传
|
||
* 首先介绍静态资源文件夹,springboot中默认的静态资源文件目录
|
||
,从上到下共5个,当我们请求静态资源时,spring会按照配置寻找指定
|
||
资源,我们可以在application配置文件中配置静态资源文件夹
|
||
```yaml
|
||
spring:
|
||
resources:
|
||
static-locations: classpath:/META-INF/resources/,classpath:/resources/,classpath:/static/,classpath:/public/,classpath:/,file:./upload/
|
||
|
||
mvc:
|
||
static-path-pattern: /** # 此配置使用Ant语法,说明自动匹配/路径及其子路径
|
||
```
|
||
|
||
* 文件上传建议上传到resources静态资源目录下,我们可以通过此方法,获取到当前程序运行的文件目录
|
||
```java
|
||
public class PathUtils {
|
||
public static String getResourceBasePath() {
|
||
// 获取跟目录
|
||
File path = null;
|
||
try {
|
||
path = new File(ResourceUtils.getURL("classpath:").getPath());
|
||
} catch (FileNotFoundException e) {
|
||
// nothing to do
|
||
}
|
||
if (path == null || !path.exists()) {
|
||
path = new File("");
|
||
}
|
||
|
||
String pathStr = path.getAbsolutePath();
|
||
// 如果是在eclipse中运行,则和target同级目录,如果是jar部署到服务器,则默认和jar包同级
|
||
pathStr = pathStr.replace("\\target\\classes", "");
|
||
|
||
return pathStr;
|
||
}
|
||
}
|
||
```
|
||
|
||
* 如果需要控制上传文件的大小,可以在application.yml中配置
|
||
```yaml
|
||
spring:
|
||
servlet:
|
||
multipart:
|
||
max-file-size: 1024MB
|
||
max-request-size: 1024MB
|
||
```
|
||
|
||
* 然后在Controller中增加上传文件接口即可
|
||
|
||
```java
|
||
@RestController
|
||
@RequestMapping("/upload")
|
||
public class FileUploadController {
|
||
@RequestMapping("/single")
|
||
public boolean uploadSingleFile(@RequestParam("file")/*此处注解应该也可以使用RequestBody*/ MultipartFile file/*上传文件均通过该参数获取即可*/){
|
||
if (file == null || file.getSize()<=0){
|
||
throw new ServiceException(ServiceException.ServiceExceptionEnum.FILE_IS_EMPTY);
|
||
}
|
||
try {
|
||
File destFolder = new File(PathUtils.getResourceBasePath(),"/upload");
|
||
if (!destFolder.exists()||!destFolder.isDirectory()){
|
||
destFolder.mkdirs();
|
||
}
|
||
// MultipartFile提供transferTo的工具方法,可以将文件直接复制到指定位置
|
||
file.transferTo(new File(destFolder.getAbsolutePath()+"/"+file.getOriginalFilename()));
|
||
} catch (IOException e) {
|
||
e.printStackTrace();
|
||
return false;
|
||
}
|
||
return true;
|
||
}
|
||
}
|
||
``` |