Vue 表单拖拽

预计阅读时间: 2 分钟

业务需求:

  因为数据展示使用的是 elementUITable 进行数据展示的,现在的需求是通过拖拽表单进行表单排序。同时,动态修改表单中的数据排列顺序。查阅了好多资料,也翻看了好多 github 上别人封装好的表单插件,但是最终都不是自己想要的,其中主要原因就是,后台管理系统页面中,同一个窗口可能涉及到多个 表单拖拽排序,与此同时,使用部分插件就有可能导致数据更新不及时,或者下次在使用的时候,数据无论如何赋值就是更新不成功,导致最终渲染的要拖拽的表单一会有数据,一会无数据的,体验很不好。

解决方案:

  选取了好多封装好的插件,都没有达到自己想要的效果。偶然间看到有人提示使用原生拖拽的方式来解决表单托拖拽排序的问题。最终,我采用 sortablejs 结合原生 DOM 节点操作的方式,对表单元素数据进行剪切、拼接处理等方式,最终达到理想效果。

操作步骤:

  • 首先安装 sortablejs 插件
npm
yarn
pnpm
bun
1npm install sortablejs
  • 引用 sortablejs 插件(全局使用,或组件内使用)
引入插件
1import Sortable from "sortablejs";
  • Table 相关代码
代码示例
1<template>
2	<div class="drag_table">
3		<!-- row-key 排序依据的参数,此处不能使用 index 作为排序的依据 -->
4		<!-- highlight-current-row:单击选中行高亮 -->
5		<el-table :data="dragList" ref="dragTable" row-key="id" border stripe highlight-current-row>
6			<el-table-column label="序号" type="index" width="50" align="center"></el-table-column>
7			<el-table-column label="ID" prop="id" align="center"></el-table-column>
8			<el-table-column label="姓名" prop="name" show-overflow-tooltip></el-table-column>
9			<!-- 性别判断,使用 prop 属性 -->
10			<el-table-column label="性别" prop="sex">
11				<template slot-scope="scope">
12					<el-tag>{{ scope.row.sex === 0 ? '女' : '男' }}</el-tag>
13				</template>
14			</el-table-column>
15			<!-- 从排序表单中移除表单元素 -->
16			<el-table-column label="操作" width="66" align="center">
17				<template slot-scope="scope">
18					<el-button type="danger" icon="el-icon-delete" plain @click="delItem(scope.$index)">移除</el-button>
19				</template>
20			</el-table-column>
21		</el-table>
22	</div>
23</template>
  • JavaScript 逻辑代码
逻辑代码
1// 引入排序插件
2import Sortable from "sortablejs";
3
4export default {
5	name: "DragTable",
6	data() {
7		return {
8			sortable: null /* 表单拖拽 */,
9			dragList: [
10				{
11					id: 1,
12					name: "张三",
13					sex: 1
14				},
15				{
16					id: 2,
17					name: "李四",
18					sex: 0
19				},
20				{
21					id: 3,
22					name: "王五",
23					sex: 0
24				},
25				{
26					id: 4,
27					name: "赵六",
28					sex: 1
29				}
30			]
31		};
32	},
33	mounted() {
34		// 等待数据渲染完成再加初始化拖拽表单
35		this.$nextTick(() => {
36			this.initSortTable();
37		});
38	},
39	methods: {
40		// 移除数据
41		delItem(index) {
42			this.dragList.splice(index, 1);
43		},
44		// 初始化拖拽表单
45		initSortTable() {
46			// const elTag = this.$refs['dragTable'].$el.querySelectorAll(".el-table__body-wrapper > table > tbody")[0];
47
48			// 获取 el-table
49			const tableTag = this.$refs["dragTable"].$el;
50
51			// 获取 tbody 节点
52			const elTbody = tableTag.querySelectorAll(".el-table__body-wrapper > table > tbody")[0];
53			// 拖拽排序
54			this.sortable = Sortable.create(elTbody, {
55				onEnd: evt => {
56					const tempIndex = this.dragList.splice(evt.oldIndex, 1)[0];
57					this.dragList.splice(evt.newIndex, 0, tempIndex);
58				}
59			});
60		}
61	}
62};