SpringBoot中静态资源配置

在Springboot中默认的静态资源路径有:classpath:/META-INF/resources/classpath:/resources/classpath:/static/classpath:/public/,从这里可以看出这里的静态资源路径都是在classpath中(也就是在项目路径下指定的这几个文件夹)

试想这样一种情况:一个网站有文件上传文件的功能,如果被上传的文件放在上述的那些文件夹中会有怎样的后果?

  • 网站数据与程序代码不能有效分离;
  • 当项目被打包成一个.jar文件部署时,再将上传的文件放到这个.jar文件中是有多么低的效率;
  • 网站数据的备份将会很痛苦。

此时可能最佳的解决办法是将静态资源路径设置到磁盘的基本个目录。

Springboot中可以直接在配置文件中覆盖默认的静态资源路径的配置信息:

  • application.properties配置文件如下:

   
   
  1. server.port= 1122
  2. web.upload-path=D:/temp/study13/
  3. spring.mvc. static-path-pattern=/**
  4. spring.resources. static-locations=classpath:/META-INF/resources/,classpath:/resources/,\
  5. classpath:/ static/,classpath:/ public/,file:${web.upload-path}

注意:web.upload-path这个属于自定义的属性,指定了一个路径,注意要以/结尾;

spring.mvc.static-path-pattern=/**表示所有的访问都经过静态资源路径;

spring.resources.static-locations在这里配置静态资源路径,前面说了这里的配置是覆盖默认配置,所以需要将默认的也加上否则staticpublic等这些路径将不能被当作静态资源路径,在这个最末尾的file:${web.upload-path}之所有要加file:是因为指定的是一个具体的硬盘路径,其他的使用classpath指的是系统环境变量

  • 编写测试类上传文件

   
   
  1. package com.zslin;
  2. import org.junit.Test;
  3. import org.junit.runner.RunWith;
  4. import org.springframework.beans.factory.annotation.Value;
  5. import org.springframework.boot.test.context.SpringBootTest;
  6. import org.springframework.test.context.junit4.SpringRunner;
  7. import org.springframework.util.FileCopyUtils;
  8. import java.io.File;
  9. /**
  10. * Created by 钟述林 [email protected] on 2016/10/24 0:44.
  11. */
  12. @SpringBootTest
  13. @RunWith(SpringRunner.class)
  14. public class FileTest {
  15. @Value("${web.upload-path}")
  16. private String path;
  17. /** 文件上传测试 */
  18. @Test
  19. public void uploadTest() throws Exception {
  20. File f = new File("D:/pic.jpg");
  21. FileCopyUtils.copy(f, new File(path+"/1.jpg"));
  22. }
  23. }

注意:这里将D:/pic.jpg上传到配置的静态资源路径下,下面再写一个测试方法来遍历此路径下的所有文件。


   
   
  1. @Test
  2. public void listFilesTest() {
  3. File file = new File(path);
  4. for(File f : file.listFiles()) {
  5. System.out.println("fileName : "+f.getName());
  6. }
  7. }

可以到得结果:

fileName : 1.jpg
   
   

说明文件已上传成功,静态资源路径也配置成功。

  • 浏览器方式验证

由于前面已经在静态资源路径中上传了一个名为1.jpg的图片,也使用server.port=1122设置了端口号为1122,所以可以通过浏览器打开:http://localhost:1122/1.jpg访问到刚刚上传的图片。

示例代码:https://github.com/zsl131/spring-boot-test/tree/master/study13

本文章来自【知识林】

猜你喜欢

转载自blog.csdn.net/GJX_BLOG/article/details/82080640