基于element-plus定义表格行内编辑配置化

文章目录

  • 前言
  • 一、新增table组件
  • 二、使用步骤


前言

在 基于element-plus定义表单配置化 基础上,封装个Element-plus的table表格
由于表格不同于form组件,需自定义校验器,以下组件配置了单个校验,及提交统一校验方法,且自定义必填校验*显示和校验错误部分边框标红等,实际可根据业务及不同场景优化改造相关定义

后期抽空新增表格行及删除行等功能,

在这里插入图片描述


一、新增table组件

  • table-configuration/index.vue
<template>
  <el-table
    border
    ref="tableRef"
    :show-header="showHeader"
    :data="tableData"
    style="width: 100%"
    tooltip-effect
    :max-height="tablemaxHeight"
  >
    <el-table-column type="selection" :fixed="selectionFixed" width="55" v-if="hasSelection"/>
    <template v-for="(item, index) in tableProperty" :key="item">
      <el-table-column
        :align="align"
        :sortable="item.sortable"
        :min-width="item.width"
        :show-overflow-tooltip="showOverflowTooltip"
        :label="item.label"
      >
        <template #header>
          <div :class="[getTableHeader(item.property.rules)]" v-html="item.label"></div>
        </template>
        <template #default="scope">
          <component 
            :class="[scope.$index >=0 && getIsErrorClass(scope.$index, index)]"
            v-model:content="scope.row[item.field]"
            v-model="scope.row[item.field]"
            :property="{...item.property, name: item.field}"
            :is="item.type"
            @fieldBlur="(val) => blur(val, item, scope.$index, index)"
            @fieldChange="(val) => change(val, item, scope.$index, index)" />
        </template>
      </el-table-column>
    </template>
  </el-table>
</template>
<script lang="ts" src="./index.ts"/>
<style lang="less">
.is-error .el-select-v2__wrapper,.is-error .el-select-v2__wrapper:focus,.is-error .el-textarea__inner,.is-error .el-textarea__inner:focus {
  box-shadow: 0 0 0 1px var(--el-color-danger) inset
}

.is-error .el-input__wrapper {
  box-shadow: 0 0 0 1px var(--el-color-danger) inset
}
.table {
  &_header:before {
    content: "*";
    color: var(--el-color-danger);
    margin-right: 4px;
  }
}
</style>
  • table-configuration/index.ts
import { tableHooks } from "@/composables/table-hooks";
import { computed, defineComponent, reactive, ref } from "vue";
import Input from "@/components/form-configuration/input.vue";
import Select from "@/components/form-configuration/select.vue";
import Vhtml from "@/components/form-configuration/v-html.vue";
import Upload from "@/components/form-configuration/upload.vue";
import Switch from "@/components/form-configuration/switch.vue";
import Radio from "@/components/form-configuration/radio.vue";
import Checkbox from "@/components/form-configuration/checkbox.vue";
import Date from "@/components/form-configuration/date.vue";
import Cascader from "@/components/form-configuration/cascader.vue";
import { isArray } from "lodash-es";
import { ElMessage } from "element-plus";
import type { rulesType } from "@/interface";

const ruleType = {
  required: false,
  message: '',
  trigger: '',
  validator: (val: any) =>{return val}
}
const fieldProperty = {
  label: 'demo',
  type: 'Input',
  field: 'demo',
  width: '120px',
  err: '',
  property: {
    maxlength: 200,
    rules: [ruleType]
  }
}
export default defineComponent({
  components: {
    Input,
    Select,
    Vhtml,
    Upload,
    Switch,
    Radio,
    Checkbox,
    Date,
    Cascader,
  },
  props: {
    align: {
      type: String,
      default: 'left', // left / center / right
    },
    showHeader: {
      type: Boolean,
      default: true,
    },
    selectionFixed: {
      type: Boolean,
      default: false,
    },
    showOverflowTooltip: {
      type: Boolean,
      default: true,
    },
    hasSelection: {
      type: Boolean,
      default: false,
    },
    property: {
      type: Object,
      default() {
        return [ fieldProperty ];
      },
    },
    data: {
      type: Object,
      default() {
        return {};
      },
    },
  },
  setup(props, { emit }) {
    const { tablemaxHeight } = tableHooks();
    const tableRef = ref()
    const tableData = computed({
      get() {
        return props.data;
      },
      set(val) {
        emit("update:data", val);
      },
    });
    const noType = 'noType'
    const tableProperty = computed(() => props.property);
    const blur = (val: any, item: typeof fieldProperty, rowIndex: number, colIndex: number) => {
      let arr: Array<boolean> = []
      if (item.property.rules && isArray(item.property.rules)) {
        arr = validateForField(item, val, 'blur', rowIndex, colIndex)
      }
      if (!arr.length) {
        emit('blur', {
          val, field: item.field, rowIndex, colIndex
        }) // 触发
        clearIsError(rowIndex, colIndex)
      }
    }
    const change = (val: any, item: typeof fieldProperty, rowIndex: number, colIndex: number) => {
      let arr: Array<boolean> = []
      if (item.property.rules && isArray(item.property.rules)) {
        arr = validateForField(item, val, 'change', rowIndex, colIndex)
      }
      if (!arr.length) {
        emit('change', {
          val, field: item.field, rowIndex, colIndex
        }) // 触发
        clearIsError(rowIndex, colIndex)
      }
    }
    const isError = ref<{rowIndex: number, colIndex: number}[]>([])
    const validateForField = (item: typeof fieldProperty, val: any, type: string, rowIndex: number, colIndex: number) => {
      let arr: Array<boolean> = []
      item.property.rules.forEach((valid) => {
        const types = [valid.trigger, noType]
        if (valid.required && !val) {
          ElMessage.error(valid.message)
          arr.push(false)
          isError.value.push({
            rowIndex, colIndex,
          })
          return
        }
        if (!valid.required && !val || !types.includes(type)) return
        if (!valid.validator) return
        const bool = valid.validator(val)
        if (!bool) {
          ElMessage.error(valid.message)
          arr.push(bool)
          isError.value.push({
            rowIndex, colIndex,
          })
        }
      })
      return arr
    }
    const clearIsError = (rowIndex: number, colIndex: number) => {
      if (rowIndex === -1) {
        isError.value = []
      } else {
        isError.value = isError.value.filter((item) => {
          return !((item.rowIndex === rowIndex) && (item.colIndex === colIndex))
        })
      }
    }
    const validate = () => {
      let arr: Array<boolean> = []
      clearIsError(-1, -1)
      tableData.value.forEach((data: object, rowIndex: number) => {
        tableProperty.value.forEach((tabPro: any, colIndex: number) => {
          if (!tabPro.property.rules) return
          const field = tabPro.field as keyof typeof data
          arr.push(...validateForField(tabPro, data[field], noType, rowIndex, colIndex))
        });
      });
      return !arr.length
    }
    const getIsErrorClass = computed(() => {
      return (rowIndex: number, colIndex: number) => {
        let bool = false
        isError.value.forEach((error) => {
          (error.rowIndex === rowIndex) && (error.colIndex === colIndex) && (bool = true)
        })
        return bool ? 'is-error' : ''
      }
    })
    const getTableHeader = (rules: rulesType[]) => {
      if (!rules) return ''
      return !!rules.filter((item) => item.required).length ? 'table_header' : ''
    }
    return {
      tableRef,
      tablemaxHeight,
      tableProperty,
      tableData,
      isError,
      getIsErrorClass,
      getTableHeader,
      change,
      blur,
      validate
    };
  },
});

二、使用步骤

<TableConfiguration
   ref="supplierListRef"
   v-model:data="supplierListEntity.product"
   :hasSelection="true"
   :selectionFixed="true"
   :property="tableProperty"
   align="center"
   />
import { defineComponent, reactive, ref } from 'vue'
import TableConfiguration from '@/components/table-configuration/index.vue'
export default defineComponent({
  components: {
    TableConfiguration
  },
  setup() {
    const tableRef = ref()
    const tableProperty = reactive([
      { label: 'Input01', type: 'Input', field: 'Input01',  property: {
        maxlength: 500,
        rules: [{ required: false, message: 'error', trigger: 'blur', validator: (value: string) => {
          return /^\+?[1-9][0-9]*$/.test(value)
        }}]
      }},
      { label: 'Input02', type: 'Input', field: 'Input02', width: '200px', property: {
        maxlength: 500,
        rules: [{ required: true, message: 'error', trigger: 'blur' }]
      }}
    ])
    const tableEntity = reactive({
      table: [{
        Input01: '',
        Input02: '',
      }]
    })
    const validate = () => {
      tableRef.value.validate()
    }
    return {
      tableRef,
      tableProperty,
      tableEntity,
      validate
    }
  },
})


本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:/a/127514.html

如若内容造成侵权/违法违规/事实不符,请联系我们进行投诉反馈qq邮箱809451989@qq.com,一经查实,立即删除!

相关文章

python核心编程速记【笔记迁移】

笔记速记 1.python非常注重缩进&#xff0c;这是它的显著特征之一。 2.import相当于头文件声明模块。 3.利用type函数 type(a)可以查看当前变量类型。 isinstance可以比较两个数据类型并返回一个布尔值。 4.这里面的可直接使用and和or作为一个函数 5.python的算法比较贴合…

新生儿疝气:原因、科普和注意事项

引言&#xff1a; 新生儿疝气是一种在婴儿中相对较常见的状况&#xff0c;很多新父母可能对这一现象感到困惑和焦虑。疝气发生时&#xff0c;内腹腔的一部分可能穿过腹壁的弱点&#xff0c;导致腹部出现凸起。本文将科普新生儿疝气的原因&#xff0c;提供相关信息&#xff0c;…

Jenkins CICD过程常见异常

1 Status [126] Exception when publishing, exception message [Exec exit status not zero. Status [126] 1.1 报错日志 SSH: EXEC: STDOUT/STDERR from command [/app/***/publish.sh] ... bash: /app/***/publish.sh: Permission denied SSH: EXEC: completed after 200…

PHP 使用递归方式 将其二维数组整合为层级树 其中层级id 为一个uuid的格式 造成的诡异问题 已解决

不啰嗦 直接上源代码 <?php function findChildren($list, $p_id){$r array();foreach ($list as $k > $item) {if ($item[fid] $p_id) {unset($list[$k]);$length count($r);$r[$length] $item;if ($t findChildren($list, $item[id])) {$r[$length][children] …

基于SSM的学生档案管理系统设计与实现

末尾获取源码 开发语言&#xff1a;Java Java开发工具&#xff1a;JDK1.8 后端框架&#xff1a;SSM 前端&#xff1a;采用JSP技术开发 数据库&#xff1a;MySQL5.7和Navicat管理工具结合 服务器&#xff1a;Tomcat8.5 开发软件&#xff1a;IDEA / Eclipse 是否Maven项目&#x…

android开发布局知识

插件开发的视频笔记&#xff1a;

跨境电商一定要做跨境独立站的6个原因!一键对接电商API接口瞬间拥有全球各大平台几十亿商品

跨境电商为什么要做独立站&#xff1f;它的优势又有哪一些&#xff1f; 如果说我们的企业是做BtoB的跨境电商&#xff0c;那今天这个内容一定要看仔细。 拥有了独立站你就是最高权力者&#xff0c;一切尽在自己掌控中&#xff01; 第一呢&#xff0c;独立站它就是我们自己做的…

IP行业API助力于网络分析和数据挖掘

引言 在当今数字化时代&#xff0c;数据成为了企业、科研机构和政府决策者的重要资源&#xff0c;而IP行业API则成为了数据分析及挖掘的工具之一。IP行业API是一种能够查询IP地址所属的行业分类信息的应用程序接口&#xff0c;它能够提供在网络分析、用户行为分析及大数据挖掘…

【PG】PostgreSQL13主从流复制部署(详细可用)

目录 版本 部署主从注意点 1 主库上创建复制用户 2 主库上修改pg_hba.conf文件 3 修改文件后重新加载配置使其生效 4 主库上修改配置文件 5 重启主库pg使参数生效 6 部署从库 7 备份主库数据至从库 停止从库 备份从库的数据库目录 新建数据库数据目录data 创建和…

客户服务质量提升的三种思路

客户服务质量是企业在市场竞争中立于不败之地的重要因素之一&#xff0c;优秀的客户服务不仅可以提高客户满意度&#xff0c;还可以提高客户黏度和回头率。随着经济的发展&#xff0c;客户服务行业也在不断发展壮大。在这个竞争激烈的行业中&#xff0c;企业如何提高客户服务质…

送水服务预约小程序内容该如何做

无论小区还是办公楼等场景&#xff0c;送水服务往往有较高需求&#xff0c;同时该服务属于长期稳定性的&#xff0c;因此对品牌来说&#xff0c;如何打造品牌获取更多用户及转化非常重要&#xff0c;然而在实际订水过程中&#xff0c;又会面临着一些难题&#xff1a; 1、品牌传…

基于SSM的学院就业信息网设计与实现

末尾获取源码 开发语言&#xff1a;Java Java开发工具&#xff1a;JDK1.8 后端框架&#xff1a;SSM 前端&#xff1a;采用JSP技术开发 数据库&#xff1a;MySQL5.7和Navicat管理工具结合 服务器&#xff1a;Tomcat8.5 开发软件&#xff1a;IDEA / Eclipse 是否Maven项目&#x…

【FPGA】正确处理设计优先级--或许能帮你节省50%的资源

概述 假如现在有一种方法–可以在不怎么需要修改已有设计的情况下&#xff0c;就可以帮您节省50%的设计资源&#xff0c;那你会试试看吗&#xff1f; 当前市场环境下&#xff0c;更低廉的成本却可获得同等性能无疑是极具诱惑的。本文将介绍一种FPGA设计技术&#xff0c;该技术…

docker创建并访问本地前端

docker创建并访问本地前端&#xff0c;直接上命令&#xff1a; 安装nginx镜像&#xff1a; docker pull nginx 查看已安装的nginx&#xff1a; docker images 创建DockerFile文件&#xff0c;直接在当前文件夹种创建 touch Dockerfile 在Dockerfile写入内容&#xff1a; F…

ISP算法——UVNR

ISP算法——UVNR 概念简介 UVNR也就是经过CSC只有在YUV域对UV两个色域进行降噪&#xff0c;在有些方案里也叫CNR&#xff08;chroma noise reduction&#xff09;。主要就是在YUV域针对彩燥进行特殊处理的一系列算法。 关于噪声产生的原因在前面关于降噪的文章和视频中已经做…

Redis系列-Redis性能优化与安全【9】

目录 Redis系列-Redis性能优化与安全【9】Redis性能优化策略Redis安全设置与防护措施Redis监控与诊断工具介绍 七、Redis应用案例与实战八、Redis未来发展与趋势 个人主页: 【⭐️个人主页】 需要您的【&#x1f496; 点赞关注】支持 &#x1f4af; Redis系列-Redis性能优化与安…

基于Springboot的智慧食堂设计与实现(有报告)。Javaee项目,springboot项目。

演示视频&#xff1a; 基于Springboot的智慧食堂设计与实现&#xff08;有报告&#xff09;。Javaee项目&#xff0c;springboot项目。 前些天发现了一个巨牛的人工智能学习网站&#xff0c;通俗易懂&#xff0c;风趣幽默&#xff0c;忍不住分享一下给大家。点击跳转到网站。 项…

数据结构: unordered_map与unordered_set

目录 1.框架 2.结构 unordered_map unordered_set 3.对HashTable的修改 更改模板参数 4.增加迭代器 a.结构 b.运算符重载 c.HashTable封装迭代器 d.unordered_map与unordered_set的迭代器 1.框架 1.复用HashTable ~~> 增加模板参数KeyOfT 来获取 Key值 unorder…

『Nacos』 入门教程

前言 本文为 Nacos 平台快速入门教程&#xff0c;本文将会使用通俗易懂的语言手把手带您了解、使用 Nacos 平台&#xff0c;适合未接触过 Nacos 的初学者 官方手册&#xff1a;Nacos | Nacos 官方仓库&#xff1a;alibaba/nacos 版本&#xff1a;2.X 本文示例代码仓库&#xf…

Ansible自动化运维工具(常用模块与命令)

ansible基于Python开发&#xff0c;实现了批量系统配置&#xff0c;批量程序部署&#xff0c;批量运行命令等功能 ansible特点 部署简单&#xff0c;只需在主控端部署Ansible环境&#xff0c;被控端无需做任何操作&#xff1b;默认使用ssh协议对设备进行管理&#xff1b;有大…