java web 一行代码实现文件上传下载

2024-09-04 06:08

本文主要是介绍java web 一行代码实现文件上传下载,希望对大家解决编程问题提供一定的参考价值,需要的开发者们随着小编来一起学习吧!

       每当要实现文件上传下载的功能时,都要复制粘贴拼凑代码。如果用了不同的框架,代码还不一样,配置啥的一堆,甚是繁琐,不喜欢。科学家们喜欢把纷繁复杂的自然现象总结为一个个简洁的公式,我们也来试试,把上传下载整成一行代码~

       花了一天时间,整了个通用的工具类FileUtils,这个类里实际只包含两个静态方法,一个上传upload(),一个下载download()。只依赖apache的commons-fileupload.jar和commons-io.jar,不依赖struts和spring mvc等框架。干净简洁通用。上传下载文件只需一行代码即可搞定。现将代码贴上来,与大家共享,谁有好的想法,欢迎提议。

工具类:FileUtils.java

import java.io.BufferedInputStream;
import java.io.BufferedOutputStream;
import java.io.File;
import java.io.FileInputStream;
import java.io.FileNotFoundException;
import java.io.IOException;
import java.io.PrintWriter;
import java.io.UnsupportedEncodingException;
import java.text.SimpleDateFormat;
import java.util.ArrayList;
import java.util.Date;
import java.util.List;
import java.util.UUID;import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;import org.apache.commons.fileupload.FileItem;
import org.apache.commons.fileupload.FileUploadException;
import org.apache.commons.fileupload.disk.DiskFileItemFactory;
import org.apache.commons.fileupload.servlet.ServletFileUpload;public class FileUtils {private FileUtils() {}public static void download(HttpServletRequest request,HttpServletResponse response, String relativeFilePath) {try {request.setCharacterEncoding("UTF-8");response.setCharacterEncoding("UTF-8");String fileName = request.getSession().getServletContext().getRealPath("/")+ relativeFilePath;fileName = fileName.replace("\\", "/");//统一分隔符格式File file = new File(fileName);//如果文件不存在if (file == null || !file.exists()) {String msg = "file not exists!";System.out.println(msg);PrintWriter out = response.getWriter();out.write(msg);out.flush();out.close();return;}String fileType = request.getSession().getServletContext().getMimeType(fileName);if (fileType == null) {fileType = "application/octet-stream";}response.setContentType(fileType);System.out.println("文件类型是:" + fileType);String simpleName = fileName.substring(fileName.lastIndexOf("/")+1);String newFileName = new String(simpleName.getBytes(), "ISO8859-1");response.setHeader("Content-disposition", "attachment;filename="+newFileName);BufferedInputStream bis = new BufferedInputStream(new FileInputStream(file));BufferedOutputStream bos = new BufferedOutputStream(response.getOutputStream());byte[] buffer = new byte[1024];int length = 0;while ((length = bis.read(buffer)) != -1) {bos.write(buffer, 0, length);}if (bis != null)bis.close();if (bos != null)bos.close();} catch (UnsupportedEncodingException e) {e.printStackTrace();} catch (FileNotFoundException e) {e.printStackTrace();} catch (IOException e) {e.printStackTrace();}}/*** 文件上传* * @param request HttpServletRequest* @param relativeUploadPath 上传文件保存的相对路径,例如"upload/",注意,末尾的"/"不要丢了* @param maxSize 上传的最大文件尺寸,单位字节* @param thresholdSize 最大缓存,单位字节* @param fileTypes 文件类型,会根据上传文件的后缀名判断。<br>* 比如支持上传jpg,jpeg,gif,png图片,那么此处写成".jpg .jpeg .gif .png",<br>* 也可以写成".jpg/.jpeg/.gif/.png",类型之间的分隔符是什么都可以,甚至可以不要,<br>* 直接写成".jpg.jpeg.gif.png",但是类型前边的"."不能丢* @return*/public static List<String> upload(HttpServletRequest request, String relativeUploadPath, int maxSize, int thresholdSize, String fileTypes) {// 设置字符编码try {request.setCharacterEncoding("UTF-8");} catch (UnsupportedEncodingException e1) {e1.printStackTrace();}String tempPath = relativeUploadPath + "temp"; // 临时文件目录String serverPath = request.getSession().getServletContext().getRealPath("/").replace("\\", "/");fileTypes = fileTypes.toLowerCase(); // 将后缀全转换为小写//如果上传文件目录和临时目录不存在则自动创建if (!new File(serverPath + relativeUploadPath).isDirectory()) {new File(serverPath + relativeUploadPath).mkdirs();}if (!new File(serverPath + tempPath).isDirectory()) {new File(serverPath + tempPath).mkdirs();}DiskFileItemFactory factory = new DiskFileItemFactory();factory.setSizeThreshold(thresholdSize); // 最大缓存factory.setRepository(new File(serverPath + tempPath));// 临时文件目录ServletFileUpload upload = new ServletFileUpload(factory);upload.setSizeMax(maxSize);// 文件最大上限List<String> filePaths = new ArrayList<String>();List<FileItem> items;try {items = upload.parseRequest(request);// 获取所有文件列表for (FileItem item : items) {// 获得文件名,文件名包括路径if (!item.isFormField()) { // 如果是文件// 文件名String fileName = item.getName().replace("\\", "/");//文件后缀名String suffix = null;if (fileName.lastIndexOf(".") > -1) {suffix = fileName.substring(fileName.lastIndexOf("."));} else { //如果文件没有后缀名,不处理,直接跳过本次循环continue;}// 不包含路径的文件名String SimpleFileName = fileName;if (fileName.indexOf("/") > -1) {SimpleFileName = fileName.substring(fileName.lastIndexOf("/") + 1);}// 如果文件类型字符串中包含该后缀名,保存该文件if (fileTypes.indexOf(suffix.toLowerCase()) > -1) {String uuid = UUID.randomUUID().toString();SimpleDateFormat sf = new SimpleDateFormat("yyyyMMddHHmmss");String absoluteFilePath = serverPath+ relativeUploadPath + sf.format(new Date())+ " " + uuid + " " + SimpleFileName;item.write(new File(absoluteFilePath));filePaths.add(absoluteFilePath);} }}} catch (FileUploadException e) {e.printStackTrace();} catch (Exception e) {e.printStackTrace();}return filePaths;}/*** 文件上传* * @param request HttpServletRequest* @param relativeUploadPath 上传文件保存的相对路径,例如"upload/",注意,末尾的"/"不要丢了* @param maxSize 上传的最大文件尺寸,单位字节* @param fileTypes 文件类型,会根据上传文件的后缀名判断。<br>* 比如支持上传jpg,jpeg,gif,png图片,那么此处写成".jpg .jpeg .gif .png",<br>* 也可以写成".jpg/.jpeg/.gif/.png",类型之间的分隔符是什么都可以,甚至可以不要,<br>* 直接写成".jpg.jpeg.gif.png",但是类型前边的"."不能丢* @return*/public static List<String> upload(HttpServletRequest request, String relativeUploadPath, int maxSize, String fileTypes) {return upload(request, relativeUploadPath, maxSize, 5*1024, fileTypes);}/*** 文件上传,不限大小* * @param request HttpServletRequest* @param relativeUploadPath 上传文件保存的相对路径,例如"upload/",注意,末尾的"/"不要丢了* @param fileTypes 文件类型,会根据上传文件的后缀名判断。<br>* 比如支持上传jpg,jpeg,gif,png图片,那么此处写成".jpg .jpeg .gif .png",<br>* 也可以写成".jpg/.jpeg/.gif/.png",类型之间的分隔符是什么都可以,甚至可以不要,<br>* 直接写成".jpg.jpeg.gif.png",但是类型前边的"."不能丢* @return*/public static List<String> upload(HttpServletRequest request, String relativeUploadPath, String fileTypes) {return upload(request, relativeUploadPath, -1, 5*1024, fileTypes);}
}
上传文件的方法又写了两个重载,用法一看便知,不再解释。

使用示例:FileUtilsTest.java

import java.io.IOException;
import java.util.List;import javax.servlet.ServletException;
import javax.servlet.http.HttpServlet;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;import common.utils.FileUtils;public class FileUtilsTest extends HttpServlet {private static final long serialVersionUID = 1L;public void doGet(HttpServletRequest request, HttpServletResponse response)throws ServletException, IOException {//下载文件FileUtils.download(request, response, "files/学生信息.xls");}public void doPost(HttpServletRequest request, HttpServletResponse response)throws ServletException, IOException {//上传文件List<String> filePaths = FileUtils.upload(request, "upload/",".xls .xlsx");System.out.println(filePaths);}
}


不管是用struts还是spring mvc还是原生的servlet,拿到request,response都是轻而易举吧,然后上传下载就只需要上边的一行代码了^_^

测试一下:

看看后台打印结果:

上传成功,再来测测下载:

也没问题。

以后再需要上传下载功能的时候,只需要导入两个jar包,把FileUtils类复制过去,然后FileUtils.download(),FileUtils.upload()就可以啦^_^

项目下载地址:http://download.csdn.net/detail/u013314786/9252777

考虑到项目版本问题,压缩包中只包含了src和WebRoot两个文件夹,要运行项目,只需在eclipse或者myeclipse中新建一个名为FileUtils的项目,然后把src里的文件复制到项目的src文件夹下,WebRoot里的文件复制到项目的WebRoot(myeclipse默认)或者WebContent(eclipse默认)文件夹下就可以运行啦。


这篇关于java web 一行代码实现文件上传下载的文章就介绍到这儿,希望我们推荐的文章对编程师们有所帮助!



http://www.chinasem.cn/article/1135208

相关文章

JVM 的类初始化机制

前言 当你在 Java 程序中new对象时,有没有考虑过 JVM 是如何把静态的字节码(byte code)转化为运行时对象的呢,这个问题看似简单,但清楚的同学相信也不会太多,这篇文章首先介绍 JVM 类初始化的机制,然后给出几个易出错的实例来分析,帮助大家更好理解这个知识点。 JVM 将字节码转化为运行时对象分为三个阶段,分别是:loading 、Linking、initialization

Spring Security 基于表达式的权限控制

前言 spring security 3.0已经可以使用spring el表达式来控制授权,允许在表达式中使用复杂的布尔逻辑来控制访问的权限。 常见的表达式 Spring Security可用表达式对象的基类是SecurityExpressionRoot。 表达式描述hasRole([role])用户拥有制定的角色时返回true (Spring security默认会带有ROLE_前缀),去

浅析Spring Security认证过程

类图 为了方便理解Spring Security认证流程,特意画了如下的类图,包含相关的核心认证类 概述 核心验证器 AuthenticationManager 该对象提供了认证方法的入口,接收一个Authentiaton对象作为参数; public interface AuthenticationManager {Authentication authenticate(Authenti

Spring Security--Architecture Overview

1 核心组件 这一节主要介绍一些在Spring Security中常见且核心的Java类,它们之间的依赖,构建起了整个框架。想要理解整个架构,最起码得对这些类眼熟。 1.1 SecurityContextHolder SecurityContextHolder用于存储安全上下文(security context)的信息。当前操作的用户是谁,该用户是否已经被认证,他拥有哪些角色权限…这些都被保

Spring Security基于数据库验证流程详解

Spring Security 校验流程图 相关解释说明(认真看哦) AbstractAuthenticationProcessingFilter 抽象类 /*** 调用 #requiresAuthentication(HttpServletRequest, HttpServletResponse) 决定是否需要进行验证操作。* 如果需要验证,则会调用 #attemptAuthentica

Spring Security 从入门到进阶系列教程

Spring Security 入门系列 《保护 Web 应用的安全》 《Spring-Security-入门(一):登录与退出》 《Spring-Security-入门(二):基于数据库验证》 《Spring-Security-入门(三):密码加密》 《Spring-Security-入门(四):自定义-Filter》 《Spring-Security-入门(五):在 Sprin

Java架构师知识体认识

源码分析 常用设计模式 Proxy代理模式Factory工厂模式Singleton单例模式Delegate委派模式Strategy策略模式Prototype原型模式Template模板模式 Spring5 beans 接口实例化代理Bean操作 Context Ioc容器设计原理及高级特性Aop设计原理Factorybean与Beanfactory Transaction 声明式事物

Java进阶13讲__第12讲_1/2

多线程、线程池 1.  线程概念 1.1  什么是线程 1.2  线程的好处 2.   创建线程的三种方式 注意事项 2.1  继承Thread类 2.1.1 认识  2.1.2  编码实现  package cn.hdc.oop10.Thread;import org.slf4j.Logger;import org.slf4j.LoggerFactory

hdu1043(八数码问题,广搜 + hash(实现状态压缩) )

利用康拓展开将一个排列映射成一个自然数,然后就变成了普通的广搜题。 #include<iostream>#include<algorithm>#include<string>#include<stack>#include<queue>#include<map>#include<stdio.h>#include<stdlib.h>#include<ctype.h>#inclu

JAVA智听未来一站式有声阅读平台听书系统小程序源码

智听未来,一站式有声阅读平台听书系统 🌟&nbsp;开篇:遇见未来,从“智听”开始 在这个快节奏的时代,你是否渴望在忙碌的间隙,找到一片属于自己的宁静角落?是否梦想着能随时随地,沉浸在知识的海洋,或是故事的奇幻世界里?今天,就让我带你一起探索“智听未来”——这一站式有声阅读平台听书系统,它正悄悄改变着我们的阅读方式,让未来触手可及! 📚&nbsp;第一站:海量资源,应有尽有 走进“智听