本文主要处理文件上传后,在servlet中获取并保存。
html中的代码
<form enctype="multipart/form-data" action="此处填写处理的servlet的url" method="post">
<input type="text" name="name"/>
...
<input type="file" name="uploadFile"/>
<input type="submit" value="提交"/>
</form>
servlet中的代码
/*
* 两件事: 1. 上传图片到服务器中的指定位置
*
* 2. 封装对象
*/
// 1. 创建一个用生产FileItem(表单中的每一项)的工厂
FileItemFactory factory = new DiskFileItemFactory();
// 创建文件上传组件的解析对象
ServletFileUpload upload = new ServletFileUpload(factory);
try {
// 通过upload.parseRequest拿到表单中的每一项
List<FileItem> items = upload.parseRequest(request);
// 手动创建一个Map对象,用于之后转化为bean
Map<String, String> dataMap = new HashMap<String, String>();
// 遍历表单项,找到文件,使用isFormField()方法,判断是否是普通的表单项
for (FileItem item : items) {
// 普通表单项
if (item.isFormField()) {
String key = item.getFieldName();//获取input中name值
String value = item.getString("UTF-8");//获取input中value值
// 把获取到的数据保存到map中
dataMap.put(key, value);
}
// 文件
else {
/*
* 1. 获取文件名称 这个文件名称,不能直接使用,因为可能存在同名的图片
*
* 这个不需要下载图片,因此文件名称可以不要
*/
String fileName = item.getName();
// 获取文件后缀名 1.jpg,先拿到最后一个点的位置
int index = fileName.lastIndexOf(".");
// 拿到的是“.jpg”
fileName = fileName.substring(index);
// 为文件重命名dsagdasgdsadgasd
String UUID = UUIDUtils.getUUID();
// 文件的保存到服务器的名称
fileName = UUID + fileName;
// 指定图片在服务器中保存的路径
String savePath = "/upload";
// 目录分离(目录打散),保存到服务器中的最终的目录为“/upload/2/3”
String dirs = DirUtils.getDir(fileName);
// 获取服务器的真实路径"
String realPath = request.getServletContext().getRealPath(
"");
// 判断保存路径是否存在,需要使用File类
String filePath = realPath + savePath + dirs;
System.out.println(filePath);
File file = new File(filePath);
if (!file.exists()) {
file.mkdirs();
}
file = new File(file, fileName);
// 将文件保存到服务器中指定的位置
item.write(file);
// 保存商品的图片路径
dataMap.put("imgurl", savePath + dirs + "/" + fileName);
}
}
// 通过封装好的Map对象,构造bean对象
Good g = new Good();
BeanUtils.populate(g, dataMap);
// 调用service处理对象
GoodService service = new GoodServiceImpl();
service.addGood(g);
} catch (Exception e) {
e.printStackTrace();
}
工具类
UUIDUtils
/**
* 防止文件名重复UUID重写文件名的方法
*/
public class UUIDUtils {
public static String getUUID() {
return UUID.randomUUID().toString().replace("-", "");
}
}
DirUtils
/**
* 根据文件名目录打散工具类
*/
public class DirUtils {
public static String getDir(String name) {
if (name != null) {
int code = name.hashCode();
return "/" + (code & 15) + "/" + (code >>> 4 & 15);
}
return null;
}
}