SpringBoot--实战开发--文件上传(五十)

一、input上传

  1. 前端页面
<template>
  <div>
    <li>
      <h3>添加新图:</h3>
      <input type="text" v-model="name" />
      <br />
      <br />
      <input
        type="file"
        id="saveImage"
        name="photo"
        accept="image/png, image/gif, image/jpeg"
        ref="new_image"
      />
      <br />
      <br />
      <el-button @click="addImage">确认添加</el-button>
    </li>
  </div>
</template>
<script>
import axios from "axios";

export default {
  data() {
    return { name: "" };
  },
  components: {},
  methods: {
    addImage: function() {
      let self = this;
      if (self.$refs.new_image.files.length !== 0) {
        let formData = new FormData();
        // 文本框数据
        formData.append("name", this.name);
        // 通过append向form对象添加数据
        formData.append("image_data", self.$refs.new_image.files[0]);
        //单个文件进行上传

        axios
          .post("http://localhost:8888/upload", formData, {
            "Content-Type": "multipart/form-data"
          })
          .then(response => {
            console.log(response.data);
          });
      }
    }
  }
};
</script>

界面:


前端界面
  1. 后端控制器
@RestController
@RequestMapping("/upload")
@CrossOrigin
public class UploadController {

    @PostMapping
    public Map<String, Object> upload(@RequestParam(name = "image_data")
                                              MultipartFile file,
                                      @RequestParam(name = "name") String name) {
        Map<String, Object> map = new HashMap<>();
        // 文件上传
        if (!file.isEmpty()) {
            try {
                Resource resource = new ClassPathResource("/");
                String path = resource.getFile().getPath();
                // 获取resources路径,并获取文件名
                String newCompanyImagepath = path+"/" + file.getOriginalFilename();
                // 创建文件对象
                File newFile = new File(newCompanyImagepath);
                if (!newFile.exists()) {
                    newFile.createNewFile();
                }
                System.out.println(name);
                System.out.println(newFile.getAbsoluteFile());
                // 获取输出流
                BufferedOutputStream out = new BufferedOutputStream(
                        new FileOutputStream(newFile));
                out.write(file.getBytes());
                out.flush();
                out.close();
            } catch (FileNotFoundException e) {
                e.printStackTrace();
                map.put("msg", "图片上传失败");
                return map;
            } catch (IOException e) {
                e.printStackTrace();
                map.put("msg", "图片上传失败");
                return map;
            }
        }
        map.put("msg", "上传成功");
        return map;
    }
}

上传结果
上传结果

二、 element ui--Upload 组件上传

  1. 前端页面
<template>
  <el-upload
    class="avatar-uploader"
    action="http://localhost:8888/upload"
    :show-file-list="false"
    :on-success="handleAvatarSuccess"
    :before-upload="beforeAvatarUpload"
  >
    <!-- 显示图片 -->
    <img v-if="imageUrl" :src="imageUrl" class="avatar" />
    <i v-else class="el-icon-plus avatar-uploader-icon"></i>
  </el-upload>
</template>
<script>

export default {
  data() {
    return { imageUrl: "" };
  },
  components: {},
  methods: {
    // 头像处理
    handleAvatarSuccess(res, file) {
      this.imageUrl = URL.createObjectURL(file.raw);
    },
    beforeAvatarUpload(file) {
      const isJPG = file.type === "image/jpeg";
      // 文件大小
      const isLt2M = file.size / 1024 / 1024 < 2;
      // 文件判断
      if (!isJPG) {
        this.$message.error("上传头像图片只能是 JPG 格式!");
      }
      if (!isLt2M) {
        this.$message.error("上传头像图片大小不能超过 2MB!");
      }
      return isJPG && isLt2M;
    }
  }
};
</script>
前端页面
  1. 后端 控制器
@RestController
@RequestMapping("/upload")
@CrossOrigin
public class UploadController {

    @PostMapping
    public Map<String, Object> upload(MultipartFile file) {
        Map<String, Object> map = new HashMap<>();
        // 文件上传
        if (!file.isEmpty()) {
            try {
                Resource resource = new ClassPathResource("/");
                String path = resource.getFile().getPath();
                // 获取resources路径,并获取文件名
                String newCompanyImagepath = path+"/" + file.getOriginalFilename();
                // 创建文件对象
                File newFile = new File(newCompanyImagepath);
                if (!newFile.exists()) {
                    newFile.createNewFile();
                }
                System.out.println(newFile.getAbsoluteFile());
                // 获取输出流
                BufferedOutputStream out = new BufferedOutputStream(
                        new FileOutputStream(newFile));
                out.write(file.getBytes());
                out.flush();
                out.close();
            } catch (FileNotFoundException e) {
                e.printStackTrace();
                map.put("msg", "图片上传失败");
                return map;
            } catch (IOException e) {
                e.printStackTrace();
                map.put("msg", "图片上传失败");
                return map;
            }
        }
        map.put("msg", "上传成功");
        return map;
    }
}

上传结果

上传结果

二、 上传示例

  1. 前端代码
<template>
  <!-- 图片上传 -->
  <div>
          <el-upload
            ref="upload"
            action="http://localhost:8888/goodsPic"
            list-type="picture-card"
            :on-preview="handlePictureCardPreview"
            :on-success="handlePictureSuccess"
            :on-remove="handleRemove"
          >
            <i class="el-icon-plus"></i>
          </el-upload>
  </div>
</template>
<script>
export default {
  data() {
    return {
      images: []    
     };
  },
  methods: {
    handlePictureSuccess(response, file) {
      // 图片内容
      // console.log( URL.createObjectURL(file.raw));
      // 向数组添加图片
      this.images.push(response.msg);
      console.log(response.msg);
    },
    // 移除图片
    handleRemove(file, fileList) {
      // 删除数据
      this.images.forEach((item, index) => {
        if (file.response.msg == item) {
          this.images.splice(index, 1);
        }
      });
      console.log(this.images);
      console.log(file.response.msg);
      console.log(file, fileList);
    },
    // 浏览图片
    handlePictureCardPreview(file) {
      console.log(file);
    }
  }
};
</script>
  1. 后端控制器
    配置路径:
# 文件上传路径
upload.path=images

控制器:

@RestController
@RequestMapping(value = "/goodsPic", produces = {"application/json;charset=UTF-8"})
@CrossOrigin
@Slf4j
public class GoodsPicController {
    @Value("${upload.path}")
    private String uploadFolder;
    @Autowired
    private GoodsPicService goodsPicService;

    /**
     * MultipartFile:SpringMVC的multipartFile对象,用于接收前端请求传入的FormData。
     * @param file
     * @return
     */
    @PostMapping
    public Result upload(MultipartFile file) {
        if (Objects.isNull(file) || file.isEmpty()) {
            log.error("文件为空");
            return Result.ok("件为空,请重新上传");
        }
        try {
            byte[] bytes = file.getBytes();
            // 获取类路径
            Resource resource=new ClassPathResource("/");
            String strPath=resource.getFile().getPath();
            // 定义一个上传路径
            String fileName=file.getOriginalFilename();
            fileName=UUID.randomUUID().toString().replace("-","")
                    +fileName.substring(fileName.indexOf("."),fileName.length());
            Path path= Paths.get(strPath+"/"+uploadFolder+"/"+fileName);
            // 如果没有files文件夹,则创建
            if (!Files.isWritable(path)) {
                Files.createDirectories(Paths.get(strPath+"/"+uploadFolder));
            }
            //文件写入指定路径
            Files.write(path, bytes);
            return  Result.ok(fileName);
        } catch (IOException e) {
            return Result.ok("上传失败"+e.getMessage());
        }
    }
}
  1. 上传测试


    图片上传

    上传结果

三、PostMan测试

文件上传配置
选择文件
上传成功
最后编辑于
©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 213,335评论 6 492
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 90,895评论 3 387
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 158,766评论 0 348
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 56,918评论 1 285
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 66,042评论 6 385
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 50,169评论 1 291
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 39,219评论 3 412
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 37,976评论 0 268
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 44,393评论 1 304
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 36,711评论 2 328
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 38,876评论 1 341
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 34,562评论 4 336
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 40,193评论 3 317
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 30,903评论 0 21
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 32,142评论 1 267
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 46,699评论 2 362
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 43,764评论 2 351

推荐阅读更多精彩内容

  • 上传模块配置样例: # 上传大小限制(包括所有内容) client_max_body_size 100m; # 上...
    SkTj阅读 13,073评论 0 3
  • 基于Vue的一些资料 内容 UI组件 开发框架 实用库 服务端 辅助工具 应用实例 Demo示例 element★...
    尝了又尝阅读 1,144评论 0 1
  • 前端开发面试题 面试题目: 根据你的等级和职位的变化,入门级到专家级,广度和深度都会有所增加。 题目类型: 理论知...
    怡宝丶阅读 2,575评论 0 7
  • 周检视0617~0623 #相信我能比我真的能更重要!# 【宝宝的90天目标】: ①早睡早起(21:00-07:0...
    丰伟霞sharily阅读 224评论 0 1
  • 皇帝的衣服打一个字,袭。 建议大家尝试要睡早起,多运动,不抽烟不喝酒,不吃夜宵,养成一个良好的习惯。久而久之,你就...
    嗨喽呦阅读 153评论 0 0