欧美bbbwbbbw肥妇,免费乱码人妻系列日韩,一级黄片

Spring+Vue整合UEditor富文本實(shí)現(xiàn)圖片附件上傳的方法

 更新時(shí)間:2019年07月10日 08:27:26   作者:silianpan  
這篇文章主要介紹了Spring+Vue整合UEditor富文本實(shí)現(xiàn)圖片附件上傳的方法,文中通過示例代碼介紹的非常詳細(xì),對大家的學(xué)習(xí)或者工作具有一定的參考學(xué)習(xí)價(jià)值,需要的朋友們下面隨著小編來一起學(xué)習(xí)學(xué)習(xí)吧

下載UEditor

https://ueditor.baidu.com/website/download.html

下載完整源碼和JSP版本

Spring后端集成

1. 解壓完整源碼,拷貝jsp目錄下的java源碼,到spring mvc后端

jsp目錄下java源碼

集成spring mvc后端

2. 配置config.json

  • 解壓JSP版本
  • 拷貝jsp目錄下config.json

放到j(luò)ava項(xiàng)目的resource目錄下,在這里是ueditorConfig.json

配置config.json文件名稱,這里是ueditorConfig.json

3. 項(xiàng)目常量配置文件新建upload.properties,也放在resouce目錄下,文件內(nèi)容如下:

#host地址
host=http://localhost:8081/ssm_project
#文件上傳服務(wù)器地址(ip+端口)
uploadHost=http://localhost:8090/
#普通圖片上傳保存目錄
imagePath = fileUpload/image/
#系統(tǒng)用戶頭像上傳保存目錄
headImgPath = fileUpload/image/headImg/
#系統(tǒng)用戶默認(rèn)頭像
sysUserDefImg = sysUser-default.jpg
#文本文件上傳保存目錄
documentPath = fileUpload/document/
#音頻文件上傳保存目錄
soundPath = fileUpload/sound/
#視頻文件上傳保存目錄
videoPath = fileUpload/video/
#ueditor編輯器上傳文件保存目錄(包括圖片、視頻、音頻、文本等文件)
ueditor = fileUpload/ueditor/

將upload.properties添加到Spring啟動配置文件application.xml中,以便后面Controller訪問

<!-- 引入數(shù)據(jù)庫配置文件 -->
<bean id="configProperties" class="org.springframework.beans.factory.config.PropertiesFactoryBean">
  <property name="locations">
    <list>
      <value>classpath:config.properties</value>
      <value>classpath:redis.properties</value>
      <value>classpath:upload.properties</value>
    </list>
  </property>
</bean>

4. 編寫工具類UploadUtil.java

package cn.lega.common.util;

import com.sun.jersey.api.client.Client;
import com.sun.jersey.api.client.WebResource;
import org.apache.commons.io.FilenameUtils;
import org.springframework.util.FileCopyUtils;
import org.springframework.web.multipart.MultipartFile;

import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;
import java.io.File;
import java.io.IOException;
import java.text.SimpleDateFormat;
import java.util.Date;
import java.util.UUID;

public class UploadUtil {
  /**
   * 上傳文件
   *
   * @param request
   * @param response
   * @param serverPath 服務(wù)器地址:(http://172.16.5.102:8090/)
   * @param path    文件路徑(不包含服務(wù)器地址:upload/)
   * @return
   */
  public static String upload(Client client, MultipartFile file, HttpServletRequest request, HttpServletResponse response, String serverPath, String path) {
    // 文件名稱生成策略(日期時(shí)間+uuid )
    UUID uuid = UUID.randomUUID();
    Date d = new Date();
    SimpleDateFormat format = new SimpleDateFormat("yyyyMMddHHmmss");
    String formatDate = format.format(d);
    // 獲取文件的擴(kuò)展名
    String extension = FilenameUtils.getExtension(file.getOriginalFilename());
    // 文件名
    String fileName = formatDate + "-" + uuid + "." + extension;
    //相對路徑
    String relaPath = path + fileName;

//    String a = serverPath + path.substring(0, path.lastIndexOf("/"));
//    File file2 = new File(a);
//    if (!file2.exists()) {
//      boolean mkdirs = file2.mkdirs();
//      System.out.println(mkdirs);
//    }

    // 另一臺tomcat的URL(真實(shí)路徑)
    String realPath = serverPath + relaPath;
    // 設(shè)置請求路徑
//    WebResource resource = client.resource(realPath);

    // 發(fā)送開始post get put(基于put提交)
//    try {
//      resource.put(String.class, file.getBytes());
//      return fileName + ";" + relaPath + ";" + realPath;
//    } catch (IOException e) {
//      e.printStackTrace();
//      return "";
//    }

    // 用戶目錄/root/fileUpload/ueditor
    String userDir = System.getProperty("user.home");
    String ueditorUploadPath = userDir + File.separator + path;
    File file2 = new File(ueditorUploadPath);
    if (!file2.exists()) {
      file2.mkdirs();
    }
    String newFilePath = ueditorUploadPath + fileName;

    // 保存在本地
    File file3 = new File(newFilePath);
    try {
      FileCopyUtils.copy(file.getBytes(), file3);
      return fileName + ";" + relaPath + ";" + realPath;
    } catch (IOException e) {
      e.printStackTrace();
      return "";
    }
  }

  public static String delete(String filePath) {
    try {
      Client client = new Client();
      WebResource resource = client.resource(filePath);
      resource.delete();
      return "y";
    } catch (Exception e) {
      e.printStackTrace();
      return "n";
    }
  }
}

5. 編寫Controller類UeditorController.java,為前端提供上傳接口

package cn.lega.common.controller;

import cn.lega.common.baidu.ueditor.ActionEnter;
import cn.lega.common.util.ResponseUtils;
import cn.lega.common.util.StrUtils;
import cn.lega.common.util.UploadUtil;
import cn.lega.common.web.BaseController;
import com.alibaba.fastjson.JSON;
import com.alibaba.fastjson.JSONObject;
import com.sun.jersey.api.client.Client;
import org.apache.commons.io.FilenameUtils;
import org.springframework.beans.factory.annotation.Value;
import org.springframework.core.io.ClassPathResource;
import org.springframework.web.bind.annotation.*;
import org.springframework.web.multipart.MultipartFile;
import org.springframework.web.multipart.MultipartHttpServletRequest;
import org.springframework.web.multipart.MultipartResolver;
import org.springframework.web.multipart.commons.CommonsMultipartResolver;

import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;
import java.io.*;
import java.util.Map;

/**
 * 用于處理關(guān)于ueditor插件相關(guān)的請求
 *
 * @author silianpan
 */
@RestController
@CrossOrigin
@RequestMapping("/common/ueditor")
public class UeditorController extends BaseController {

  // 后臺圖片保存地址
  @Value("#{configProperties['ueditor']}")
  private String ueditor;

  @Value("#{configProperties['uploadHost']}")
  private String uploadHost;  //項(xiàng)目host路徑

  /**
   * ueditor文件上傳(上傳到外部服務(wù)器)
   *
   * @param request
   * @param response
   * @param action
   */
  @ResponseBody
  @RequestMapping(value = "/ueditorUpload.do", method = {RequestMethod.GET, RequestMethod.POST})
  public void editorUpload(HttpServletRequest request, HttpServletResponse response, String action) {
    response.setContentType("application/json");
    String rootPath = request.getSession().getServletContext().getRealPath("/");

    try {
      if ("config".equals(action)) {  // 如果是初始化
        String exec = new ActionEnter(request, rootPath).exec();
        PrintWriter writer = response.getWriter();
        writer.write(exec);
        writer.flush();
        writer.close();
      } else if ("uploadimage".equals(action) || "uploadvideo".equals(action) || "uploadfile".equals(action)) {  // 如果是上傳圖片、視頻、和其他文件
        try {
          MultipartResolver resolver = new CommonsMultipartResolver(request.getSession().getServletContext());
          MultipartHttpServletRequest Murequest = resolver.resolveMultipart(request);
          Map<String, MultipartFile> files = Murequest.getFileMap();// 得到文件map對象
          // 實(shí)例化一個(gè)jersey
          Client client = new Client();

          for (MultipartFile pic : files.values()) {
            JSONObject jo = new JSONObject();
            long size = pic.getSize();  // 文件大小
            String originalFilename = pic.getOriginalFilename(); // 原來的文件名
            if (StrUtils.isEmpty(uploadHost) || uploadHost.equals("default")) {
              uploadHost = System.getProperty("user.home") + File.separator;
            }
            String uploadInfo = UploadUtil.upload(client, pic, request, response, uploadHost, ueditor);
            if (!"".equals(uploadInfo)) {  // 如果上傳成功
              String[] infoList = uploadInfo.split(";");
              jo.put("state", "SUCCESS");
              jo.put("original", originalFilename);//原來的文件名
              jo.put("size", size); // 文件大小
              jo.put("title", infoList[1]); // 隨意,代表的是鼠標(biāo)經(jīng)過圖片時(shí)顯示的文字
              jo.put("type", FilenameUtils.getExtension(pic.getOriginalFilename())); // 文件后綴名
              jo.put("url", infoList[2]);// 這里的url字段表示的是上傳后的圖片在圖片服務(wù)器的完整地址(http://ip:端口/***/***/***.jpg)
            } else {  // 如果上傳失敗
            }
            ResponseUtils.renderJson(response, jo.toString());
          }
        } catch (Exception e) {
          e.printStackTrace();
        }
      }
    } catch (Exception e) {
    }
  }

//  @RequestMapping(value = "/exec")
//  public void config(HttpServletRequest request, HttpServletResponse response) {
//    // response.setContentType("application/json");
//    String rootPath = request.getSession().getServletContext().getRealPath("/");
//    response.setHeader("Content-Type" , "text/html");
//    try {
//      String exec = new ActionEnter(request, rootPath).exec();
//      PrintWriter writer = response.getWriter();
//      writer.write(exec);
//      writer.flush();
//      writer.close();
//    } catch (IOException e) {
//      e.printStackTrace();
//    }
//  }

  @RequestMapping(value = "/exec")
  @ResponseBody
  public String exec(HttpServletRequest request) throws UnsupportedEncodingException {
    request.setCharacterEncoding("utf-8");
    String rootPath = request.getSession().getServletContext().getRealPath("/");
    return new ActionEnter(request, rootPath).exec();
  }

  @RequestMapping("/ueconfig")
  public void getUEConfig(HttpServletRequest request, HttpServletResponse response) {
    org.springframework.core.io.Resource res = new ClassPathResource("ueditorConfig.json");
    InputStream is = null;
    response.setHeader("Content-Type", "text/html");
    try {
      is = new FileInputStream(res.getFile());
      StringBuffer sb = new StringBuffer();
      byte[] b = new byte[1024];
      int length = 0;
      while (-1 != (length = is.read(b))) {
        sb.append(new String(b, 0, length, "utf-8"));
      }
      String result = sb.toString().replaceAll("/\\*(.|[\\r\\n])*?\\*/", "");
      JSONObject json = JSON.parseObject(result);
      PrintWriter out = response.getWriter();
      out.print(json.toString());
    } catch (IOException e) {
      e.printStackTrace();
    } finally {
      try {
        is.close();
      } catch (IOException e) {
        e.printStackTrace();
      }
    }
  }
}

Vue前端集成

1. 解壓jsp版本,拷貝到Vue前端項(xiàng)目static目錄中

2. 前端常量配置

// 靜態(tài)目錄
export const STATIC_PATH = process.env.NODE_ENV === 'production' ? './static/' : '/static/'
// UEditor服務(wù)路徑,對應(yīng)UeditorController.java上傳接口
export const UEDITOR_SERVER = API_BASEURL + '/common/ueditor/ueditorUpload.do'

3. 安裝插件vue-ueditor-wrap

npm install vue-ueditor-wrap
or
yarn add vue-ueditor-wrap

4. 編寫組件

<template>
  <div>
    <component
      style="width:100%!important"
      :is="currentViewComp"
      transition="fade"
      transition-mode="out-in"
      :config="ueditorConfig"
      v-model="formData[item.prop]"
      :destroy="true"
      @ready="ueReady">
    </component>
  </div>
</template>
<script>
import VueUeditorWrap from 'vue-ueditor-wrap'
import { STATIC_PATH, UEDITOR_SERVER } from '@/config'
export default {
data() {
  return {
   currentViewComp: null,
   ueditorConfig: {
    serverUrl: UEDITOR_SERVER,
    UEDITOR_HOME_URL: STATIC_PATH + 'ueditor1_4_3_3/',
    initialContent: '',
    initialFrameHeight: 400,
    initialFrameWidth: '100%',
    autoHeightEnabled: false
   }
  }
 },
 mounted() {
  this.currentViewComp = VueUeditorWrap
 },
 destroyed() {
  this.currentViewComp = null
 },
 methods: {
  ueReady(editorInstance) {
   this.$nextTick(() => {
    editorInstance.setContent('')
   })
  }
 }
}
</script>

至此,大功告成~

以上就是本文的全部內(nèi)容,希望對大家的學(xué)習(xí)有所幫助,也希望大家多多支持腳本之家。

相關(guān)文章

  • Java深入探索單例模式的應(yīng)用

    Java深入探索單例模式的應(yīng)用

    單例模式(Singleton Pattern)是 Java 中最簡單的設(shè)計(jì)模式之一。這種類型的設(shè)計(jì)模式屬于創(chuàng)建型模式,它提供了一種創(chuàng)建對象的最佳方式
    2022-06-06
  • java?Comparable和Comparator的區(qū)別及作用面試精講

    java?Comparable和Comparator的區(qū)別及作用面試精講

    這篇文章主要為大家介紹了java?Comparable和Comparator的區(qū)別及作用面試精講,有需要的朋友可以借鑒參考下,希望能夠有所幫助,祝大家多多進(jìn)步,早日升職加薪
    2023-10-10
  • Springboot2.X集成redis集群(Lettuce)連接的方法

    Springboot2.X集成redis集群(Lettuce)連接的方法

    這篇文章主要介紹了Springboot2.X集成redis集群(Lettuce)連接的方法,小編覺得挺不錯(cuò)的,現(xiàn)在分享給大家,也給大家做個(gè)參考。一起跟隨小編過來看看吧
    2018-07-07
  • MyBatis一次執(zhí)行多條SQL語句的操作

    MyBatis一次執(zhí)行多條SQL語句的操作

    這篇文章主要介紹了MyBatis一次執(zhí)行多條SQL語句的操作,具有很好的參考價(jià)值,希望對大家有所幫助。一起跟隨小編過來看看吧
    2020-12-12
  • spring Boot查詢數(shù)據(jù)分頁顯示的方法實(shí)例

    spring Boot查詢數(shù)據(jù)分頁顯示的方法實(shí)例

    這篇文章主要給大家介紹了關(guān)于spring Boot查詢數(shù)據(jù)分頁顯示的相關(guān)資料,文中通過示例代碼介紹的非常詳細(xì),對大家學(xué)習(xí)或者使用spring Boot具有一定的參考學(xué)習(xí)價(jià)值,需要的朋友們下面來一起學(xué)習(xí)學(xué)習(xí)吧
    2020-08-08
  • java讀取word文檔,提取標(biāo)題和內(nèi)容的實(shí)例

    java讀取word文檔,提取標(biāo)題和內(nèi)容的實(shí)例

    這篇文章主要介紹了java讀取word文檔,提取標(biāo)題和內(nèi)容的實(shí)例,具有很好的參考價(jià)值,希望對大家有所幫助。一起跟隨小編過來看看吧
    2020-10-10
  • springboot訪問靜態(tài)資源遇到的坑及解決

    springboot訪問靜態(tài)資源遇到的坑及解決

    這篇文章主要介紹了springboot訪問靜態(tài)資源遇到的坑及解決,具有很好的參考價(jià)值,希望對大家有所幫助。如有錯(cuò)誤或未考慮完全的地方,望不吝賜教
    2022-03-03
  • 解決Mybatis查詢方法selectById()主鍵不一致問題

    解決Mybatis查詢方法selectById()主鍵不一致問題

    這篇文章主要介紹了解決Mybatis查詢方法selectById()主鍵不一致問題,具有很好的參考價(jià)值,希望對大家有所幫助。一起跟隨小編過來看看吧
    2020-10-10
  • Java中策略設(shè)計(jì)模式的實(shí)現(xiàn)及應(yīng)用場景

    Java中策略設(shè)計(jì)模式的實(shí)現(xiàn)及應(yīng)用場景

    策略設(shè)計(jì)模式是Java中一種常用的設(shè)計(jì)模式,它通過定義一系列算法并將其封裝成獨(dú)立的策略類,從而使得算法可以在不影響客戶端的情況下隨時(shí)切換。策略設(shè)計(jì)模式主要應(yīng)用于系統(tǒng)中存在多種相似的算法、需要靈活調(diào)整算法邏輯或者需要擴(kuò)展新的算法等場景
    2023-04-04
  • Spring MVC 執(zhí)行流程的簡述

    Spring MVC 執(zhí)行流程的簡述

    這篇文章主要介紹了Spring MVC 執(zhí)行流程的簡述,具有很好的參考價(jià)值,希望對大家有所幫助,如有錯(cuò)誤或未考慮完全的地方,望不吝賜教
    2023-09-09

最新評論