springboot实现文件上传步骤解析

这篇文章主要介绍了springboot实现文件上传步骤解析,文中通过示例代码介绍的非常详细,对大家的学习或者工作具有一定的参考学习价值,需要的朋友可以参考下

第一步编写上传的前段页面

<div>
  <button type="button" class="btn btn-primary" ng-click="openAddModal()" data-toggle="modal"
    data-target="#documentOprModal" style="margin-left: 10px;float:left">
    单个文件上传
  </button>
</div>

<!-- 点击单个文件上传弹出的模态框 -->
<div class="modal fade" id="documentOprModal" tabindex="-1" role="dialog" aria-labelledby="myModalLabel"
data-backdrop="static" data-keyboard="false">
  <div class="modal-dialog modal-lg" role="document" style="width: 600px;">
    <div class="modal-content">
      <div class="modal-header">
        <button type="button" class="close" data-dismiss="modal" aria-label="Close"><span
            aria-hidden="true">×</span></button>
        <h4 class="modal-title" id="myModalLabel"> 文档入库</h4>
      </div>
      <div class="modal-body">
        <!--开发-->
        <form name="docForm" id="docForm">
          <div class="form-group">
            <label for="jhText">井号:</label>
            <input type="text" class="form-control" id="jhText" ng-model="document.jh">
          </div>
          <!-- 作者 -->
          <div class="form-group">
            <label for="authorText">作者:</label>
            <input type="text" class="form-control" id="authorText" ng-model="document.author">
          </div>
          <!-- 单位 -->
          <div class="form-group">
            <label for="unitText">单位:</label>
            <input type="text" class="form-control" id="unitText" ng-model="document.unit">
          </div>
          <!-- 日期 -->
          <div class="form-group">
            <label for="writeDate">写作日期:</label>
            <input type="date" class="form-control" id="writeDate" ng-model="document.writeDate">
          </div>
          <!-- 简介 -->
          <div class="form-group">
            <label for="introductionTextArea">简介:</label>
            <textarea class="form-control" id="introductionTextArea" ng-model="document.introduction"
              rows="5" cols="60"></textarea>
          </div>
          <!-- 可能的查询关键字 -->
          <div class="form-group">
            <label for="keyPackageTextArea">可能的查询关键字:</label>
            <textarea class="form-control" id="keyPackageTextArea" ng-model="document.keyPackage" rows="5"
              cols="60"></textarea>
          </div>
          <!-- 文件 -->
          <div class="form-group">
            <div id="inputContent">
              <input id="importFile" type="file" name="file" class="file-loading">
            </div>
          </div>
        </form>
      </div>
      <div class="modal-footer">
        <button type="button" class="btn btn-primary" ng-click="submitFileInfo()">
          <i class="fa fa-check"></i>保存
        </button>
        <button type="button" class="btn btn-default" data-dismiss="modal" style="margin: 0px 20px;">
          <i class="fa fa-ban"></i>取消
        </button>
      </div>
    </div>
  </div>
</div>

第二步写对应的js页面

/**
 * @Name:historyStorageCtrl,井史数据入库
 * @Date:2019-06-19
 * @Author:huofenwei
 */
(function (angular) {
  'use strict';
  angular.module('Lujing').controller('historyStorageCtrl', ['$scope', '$http', 'ToastService', '$compile', '$timeout', 'HttpService','$filter',
  function ($scope, $http, ToastService, $compile, $timeout, HttpService,$filter) {
    $scope.fileInvalid = false;

    var $fileInput = initFileInput("importFile", '/server/search/upload');

    /**
     *初始化文件上传
     */
    function initFileInput(ctrlName, uploadUrl) {
      var control = $('#' + ctrlName);
      control.fileinput({
        language: 'zh',
        uploadUrl: uploadUrl, //上传的地址
        allowedFileExtensions: ['doc', 'docx', 'xls', 'xlsx', 'ppt', 'pptx', 'pdf', 'mp4', 'avi','wmv','asf','asx','rm','rmvb','3gp','mov','m4v','dat','mkv','flv','vob'],
        showUpload: true, //是否显示上传按钮
        showCaption: true, //是否显示标题
        showPreview: false, //是否显示预览区域
        browseClass: "btn btn-primary", //按钮样式
        previewFileIcon: "<i class='glyphicon glyphicon-king'></i>",
      }).on('fileuploaderror', fileuploaderror).on("fileuploaded", function (event, data, previewId, index) {
        // console.log(data);.on('fileselect', fileselect)
        $scope.$apply(function () {
          $scope.fileId = data.response.fileId; // 未执行
          $scope.document.fileName = data.files[0].name;
        });

      }).on("filecleared", function (event, data, msg) {
        $scope.$apply(function () {
          $scope.fileInvalid = false;
        });
      });
      return control;
    }

    /**
     * 清空输入框
     */
    function importClearFunc() {
      if ($fileInput)
        $fileInput.fileinput('clear');
      $scope.fileInvalid = false;
    }

    /**
     *  文件上传错误
     **/
    function fileuploaderror(event, data, msg) {
      $scope.fileInvalid = true;
      $scope.$apply();
      $('.modal-body .kv-upload-progress').css('display', 'none');
      if (!(data.jqXHR.responseJSON)) { //文件类型验证错误
        $('#fileError').html(msg);
      } else { //上传错误
        console.log(data);
        var statusCode = data.jqXHR.responseJSON.message;
        var errorMsg = HTTP_ERROR_MAP['' + statusCode];
        $('#fileError').html(errorMsg);
      }
    }

    /**
     * add 打开添加模态框
     */
    $scope.openAddModal = function () {
      $scope.document = {};
      $scope.document.classificationId = 1;
      $scope.document.starGrade = 5;
      $timeout(importClearFunc);
      // openModeldialog();
    };

    /**
     * 表单验证
     * @returns {boolean}
     */
    function formVlidate() {
      if (!$scope.document.introduction) {
        return false;
      }
      if (!$scope.document.keyPackage) {
        return false;
      }
      return true;
    }

    /**
     * 提交表单信息
     */
    $scope.submitFileInfo = function () {
      if (!$scope.fileId) {
        // ToastService.alert("提示", "先上传文件,再提交表单", "info");
        console.error("先上传文件,再提交表单");
        return;
      }
      if (!formVlidate()) {
        // ToastService.alert("提示", "请填充表单", "info");
        console.error("请填充表单");
        return;
      }
      $scope.params = {
        'introduction': $scope.document.introduction,//简介
        'keyPackage': $scope.document.keyPackage,//可能查询的关键字
        'starGrade': $scope.document.starGrade,//星级
        'classificationId': $scope.document.classificationId,//文件的id
        'filePath': $scope.fileId,//文件的路径
        'docName': $scope.document.fileName,//文件的名字
        'author':$scope.document.author,
        'unit':$scope.document.unit,
        'writeDate':$scope.document.writeDate?$scope.document.writeDate.format("yyyy-MM-dd hh:mm:ss"):$scope.document.writeDate,
        'jh': $scope.document.jh,
        'id': $scope.document.id
      };
      HttpService.post("/server/search/submit", $scope.params).then(function (data) {
        $('#documentOprModal').modal('hide');
        // $("#contTable").bootstrapTable('refresh');
        console.error("提交文件信息成功");
      }, function (response) {
        // ToastService.alert("提示", "提交文件信息出错", "warning");
        console.error("提交文件信息出错");
      });
    }

  }
])
})(angular);

第三部编写后台上传文件和提交表单的代码

package com.shiwen.yitihui.server.controller;

import java.io.File;
import java.util.Date;
import java.util.HashMap;
import java.util.Map;
import java.util.UUID;

import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.web.bind.annotation.PostMapping;
import org.springframework.web.bind.annotation.RequestBody;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.RestController;
import org.springframework.web.multipart.MultipartFile;

import com.shiwen.yitihui.common.Snowflake;
import com.shiwen.yitihui.domain.DocClassification;
import com.shiwen.yitihui.domain.DocType;
import com.shiwen.yitihui.domain.DocumentFile;
import com.shiwen.yitihui.domain.FileEntity;
import com.shiwen.yitihui.server.service.DocumentFileService;

/**
* @author wangjie:
* @version 创建时间:2019年8月26日 上午11:54:22
* @Description 类描述:
*/
@RestController
@RequestMapping("/search")
public class UploadFileController {

	@Autowired
	private DocumentFileService dfservice;

	private String uploadPath="E://file";

	/**
	 * 上传文件
	 * @param file
	 * @return
	 */
	@PostMapping("/upload")
	public Map<String, Object> uploadFile(MultipartFile file){
		Map<String, Object> map = new HashMap<String, Object>();
		try {
      //文件的对象
			FileEntity fEntity = new FileEntity();
			String uuid = UUID.randomUUID().toString();
			//文件的id
			fEntity.setId(uuid.replaceAll("-", ""));//String.valueOf(Snowflake.getNextKey()));
			//文件的名字
			fEntity.setFileName(file.getOriginalFilename());
			//上传文件的时间
			fEntity.setUploadTime(new Date());
			//上传者
			fEntity.setUploadBy("admin");
			//文件的后缀
			String suffix = fEntity.getFileName().substring(fEntity.getFileName().indexOf("."));
			//文件存放的完整路径
			fEntity.setFinePathName(uploadPath + File.separator + fEntity.getId() + suffix);
			//文件的类型
			fEntity.setDocType(new DocType());
			//设置文件的类型
			fEntity.getDocType().setId(getDocTypeId(fEntity.getFileName()));
			//创建文件的对象
			File newFile = new File(fEntity.getFinePathName());
			//上传文件
			file.transferTo(newFile);
			map.put("result", "success");
			map.put("fileId", fEntity.getId());
		}catch(Exception e) {
//			e.printStackTrace();
			map.put("result", "fail");
		}
		return map;

	}

	/**
	 * 提交表单
	 * @param df
	 * @return
	 */
	@PostMapping("/submit")
	public Map<String, Object> submitFileInfo(@RequestBody DocumentFile df) {
		Map<String, Object> map = new HashMap<String, Object>();
		try {
			if (df.getId() == null || df.getId().isEmpty() || df.getId() == "") {
				df.setId(String.valueOf(Snowflake.getNextKey()));
			}
			String suffix = df.getDocName().substring(df.getDocName().indexOf("."));
			df.setFilePath(uploadPath + File.separator + df.getFilePath() + suffix);
			df.setUploadBy("admin");// 用户名称 df.setUploadTime(new java.util.Date());
			df.setUploadTime(new Date());
			df.setDownloadNumber(0L);
			df.setHeat(0L);
			df.setRelated(20);
			df.setDocType(new DocType());
			df.getDocType().setId(getDocTypeId(suffix));
			df.setClassification(new DocClassification());
			df.getClassification().setId(df.getClassificationId());
			dfservice.save(df);
			map.put("result", "success");
		} catch (Exception e) {
			//e.printStackTrace();
		  map.put("result", "fail");
		}
		return map;
	}

	private Integer getDocTypeId(String fileName) {
		if (fileName.contains(".doc")) {
			return 1;
		} else if (fileName.contains(".xls")) {
			return 2;
		} else if (fileName.contains(".pdf")) {
			return 3;
		} else if (fileName.contains(".ppt")) {
			return 4;
		}else {
			return 5;
		}
	}
}

以上就是本文的全部内容,希望对大家的学习有所帮助,也希望大家多多支持我们。

(0)

相关推荐

  • Spring Boot 文件上传与下载的示例代码

    文件的上传及下载功能是开发人员在日常应用及编程开发中经常会遇到的.正好最近开发需要用到此功能,虽然本人是 Android 开发人员,但还是业余客串了一下后台开发. 在本文中,您将学习如何使用 Spring Boot 实现 Web 服务中的文件上传和下载功能.首先会构建一个 REST APIs 实现上传及下载的功能,然后使用 Postman 工具来测试这些接口,最后创建一个 Web 界面使用 JavaScript 调用接口演示完整的功能.最终界面及功能如下: 项目环境 - Spring Boot

  • SpringBoot上传文件到本服务器 目录与jar包同级问题

    前言 看标题好像很简单的样子,但是针对使用jar包发布SpringBoot项目就不一样了. 当你使用tomcat发布项目的时候,上传文件存放会变得非常简单,因为你可以随意操作项目路径下的资源.但是当你使用SpringBoot的jar包发布项目的时候,你会发现,你不能像以前一样操作文件了.当你使用File file = new File()的时候根本不知道这个路径怎么办.而且总不能很小的项目也给它构建一个文件服务器吧.所以这次就来解决这样的问题. 不想知道细节的,可以直接跳转到最后封装的部分,里面

  • springboot上传文件过大的500异常解决

    修改appliaction.properties # 单个文件最大20m spring.servlet.multipart.max-file-size=20MB #一次请求最大100M spring.servlet.multipart.max-request-size=100MB 如果配置文件为appliaction.yml的这样配置文件: spring: servlet: multipart: maxFileSize: 20MB maxRequestSize: 100MB 500代码异常,在启

  • SpringBoot实现Excel文件批量上传导入数据库

    Spring boot + Spring data jpa + Thymeleaf 批量插入 + POI读取 + 文件上传 pom.xml: <!-- https://mvnrepository.com/artifact/org.apache.poi/poi --> <dependency> <groupId>org.apache.poi</groupId> <artifactId>poi</artifactId> <versi

  • springboot以FTP方式上传文件到远程服务器

    一.html代码   <div class="layui-form-item"> <label class="layui-form-label">上传附件:</label> <div class="layui-input-block doc-litpic"> <button type="button" name="avatar" class="

  • 详解SpringBoot下文件上传与下载的实现

    SpringBoot后台如何实现文件上传下载? 最近做的一个项目涉及到文件上传与下载.前端上传采用百度webUploader插件.有关该插件的使用方法还在研究中,日后整理再记录.本文主要介绍SpringBoot后台对文件上传与下载的处理. 单文件上传 / 单文件上传 @RequestMapping(value = "/upload") @ResponseBody public String upload(@RequestParam("file") Multipart

  • spring boot上传文件出错问题如何解决

    这篇文章主要介绍了spring boot上传文件出错问题如何解决,文中通过示例代码介绍的非常详细,对大家的学习或者工作具有一定的参考学习价值,需要的朋友可以参考下 org.springframework.web.multipart.MultipartException: Could not parse multipart servlet request; nested exception is java.io.IOException: The temporary upload location

  • SpringBoot+layui实现文件上传功能

    什么是spring boot Spring Boot是由Pivotal团队提供的全新框架,其设计目的是用来简化新Spring应用的初始搭建以及开发过程.该框架使用了特定的方式来进行配置,从而使开发人员不再需要定义样板化的配置.用我的话来理解,就是spring boot其实不是什么新的框架,它默认配置了很多框架的使用方式,就像maven整合了所有的jar包,spring boot整合了所有的框架(不知道这样比喻是否合适). 页面代码(只需要引入基础layui的css与js) <fieldset c

  • springboot实现文件上传步骤解析

    这篇文章主要介绍了springboot实现文件上传步骤解析,文中通过示例代码介绍的非常详细,对大家的学习或者工作具有一定的参考学习价值,需要的朋友可以参考下 第一步编写上传的前段页面 <div> <button type="button" class="btn btn-primary" ng-click="openAddModal()" data-toggle="modal" data-target=&quo

  • springboot多文件上传代码实例及解析

    这篇文章主要介绍了springboot多文件上传代码实例及解析,文中通过示例代码介绍的非常详细,对大家的学习或者工作具有一定的参考学习价值,需要的朋友可以参考下 一说明 spingMVC支持文件上传,我们通过Apach 的 commons-fileupload 包的CommonsMultipartResolver 去实现了 spingMVC的MultipartResolver . 本文章的示例是个简单的多文件上传,根据不同的业务自行修改. 二pom.xlm <dependencies> <

  • Spring Boot 文件上传原理解析

    首先我们要知道什么是Spring Boot,这里简单说一下,Spring Boot可以看作是一个框架中的框架--->集成了各种框架,像security.jpa.data.cloud等等,它无须关心配置可以快速启动开发,有兴趣可以了解下自动化配置实现原理,本质上是 spring 4.0的条件化配置实现,深抛下注解,就会看到了. 说Spring Boot 文件上传原理 其实就是Spring MVC,因为这部分工作是Spring MVC做的而不是Spring Boot,那么,SpringMVC又是怎么

  • SpringBoot实现文件上传与下载功能的示例代码

    目录 Spring Boot文件上传与下载 举例说明 1.引入Apache Commons FileUpload组件依赖 2.设置上传文件大小限制 3.创建选择文件视图页面 4.创建控制器 5.创建文件下载视图页面 6.运行 Spring Boot文件上传与下载 在实际的Web应用开发中,为了成功上传文件,必须将表单的method设置为post,并将enctype设置为multipart/form-data.只有这种设置,浏览器才能将所选文件的二进制数据发送给服务器. 从Servlet 3.0开

  • springboot大文件上传、分片上传、断点续传、秒传的实现

    对于大文件的处理,无论是用户端还是服务端,如果一次性进行读取发送.接收都是不可取,很容易导致内存问题.所以对于大文件上传,采用切块分段上传,从上传的效率来看,利用多线程并发上传能够达到最大效率. 本文是基于 springboot + vue 实现的文件上传,本文主要介绍服务端实现文件上传的步骤及代码实现,vue的实现步骤及实现请移步本人的另一篇文章 vue 大文件分片上传 - 断点续传.并发上传 上传分步: 本人分析上传总共分为: 检查文件是否已上传,如已上传可实现秒传 创建临时文件(._tmp

  • SpringBoot实现文件上传下载功能小结

    最近做的一个项目涉及到文件上传与下载.前端上传采用百度webUploader插件.有关该插件的使用方法还在研究中,日后整理再记录.本文主要介绍SpringBoot后台对文件上传与下载的处理. 单文件上传 // 单文件上传 @RequestMapping(value = "/upload") @ResponseBody public String upload(@RequestParam("file") MultipartFile file) { try { if (

  • springboot 中文件上传下载实例代码

    Spring Boot是由Pivotal团队提供的全新框架,其设计目的是用来简化新Spring应用的初始搭建以及开发过程.该框架使用了特定的方式来进行配置,从而使开发人员不再需要定义样板化的配置.通过这种方式,Spring Boot致力于在蓬勃发展的快速应用开发领域(rapid application development)成为领导者. Spring Boot特点 1. 创建独立的Spring应用程序 2. 嵌入的Tomcat,无需部署WAR文件 3. 简化Maven配置 4. 自动配置Spr

  • 解决springboot MultipartFile文件上传遇到的问题

    1.ajax传过去的参数在controller接受不到 解决:在contoller中增加@RequestParam 例如:saveUploadFile( @RequestParam("file") MultipartFile file,HttpServletRequest request) 2.org.springframework.web.multipart.support.MissingServletRequestPartException: Required request pa

  • 基于springboot实现文件上传

    本文实例为大家分享了基于springboot的文件上传的具体代码,供大家参考,具体内容如下 第一步:在vo包下创建上传前端响应类 import com.alibaba.druid.filter.AutoLoad; import lombok.AllArgsConstructor; import lombok.Data; import lombok.NoArgsConstructor; /** * 上传响应参数 * @param <E> */ //以下是lombok插件注解 @Data @All

随机推荐