wangeditor 学习笔记,多个编辑界面使用"同一个工具栏"
connygpt 2024-10-05 14:49 5 浏览
记录自己的一次开发记录和各种需求wangeditor 使用场景,本次介绍的是wangeditor5在vue2中的使用。学会这个在vue3或者其他项目中,也是手拿把捏。慢慢看,终将有所收获。
1.基本使用
- 安装
- 案例效果
3. 代码如下<template>
<div style="border: 1px solid #ccc;">
<Toolbar v-show="showIndex===0" style="border-bottom: 1px solid #ccc" :editor="editor" :defaultConfig="toolbarConfig" :mode="mode" />
<div class="content">
<Editor style="height: 300px; overflow-y: hidden;" v-model="html" :defaultConfig="editorConfig" :mode="mode" @onCreated="onCreated" @onChange="onChange" @onDestroyed="onDestroyed" @onMaxLength="onMaxLength" @onFocus="onFocus" @onBlur="onBlur" @customAlert="customAlert" @customPaste="customPaste" />
</div>
</div>
</template>
<script>
import "@wangeditor/editor/dist/css/style.css";
import { Editor, Toolbar } from "@wangeditor/editor-for-vue";
export default {
components: { Editor, Toolbar },
data() {
return {
editor: null,
html: "<h2>2024-8-7 立秋</h2><p>阳气收,万物敛云天收夏色,木叶动秋声。</p>",
toolbarConfig: {},
editorConfig: { placeholder: "请输入内容..." },
mode: "default", // or 'simple'通过设置 **mode** 改变富文本模式, **'default'** 默认模式,基础所有功能。 **'simple'** 简洁模式,仅有常用功能。
showIndex: 0,
};
},
methods: {
onCreated(editor) {
this.editor = Object.seal(editor); // 一定要用 Object.seal() ,否则会报错
},
onChange(editor) {
console.log("onChange", editor.children);
},
onDestroyed(editor) {
console.log("onDestroyed", editor);
},
onMaxLength(editor) {
console.log("onMaxLength", editor);
},
onFocus(editor) {
console.log("onFocus", editor);
this.showIndex = 0;
},
onBlur(editor) {
console.log("onBlur", editor);
},
customAlert(info, type) {
window.alert(`customAlert in Vue demo\n${type}:\n${info}`);
},
customPaste(editor, event, callback) {
console.log("ClipboardEvent 粘贴事件对象", event);
// const html = event.clipboardData.getData('text/html') // 获取粘贴的 html
// const text = event.clipboardData.getData('text/plain') // 获取粘贴的纯文本
// const rtf = event.clipboardData.getData('text/rtf') // 获取 rtf 数据(如从 word wsp 复制粘贴)
// 自定义插入内容
editor.insertText("xxx");
// 返回 false ,阻止默认粘贴行为
event.preventDefault();
callback(false); // 返回值(注意,vue 事件的返回值,不能用 return)
// 返回 true ,继续默认的粘贴行为
// callback(true)
},
// 分割
},
mounted() {
// 模拟 ajax 请求,异步渲染编辑器
// setTimeout(() => {
// this.html = "<p>模拟 Ajax 异步设置内容 HTML</p>";
// }, 1500);
},
beforeDestroy() {
const editor = this.editor;
if (editor == null) return;
editor.destroy(); // 组件销毁时,及时销毁编辑器
},
};
</script>
<style scoped>
.content {
width: 100%;
height: 300px;
/* background-color: #fcfcfc; */
}
</style>
2. 多个编辑界面使用同一个工具栏
需求需要实现的效果,文章的小标题要不可修改。
这个需求也是花费了不少时间,实现的基本效果如下:
实现思路:
- 首先获取对应的编辑器文本格式,再统一处理成wangeditor所能识别的数据格式
- 多个编辑界面就显示多个工具栏,通过onFocus聚焦时,让用户看到的工具栏,也就是用户所选择的编辑器所对应的工具栏
- 注意onCreated这个函数的使用
实现过程,可以看下面的代码,慢慢看,终将会有所收获。具体的实现代码如下:<template>
<div style="border: 1px solid #ccc;">
<div v-for="(item,index) in list" :key="index">
<!-- 通过v-show隐藏工具栏,使得每个编辑界面只对应自己的工具栏 -->
<div v-show="showIndex===item.index">
<Toolbar style="border-bottom: 1px solid #ccc" :editor="item['editor'+item.index]" :defaultConfig="item['toolbarConfig'+item.index]" :mode="item['mode'+item.index]" />
</div>
</div>
<div class="content">
<div v-for="(item,index) in list" :key="index">
<h4>{{item['title'+item.index]}}</h4>
<Editor style="height: 100px; overflow-y: hidden;" v-model="item['html'+item.index]" :defaultConfig="item['editorConfig'+item.index]" :mode="item['mode'+item.index]" @onCreated="onCreated(item,$event)" @onChange="onChange" @onDestroyed="onDestroyed" @onMaxLength="onMaxLength" @onFocus="onFocus(item,editor)" @onBlur="onBlur" @customAlert="customAlert" @customPaste="customPaste" />
</div>
</div>
</div>
</template>
<script>
import "@wangeditor/editor/dist/css/style.css";
import { Editor, Toolbar } from "@wangeditor/editor-for-vue";
export default {
components: { Editor, Toolbar },
data() {
return {
editor: null,
html: "",
toolbarConfig: {},
editorConfig: { placeholder: "请输入内容..." },
mode: "default", // or 'simple'
// 分割
html1: "",
editor1: null,
toolbarConfig1: {},
editorConfig1: { placeholder: "请输入内容..." },
mode1: "default", // or 'simple'
showIndex: 1,
// 数据
list: [
{
index: 1,
title1: "标题一",
editor1: "",
html1: "",
editorConfig1: { placeholder: "请输入内容..." },
mode1: "default", // or 'simple'
toolbarConfig1: {},
},
{
index: 2,
title2: "标题二",
editor2: "",
html2: "",
editorConfig2: { placeholder: "请输入内容..." },
mode2: "default", // or 'simple'
toolbarConfig2: {},
},
{
index: 3,
title3: "标题三",
editor3: "",
html3: "",
editorConfig3: { placeholder: "请输入内容..." },
mode3: "default", // or 'simple'
toolbarConfig3: {},
},
],
indextag: 1,
};
},
computed: {},
methods: {
onCreated(item, $event) {
let editor = $event;
this.list[item.index - 1]["editor" + item.index] = Object.seal(editor); // 一定要用 Object.seal() ,否则会报错
console.log("onCreated", editor);
},
onChange(editor) {
console.log("onChange", editor.children);
},
onDestroyed(editor) {
console.log("onDestroyed", editor);
},
onMaxLength(editor) {
console.log("onMaxLength", editor);
},
onFocus(item, editor) {
this.indextag = item.index - 1; //list元素的下标
console.log("item", item);
console.log("onFocus", editor);
this.showIndex = item.index;
},
onBlur(editor) {
console.log("onBlur", editor);
},
customAlert(info, type) {
window.alert(`customAlert in Vue demo\n${type}:\n${info}`);
},
customPaste(editor, event, callback) {
console.log("ClipboardEvent 粘贴事件对象", event);
// const html = event.clipboardData.getData('text/html') // 获取粘贴的 html
// const text = event.clipboardData.getData('text/plain') // 获取粘贴的纯文本
// const rtf = event.clipboardData.getData('text/rtf') // 获取 rtf 数据(如从 word wsp 复制粘贴)
// 自定义插入内容
editor.insertText("xxx");
// 返回 false ,阻止默认粘贴行为
event.preventDefault();
callback(false); // 返回值(注意,vue 事件的返回值,不能用 return)
// 返回 true ,继续默认的粘贴行为
// callback(true)
},
},
mounted() {
// 模拟 ajax 请求,异步渲染编辑器
// setTimeout(() => {
// this.html = "<p>模拟 Ajax 异步设置内容 HTML</p>";
// }, 1500);
},
beforeDestroy() {
const editor = this.list[this.indextag]["editor" + (this.indextag + 1)];
if (editor == null) return;
editor.destroy(); // 组件销毁时,及时销毁编辑器
},
};
</script>
<style scoped>
.content {
width: 100%;
height: 300px;
background-color: #fcfcfc;
}
</style>
3. 边编辑边保存时,使用防抖
- 安装防抖函数库
npm install lodash
- 在Vue组件中引入并使用防抖函数<template>
<div>
<input type="text" v-model="searchText" @input="debouncedSearch" placeholder="Search...">
<ul>
<li v-for="result in searchResults" :key="result.id">{{ result.name }}</li>
</ul>
</div>
</template>
<script>
import { debounce } from 'lodash';
export default {
data() {
return {
searchText: '',
searchResults: [],
};
},
methods: {
// 防抖函数,延迟300毫秒执行搜索操作
debouncedSearch: debounce(function() {
// 执行搜索操作,例如发送网络请求或处理数据
// 可以在这里调用搜索函数
this.performSearch();
}, 300),
performSearch() {
// 在这里执行实际的搜索操作,例如发送网络请求或处理数据
// 使用this.searchText来获取输入的搜索文本
// 然后更新this.searchResults数组来显示搜索结果
},
},
};
</script>
- debounce函数延迟了debouncedSearch方法的执行,300毫秒内如果有新的输入,将重新计时,直到没有新的输入后触发performSearch方法进行实际的搜索操作。
- 通过使用防抖函数,可以节省资源并提高用户体验,避免在频繁触发的事件中重复执行操作。记得在组件销毁前取消防抖函数的注册,避免潜在的内存泄漏问题。
结合这个案例,可以在onChange的时候,进行防抖。如果事件被频繁触发,防抖能保证只有最后一次触发生效! 前面 N 多次的触发都会被忽略。
节流:如果事件被频繁触发,节流能够减少事件触发的频率,因此,节流是有选择性地执行一部分事件!
防抖相当于回城,节流相当于技能冷却
4. 图片和视频上传
onCreated是编辑器创建完毕时的回调函数
// 常事件如下:
onCreated1(editor) {
this.editor = Object.seal(editor)
console.log('onCreated', editor)
// 获取编辑器的配置
const editorConfig = this.editor.getConfig()
// 配置富文本图片的上传路径
editorConfig.MENU_CONF['uploadImage'] = {
// server对应的 是上传图片的接口
server: '/api/MyExperiencePrimary/UploadRichResFile',
fieldName: 'wangeditor-uploaded-image',
//这里的header是自己的请求头
headers: this.headers,
// 自定义插入图片
customInsert: (res, insertFn) => {
if (res.IsSuccess) {
这个数组是存储所有图片视频
this.conventionList.push(res.Data)
//insertFn 是回显插入的图片地址,地址由上传成功后端返回
insertFn(`/Content/ExperFile/${res.Data}`, '', '')
} else {
this.$message.error(res.ErrorMessage)
}
},
// 单个文件上传成功之后
onSuccess(file, res) {
console.log(`${file.name} 上传成功`, res.Data)
},
// 上传错误,或者触发 timeout 超时
onError(file, err, res) {
console.log(`${file.name} 上传出错`, err, res)
},
}
// 视频上传
editorConfig.MENU_CONF['uploadVideo'] = {
// 上传视频的配置
fieldName: 'wangeditor-uploaded-video',
// server对应的 是上传视频的接口
server: '/api/MyExperiencePrimary/UploadRichResFile',
maxFileSize: 1024 * 1024 * 300, // 300M
headers: this.headers,
// 自定义插入视频
customInsert: (res, insertFn) => {
//console.log(this.uploadFileArr)
console.log(res)
if (res.IsSuccess) {
this.conventionList.push(res.Data)
// 回显插入的视频
insertFn(`/Content/ExperFile/${res.Data}`, '')
} else {
this.$message.error(res.ErrorMessage)
}
},
onSuccess(file, res) {
console.log(`${file.name} 上传成功`, res)
},
onError(file, err, res) {
console.log(`${file.name} 上传出错`, err, res)
},
}
// // 预览事件 (自定义的)
// this.editor.on('preview', () => {
// this.editorPreHtml = this.editor.getHtml()
// console.log(this.editorPreHtml)
// this.isPreViewVisible = true
// })
// //#endregion
// // 自定义全屏
// this.editor.on('cusFullScreen', () => {
// this.cusFullScreen = !this.cusFullScreen
// console.log(this.cusFullScreen ? '全屏' : '退出全屏')
// })
// this.$nextTick(() => {
// //获取富文本中的图片和视频
// this.oldUploadFileArr = this.getUploadFile()
// console.log('初始时', this.oldUploadFileArr)
// })
},
在上传图片后,我们可能还会有删除图片的操作,删除的时候需要将后端的图片也删除掉。这里我给出我的思路
- 在上传成功之后,保存每次上传成功返回的图片数据
- 在onchange中获得所有的图片和视频数据,二者进行对比,过滤出需要删除的数据。
注:onchange编辑器内容、选区变化时的回调函数。
原文链接:https://juejin.cn/post/7407338184638496818
相关推荐
- 自学Python,写一个挨打的游戏代码来初识While循环
-
自学Python的第11天。旋转~跳跃~,我~闭着眼!学完循环,沐浴着while的光芒,闲来无事和同事一起扯皮,我说:“编程语言好神奇,一个小小的循环,竟然在生活中也可以找到原理和例子”,同事也...
- 常用的 Python 工具与资源,你知道几个?
-
最近几年你会发现,越来越多的人开始学习Python,工欲善其事必先利其器,今天纬软小编就跟大家分享一些常用的Python工具与资源,记得收藏哦!不然下次就找不到我了。1、PycharmPychar...
- 一张思维导图概括Python的基本语法, 一周的学习成果都在里面了
-
一周总结不知不觉已经自学Python一周的时间了,这一周,从认识Python到安装Python,再到基本语法和基本数据类型,对于小白的我来说无比艰辛的,充满坎坷。最主要的是每天学习时间有限。只...
- 三日速成python?打工人,小心钱包,别当韭菜
-
随着人工智能的热度越来越高,许多非计算机专业的同学们也都纷纷投入到学习编程的道路上来。而Python,作为一种相对比较容易上手的语言,也越来越受欢迎。网络上各类网课层出不穷,各式广告令人眼花缭乱。某些...
- Python自动化软件测试怎么学?路线和方法都在这里了
-
Python自动化测试是指使用Python编程语言和相关工具,对软件系统进行自动化测试的过程。学习Python自动化测试需要掌握以下技术:Python编程语言:学习Python自动化测试需要先掌握Py...
- Python从放弃到入门:公众号历史文章爬取为例谈快速学习技能
-
这篇文章不谈江流所专研的营销与运营,而聊一聊技能学习之路,聊一聊Python这门最简单的编程语言该如何学习,我完成的第一个Python项目,将任意公众号的所有历史文章导出成PDF电子书。或许我这个Py...
- 【黑客必会】python学习计划
-
阅读Python文档从Python官方网站上下载并阅读Python最新版本的文档(中文版),这是学习Python的最好方式。对于每个新概念和想法,请尝试运行一些代码片段,并检查生成的输出。这将帮助您更...
- 公布了!2025CDA考试安排
-
CDA数据分析师报考流程数据分析师是指在不同行业中专门从事行业数据搜集、整理、分析依据数据作出行业研究评估的专业人员CDA证书分为1-3级,中英文双证就业面广,含金量高!!?报考条件:满18...
- 一文搞懂全排列、组合、子集问题(经典回溯递归)
-
原创公众号:【bigsai】头条号:程序员bigsai前言Hello,大家好,我是bigsai,longtimenosee!在刷题和面试过程中,我们经常遇到一些排列组合类的问题,而全排列、组合...
- 「西法带你学算法」一次搞定前缀和
-
我花了几天时间,从力扣中精选了五道相同思想的题目,来帮助大家解套,如果觉得文章对你有用,记得点赞分享,让我看到你的认可,有动力继续做下去。467.环绕字符串中唯一的子字符串[1](中等)795.区...
- 平均数的5种方法,你用过几种方法?
-
平均数,看似很简单的东西,其实里面包含着很多学问。今天,分享5种经常会用到的平均数方法。1.算术平均法用到最多的莫过于算术平均法,考试平均分、平均工资等等,都是用到这个。=AVERAGE(B2:B11...
- 【干货收藏】如何最简单、通俗地理解决策树分类算法?
-
决策树(Decisiontree)是基于已知各种情况(特征取值)的基础上,通过构建树型决策结构来进行分析的一种方式,是常用的有监督的分类算法。决策树算法是机器学习中的一种经典算法,它通过一系列的规则...
- 面试必备:回溯算法详解
-
我们刷leetcode的时候,经常会遇到回溯算法类型题目。回溯算法是五大基本算法之一,一般大厂也喜欢问。今天跟大家一起来学习回溯算法的套路,文章如果有不正确的地方,欢迎大家指出哈,感谢感谢~什么是回溯...
- 「机器学习」决策树——ID3、C4.5、CART(非常详细)
-
决策树是一个非常常见并且优秀的机器学习算法,它易于理解、可解释性强,其可作为分类算法,也可用于回归模型。本文将分三篇介绍决策树,第一篇介绍基本树(包括ID3、C4.5、CART),第二篇介绍Ran...
- 大话AI算法: 决策树
-
所谓的决策树算法,通俗的说就是建立一个树形的结构,通过这个结构去一层一层的筛选判断问题是否好坏的算法。比如判断一个西瓜是否好瓜,有20条西瓜的样本提供给你,让你根据这20条(通过机器学习)建立起...
- 一周热门
- 最近发表
- 标签列表
-
- kubectlsetimage (56)
- mysqlinsertoverwrite (53)
- addcolumn (54)
- helmpackage (54)
- varchar最长多少 (61)
- 类型断言 (53)
- protoc安装 (56)
- jdk20安装教程 (60)
- rpm2cpio (52)
- 控制台打印 (63)
- 401unauthorized (51)
- vuexstore (68)
- druiddatasource (60)
- 企业微信开发文档 (51)
- rendertexture (51)
- speedphp (52)
- gitcommit-am (68)
- bashecho (64)
- str_to_date函数 (58)
- yum下载包及依赖到本地 (72)
- jstree中文api文档 (59)
- mvnw文件 (58)
- rancher安装 (63)
- nginx开机自启 (53)
- .netcore教程 (53)