国产探花免费观看_亚洲丰满少妇自慰呻吟_97日韩有码在线_资源在线日韩欧美_一区二区精品毛片,辰东完美世界有声小说,欢乐颂第一季,yy玄幻小说排行榜完本

首頁 > 編程 > JavaScript > 正文

微信小程序上傳圖片功能(附后端代碼)

2019-11-19 13:45:50
字體:
來源:轉載
供稿:網友

幾乎每個程序都需要用到圖片,在小程序中我們可以通過image組件顯示圖片。

當然小程序也是可以上傳圖片的,微信小程序文檔也寫的很清楚。

上傳圖片

首先選擇圖片

通過wx.chooseImage(OBJECT)實現

官方示例代碼

wx.chooseImage({ count: 1, // 默認9 sizeType: ['original', 'compressed'], // 可以指定是原圖還是壓縮圖,默認二者都有 sourceType: ['album', 'camera'], // 可以指定來源是相冊還是相機,默認二者都有 success: function (res) { // 返回選定照片的本地文件路徑列表,tempFilePath可以作為img標簽的src屬性顯示圖片 var tempFilePaths = res.tempFilePaths }})

圖片最多可以選擇9張, 也可以通過拍攝照片實現,當選擇完圖片之后會獲取到圖片路徑, 這個路徑在本次啟動期間有效。
如果需要保存就需要用wx.saveFile(OBJECT)

上傳圖片

通過wx.uploadFile(OBJECT) 可以將本地資源文件上傳到服務器。

原理就是客戶端發起一個 HTTPS POST 請求,其中 content-type為 multipart/form-data。

官方示例代碼

wx.chooseImage({ success: function(res) { var tempFilePaths = res.tempFilePaths wx.uploadFile({  url: 'http://example.weixin.qq.com/upload', //僅為示例,非真實的接口地址  filePath: tempFilePaths[0],  name: 'file',  formData:{  'user': 'test'  },  success: function(res){  var data = res.data  //do something  } }) }})

示例代碼

看完了官方文檔, 寫一個上傳圖片就沒有那么麻煩了,下面是真實場景的代碼

import constant from '../../common/constant';Page({ data: { src: "../../image/photo.png", //綁定image組件的src  //略... }, onLoad: function (options) {  //略...  }, uploadPhoto() { var that = this;  wx.chooseImage({  count: 1, // 默認9  sizeType: ['compressed'], // 可以指定是原圖還是壓縮圖,默認二者都有  sourceType: ['album', 'camera'], // 可以指定來源是相冊還是相機,默認二者都有  success: function (res) {  // 返回選定照片的本地文件路徑列表,tempFilePath可以作為img標簽的src屬性顯示圖片  var tempFilePaths = res.tempFilePaths;  upload(that, tempFilePaths);  } }) }})function upload(page, path) { wx.showToast({ icon: "loading", title: "正在上傳" }), wx.uploadFile({  url: constant.SERVER_URL + "/FileUploadServlet",  filePath: path[0],   name: 'file',  header: { "Content-Type": "multipart/form-data" },  formData: {  //和服務器約定的token, 一般也可以放在header中  'session_token': wx.getStorageSync('session_token')  },  success: function (res) {  console.log(res);  if (res.statusCode != 200) {    wx.showModal({   title: '提示',   content: '上傳失敗',   showCancel: false   })   return;  }  var data = res.data  page.setData({ //上傳成功修改顯示頭像   src: path[0]  })  },  fail: function (e) {  console.log(e);  wx.showModal({   title: '提示',   content: '上傳失敗',   showCancel: false  })  },  complete: function () {  wx.hideToast(); //隱藏Toast  } })}

后端代碼

后端是用java寫的,一開始的時候,后端開始用了一些框架接收上傳的圖片,出現了各種問題,后來使用了純粹的Servlet就沒有了問題, 把代碼貼出來省的以后麻煩了。

注意: 代碼使用了公司內部的框架,建議修改后再使用

public class FileUploadServlet extends HttpServlet { private static final long serialVersionUID = 1L; private static Logger logger = LoggerFactory.getLogger(FileUploadServlet.class); public FileUploadServlet() {  super(); } protected void doGet(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {  JsonMessage<Object> message = new JsonMessage<Object>();  EOSResponse eosResponse = null;  String sessionToken = null;  FileItem file = null;  InputStream in = null;  ByteArrayOutputStream swapStream1 = null;  try {   request.setCharacterEncoding("UTF-8");    //1、創建一個DiskFileItemFactory工廠    DiskFileItemFactory factory = new DiskFileItemFactory();    //2、創建一個文件上傳解析器    ServletFileUpload upload = new ServletFileUpload(factory);   //解決上傳文件名的中文亂碼    upload.setHeaderEncoding("UTF-8");    // 1. 得到 FileItem 的集合 items    List<FileItem> items = upload.parseRequest(request);   logger.info("items:{}", items.size());   // 2. 遍歷 items:    for (FileItem item : items) {     String name = item.getFieldName();     logger.info("fieldName:{}", name);    // 若是一個一般的表單域, 打印信息     if (item.isFormField()) {      String value = item.getString("utf-8");      if("session_token".equals(name)){      sessionToken = value;     }    }else {     if("file".equals(name)){      file = item;     }    }    }   //session校驗   if(StringUtils.isEmpty(sessionToken)){    message.setStatus(StatusCodeConstant.SESSION_TOKEN_TIME_OUT);    message.setErrorMsg(StatusCodeConstant.SESSION_TOKEN_TIME_OUT_MSG);   }   String userId = RedisUtils.hget(sessionToken,"userId");   logger.info("userId:{}", userId);   if(StringUtils.isEmpty(userId)){    message.setStatus(StatusCodeConstant.SESSION_TOKEN_TIME_OUT);    message.setErrorMsg(StatusCodeConstant.SESSION_TOKEN_TIME_OUT_MSG);   }   //上傳文件   if(file == null){   }else{    swapStream1 = new ByteArrayOutputStream();    in = file.getInputStream();    byte[] buff = new byte[1024];    int rc = 0;    while ((rc = in.read(buff)) > 0) {     swapStream1.write(buff, 0, rc);    }    Usr usr = new Usr();    usr.setObjectId(Integer.parseInt(userId));    final byte[] bytes = swapStream1.toByteArray();    eosResponse= ServerProxy.getSharedInstance().saveHeadPortrait(usr, new RequestOperation() {     @Override     public void addValueToRequest(EOSRequest request) {      request.addMedia("head_icon_media", new EOSMediaData(EOSMediaData.MEDIA_TYPE_IMAGE_JPEG, bytes));     }    });    // 請求成功的場合    if (eosResponse.getCode() == 0) {     message.setStatus(ConstantUnit.SUCCESS);    } else {     message.setStatus(String.valueOf(eosResponse.getCode()));    }   }  } catch (Exception e) {   e.printStackTrace();  } finally{   try {    if(swapStream1 != null){     swapStream1.close();    }   } catch (IOException e) {    e.printStackTrace();   }   try {    if(in != null){     in.close();    }   } catch (IOException e) {    e.printStackTrace();   }  }  PrintWriter out = response.getWriter();   out.write(JSONObject.toJSONString(message));  } protected void doPost(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {  doGet(request, response); }}

以上就是本文的全部內容,希望對大家的學習有所幫助,也希望大家多多支持武林網。

發表評論 共有條評論
用戶名: 密碼:
驗證碼: 匿名發表
主站蜘蛛池模板: 安新县| 鹰潭市| 霍州市| 阳谷县| 南乐县| 高唐县| 常德市| 天气| 城固县| 临沭县| 杭锦后旗| 平陆县| 西乡县| 寻甸| 永定县| 泾川县| 黎平县| 金塔县| 五华县| 凯里市| 金堂县| 肇源县| 手游| 邢台市| 临泽县| 南江县| 武穴市| 军事| 博兴县| 安塞县| 中方县| 黄石市| 特克斯县| 泰安市| 万州区| 桂林市| 卢氏县| 安西县| 嫩江县| 师宗县| 兴安盟|