Java 서버를 사용하여 이미지 업로드를 처리하는 방법
1. 간략한 설명
첫 번째: 브라우저 업로드 이미지 구현
두 번째, 이미지 업로드 기능 구현
1. 프로세스 H5 package cn.ncist.tms.attachment.controller;
import java.io.File;
import java.io.FileOutputStream;
import java.io.IOException;
import java.util.HashMap;
import java.util.Map;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;
import org.springframework.stereotype.Controller;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.RequestMethod;
import org.springframework.web.bind.annotation.RequestParam;
import org.springframework.web.bind.annotation.ResponseBody;
import org.springframework.web.multipart.MultipartFile;
/**
* 附件上传类
*
* @author Fxh
*
*/
@RequestMapping(value = "/fileUpload")
@Controller
public class AttachmentUpload {
/**
* 上传文件功能,以Post请求发送请求,
*
* @param request:请求对象
* @param reponse:响应对象
* @param file:上传的文件对象
* @return JSON串 : {"code":"S","msg":"服务调用成功"}
* @throws IOException
*/
@RequestMapping(value = "/doFileUpload",method = RequestMethod.POST)
@ResponseBody
public Map<String,Object> doFileUpload(HttpServletRequest request,
HttpServletResponse reponse,
@RequestParam("file") MultipartFile srcFile) throws IOException{
/*
* 注意:传入参数时,文件的注解@ReuqestParam("variable") -->variable指:前端的h6的控件的name值.
*
* 文件处理功能: 1.将获取的字节数组转化为文件对象,并保存在本地目录中;
*
* 文件处理思路: 1.将获取的(source)file对象,通过函数获取字节数组;
* 2.实例化文件对象和文件输出流;
* 3.将字节数组写入文件即可.
*
* 功能难度: 简单.
*/
//1.变量声明
Map<String,Object> result = null;// 返回结果变量
FileOutputStream fos = null; //写入文件的变量
File destFile = null; //写入的目的地文件(distination)
try {
result = new HashMap<String,Object>();
//2.参数验证
if(srcFile == null){
throw new RuntimeException("上传文件不存在");
}
if(srcFile.getBytes().length == 0){
throw new RuntimeException("上传文件内容为空");
}
//3.操作文件对象,写入本地目录的文件中
//3.1 截取文件后缀
String ext = srcFile.getOriginalFilename().substring(srcFile.getContentType().lastIndexOf( ".")+1);
//3.2 实例化目标文件,根据当前的操作系统,指定目录文件,
destFile = new File("D:"+File.separator+"descFolder"+File.separator+"descFile."+ext);
//3.3 实例化流
fos = new FileOutputStream(destFile);
//3.4 获取写入的字节数组,并写入文件
byte[] srcBytes = srcFile.getBytes();
fos.write(srcBytes);
fos.flush();
//4.对输入、输出流进行统一管理
//已在文件finally代码块处理
result.put( "code", "S");
result.put( "msg", "服务调用成功");
result.put( "path", destFile.getAbsolutePath());
return result;
} catch (Exception e) {
// TODO: handle exception
e.printStackTrace();
result = new HashMap<String,Object>();
result.put( "code", "F");
result.put( "msg", "服务调用失败");
result.put( "path", null);
return result;
} finally{
//关闭系统资源,避免占用资源.
if(fos != null){
fos.close();
}
}
}
}
로그인 후 복사
2. WeChat 또는 모바일 앱에 이미지 파일을 업로드하려면:package cn.ncist.tms.attachment.controller; import java.io.File; import java.io.FileOutputStream; import java.io.IOException; import java.util.HashMap; import java.util.Map; import javax.servlet.http.HttpServletRequest; import javax.servlet.http.HttpServletResponse; import org.springframework.stereotype.Controller; import org.springframework.web.bind.annotation.RequestMapping; import org.springframework.web.bind.annotation.RequestMethod; import org.springframework.web.bind.annotation.RequestParam; import org.springframework.web.bind.annotation.ResponseBody; import org.springframework.web.multipart.MultipartFile; /** * 附件上传类 * * @author Fxh * */ @RequestMapping(value = "/fileUpload") @Controller public class AttachmentUpload { /** * 上传文件功能,以Post请求发送请求, * * @param request:请求对象 * @param reponse:响应对象 * @param file:上传的文件对象 * @return JSON串 : {"code":"S","msg":"服务调用成功"} * @throws IOException */ @RequestMapping(value = "/doFileUpload",method = RequestMethod.POST) @ResponseBody public Map<String,Object> doFileUpload(HttpServletRequest request, HttpServletResponse reponse, @RequestParam("file") MultipartFile srcFile) throws IOException{ /* * 注意:传入参数时,文件的注解@ReuqestParam("variable") -->variable指:前端的h6的控件的name值. * * 文件处理功能: 1.将获取的字节数组转化为文件对象,并保存在本地目录中; * * 文件处理思路: 1.将获取的(source)file对象,通过函数获取字节数组; * 2.实例化文件对象和文件输出流; * 3.将字节数组写入文件即可. * * 功能难度: 简单. */ //1.变量声明 Map<String,Object> result = null;// 返回结果变量 FileOutputStream fos = null; //写入文件的变量 File destFile = null; //写入的目的地文件(distination) try { result = new HashMap<String,Object>(); //2.参数验证 if(srcFile == null){ throw new RuntimeException("上传文件不存在"); } if(srcFile.getBytes().length == 0){ throw new RuntimeException("上传文件内容为空"); } //3.操作文件对象,写入本地目录的文件中 //3.1 截取文件后缀 String ext = srcFile.getOriginalFilename().substring(srcFile.getContentType().lastIndexOf( ".")+1); //3.2 实例化目标文件,根据当前的操作系统,指定目录文件, destFile = new File("D:"+File.separator+"descFolder"+File.separator+"descFile."+ext); //3.3 实例化流 fos = new FileOutputStream(destFile); //3.4 获取写入的字节数组,并写入文件 byte[] srcBytes = srcFile.getBytes(); fos.write(srcBytes); fos.flush(); //4.对输入、输出流进行统一管理 //已在文件finally代码块处理 result.put( "code", "S"); result.put( "msg", "服务调用成功"); result.put( "path", destFile.getAbsolutePath()); return result; } catch (Exception e) { // TODO: handle exception e.printStackTrace(); result = new HashMap<String,Object>(); result.put( "code", "F"); result.put( "msg", "服务调用失败"); result.put( "path", null); return result; } finally{ //关闭系统资源,避免占用资源. if(fos != null){ fos.close(); } } } }
import java.io.BufferedInputStream; import java.io.File; import java.io.FileOutputStream; import java.io.IOException; import java.io.InputStream; import java.util.Enumeration; import java.util.HashMap; import java.util.Iterator; import java.util.Map; import java.util.Set; import javax.annotation.Resource; import javax.servlet.ServletInputStream; import javax.servlet.ServletOutputStream; import javax.servlet.http.HttpServlet; import javax.servlet.http.HttpServletRequest; import javax.servlet.http.HttpServletResponse; import org.jboss.netty.handler.codec.http.HttpRequest; import org.springframework.mock.web.MockMultipartFile; import org.springframework.stereotype.Controller; import org.springframework.web.bind.annotation.RequestMapping; import org.springframework.web.bind.annotation.RequestMethod; import org.springframework.web.bind.annotation.RequestParam; import org.springframework.web.bind.annotation.ResponseBody; import org.springframework.web.multipart.MultipartFile; import org.springframework.web.multipart.MultipartHttpServletRequest; import com.hlinkcloud.ubp.core.constant.RedisKeyConstant; import com.hlinkcloud.ubp.core.service.RedisService; import com.hlinkcloud.ubp.core.util.BaseStringUtil; import com.hlinkcloud.ubp.facade.bean.common.FastDFSFile; import com.hlinkcloud.ubp.facade.bean.common.FileManagerConfig; import com.hlinkcloud.ubp.facade.service.common.FileInfoService; import com.hlinkcloud.ubp.facade.service.permission.UserService; import com.hlinkcloud.ubp.facade.util.DictionaryCommUtil; import fr.opensagres.xdocreport.core.io.internal.ByteArrayOutputStream; /** * 微信上传图片业务 * * @author FengQi * */ @Controller @RequestMapping("/wx_upload") public class WxUploadImgBusiness { @Resource private UserService userService; @Resource private RedisService redisService; @Resource(name = "commonUtil") private DictionaryCommUtil commUtil; @Resource private FileInfoService fileService; /* 文件服务 */ @RequestMapping("/getUploadFilePath") @ResponseBody public Map<String, Object> doWxUploadFile(HttpServletRequest request, HttpServletResponse response) { HashMap<String, Object> map = new HashMap<String, Object>(); try { /* * // 注释:该部分是使用在没有使用sprinvMVC的架构下的图片上传. // 1.磁盘文件条目工厂 * DiskFileItemFactory factory = new DiskFileItemFactory(); * * //2.1 高速的文件上传处理类 ServletFileUpload sfu = new * ServletFileUpload(factory); * * List<FileItem> list = sfu.parseRequest(request); FileItem picture * = null; if(list != null && list.size() > 0){ for(FileItem item : * list){ if(!item.isFormField()){ picture = item; } } } */ // 1.将请求转化为操作流的请求对象. MultipartHttpServletRequest req = (MultipartHttpServletRequest) request; MultipartFile picture = req.getFile("file"); if(picture != null && picture.getBytes().length != 0){ // 2.将图片上传到服务器 byte[] bytes = picture.getBytes(); String ext = picture.getOriginalFilename().substring( picture.getOriginalFilename().lastIndexOf(".") + 1 ); // (备注:下列代码为内部业务代码,可根据公司自身的需求,进行更改) map.put("code", "S"); map.put( "msg", "服务调用成功"); map.put("statusCode", 200); map.put("data", filePath); }else{ throw new RuntimeException("上传图片异常或空图片!"); } } catch (IOException e) { e.printStackTrace(); map.put("code", "F"); map.put("msg", "服务调用失败"); map.put("statusCode", 500); map.put("data", null); } return map; } /** * 当不知道手机、微信传入前端的参数是什么时, * * 可调用该接口进行判断. * * @param request * @param response * @return * @throws IOException */ @RequestMapping(value = "/doUploadFileOfCI" , method = RequestMethod.POST ) public @ResponseBody Map<String,Object> doUploadFile( HttpServletRequest request,//请求对象 HttpServletResponse response) throws IOException{//响应对象 System.out.println("doTestMultipartFile:"); MultipartHttpServletRequest req = (MultipartHttpServletRequest) request; //此时说明请求对象是MultipartHttpServletRequest对象 MultipartFile picture = req.getFile("UploadedImage"); //遍历请求得到所有的数据. if(req != null){ //获取所有属性名 Enumeration enume= req.getAttributeNames(); while(enume.hasMoreElements()){ System.out.println("enume:"+enume.nextElement()); } //获取所有文件名 Iterator<String> fileNames = req.getFileNames(); while(fileNames.hasNext()){ System.out.println("fileNames:"+fileNames.next()); } //获取操作文件的map Map<String,MultipartFile> fileMap = req.getFileMap(); if(fileMap != null && fileMap.size() > 0){ Set<String> set = fileMap.keySet(); for(String key:set){ System.out.println("String:"+key); } } //获取请求流 InputStream is = req.getInputStream(); System.out.println("InputStream:"+is); int length = -1; while( (length = is.read()) != -1 ){ System.err.println("data:"+length); } //获取所有请求参数 Enumeration enumee = req.getParameterNames(); while(enumee.hasMoreElements()){ System.out.println("enumee:"+enumee.nextElement()); } } System.out.println(picture); return null; } }
위 내용은 Java 서버를 사용하여 이미지 업로드를 처리하는 방법의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!

핫 AI 도구

Undresser.AI Undress
사실적인 누드 사진을 만들기 위한 AI 기반 앱

AI Clothes Remover
사진에서 옷을 제거하는 온라인 AI 도구입니다.

Undress AI Tool
무료로 이미지를 벗다

Clothoff.io
AI 옷 제거제

AI Hentai Generator
AI Hentai를 무료로 생성하십시오.

인기 기사

뜨거운 도구

메모장++7.3.1
사용하기 쉬운 무료 코드 편집기

SublimeText3 중국어 버전
중국어 버전, 사용하기 매우 쉽습니다.

스튜디오 13.0.1 보내기
강력한 PHP 통합 개발 환경

드림위버 CS6
시각적 웹 개발 도구

SublimeText3 Mac 버전
신 수준의 코드 편집 소프트웨어(SublimeText3)

뜨거운 주제











Java의 난수 생성기 안내. 여기서는 예제를 통해 Java의 함수와 예제를 통해 두 가지 다른 생성기에 대해 설명합니다.

Java의 Weka 가이드. 여기에서는 소개, weka java 사용 방법, 플랫폼 유형 및 장점을 예제와 함께 설명합니다.

자바의 암스트롱 번호 안내 여기에서는 일부 코드와 함께 Java의 Armstrong 번호에 대한 소개를 논의합니다.

Java의 Smith Number 가이드. 여기서는 정의, Java에서 스미스 번호를 확인하는 방법에 대해 논의합니다. 코드 구현의 예.

이 기사에서는 가장 많이 묻는 Java Spring 면접 질문과 자세한 답변을 보관했습니다. 그래야 면접에 합격할 수 있습니다.

Java 8은 스트림 API를 소개하여 데이터 컬렉션을 처리하는 강력하고 표현적인 방법을 제공합니다. 그러나 스트림을 사용할 때 일반적인 질문은 다음과 같은 것입니다. 기존 루프는 조기 중단 또는 반환을 허용하지만 스트림의 Foreach 메소드는이 방법을 직접 지원하지 않습니다. 이 기사는 이유를 설명하고 스트림 처리 시스템에서 조기 종료를 구현하기위한 대체 방법을 탐색합니다. 추가 읽기 : Java Stream API 개선 스트림 foreach를 이해하십시오 Foreach 메소드는 스트림의 각 요소에서 하나의 작업을 수행하는 터미널 작동입니다. 디자인 의도입니다
