vue2企业级项目(七)

vue2企业级项目(七)

组件封装

  • src目录下创建components/index.js

    const components = require.context("./modules", true, /index\.js$/);export default {install: (Vue) => {components.keys().forEach((key) => {let component = components(key).default;component && Vue.component(component.name, component);});},
    };
  • 创建src/components/modules目录

1、form

  • modules下创建modules/x-form/index.js

    import XForm from "./index.vue";
    export default XForm;
  • 创建modules/x-form/index.vue

    <script>
    import { cloneDeep } from "lodash";
    import {getDefaultValue,getPlaceholder,getRules,createInput,
    } from "../../createInput.js";/*** 配置说明文档* @param { Array } columns: 表单配置项* @param { String } labelWidth: 设置el-form-item的label宽度。(优先级低于item)* @param { Number } contentSpan: 设置el-form-item的内容占比宽度* @param { Object } defaultValue: 设置el-form的默认值。(优先级低于item)* @param { Object } rules: 设置el-item的校验规则。(优先级低于item)* @param { Number } gutter: 设置el-row的gutter* @param { Number, Array } grid: 设置el-col的span,如果没有,则不创建el-col* @param { Boolean } disabled: 表单统一仅用。(优先级低于item)** @param { Boolean } ctrl: 是否显示表单控制按钮* @param { Boolean } submitBtn: 是否显示提交按钮* @param { String } submitText: 提交按钮内容* @param { Boolean } resetBtn: 是否显示重置按钮* @param { String } resetText: 重置按钮内容** @param { Function } submit: 表单提交方法,返回表单值和校验结果* @param { Function } reset: 表单重置方法* @param { Function } clear: 表单清空方法* @param { Function } getFormByKey: 获取表单单值方法* @param { Function } getForm: 获取表单全值方法* @param { Function } setForm: 设置表单单值方法*//*** 表单配置项 columns-item* @param { Object } form: 单独作用form的配置* @param { Object } table: 单独作用table的配置* @param { Object } search: 单独作用search的配置* 以上的配置和下面一样,但优先级高*** @param { String } type: 表单控件的类型。(参考element-ui的控件类型)* @param { String } label: 字段名称* @param { String } prop: 字段绑定key* @param { Any } default: 控件默认值。(级别最高)* @param { String } placeholder: 提示信息* @param { Array } rules: 校验规则。(级别最高)* @param { Number } order: 排序序号。(大到小)* @param { Number } span: 当前表单控件col占比。(级别高)* @param { Object } col: el-col的其他配置。(级别最高)* @param { String } labelWidth: label的宽度。(级别最高)* @param { Number } contentSpan: 内容占比宽度* @param { Boolean } required: 是否必填* @param { Boolean } disabled: 是否禁用。(权限最高)** @param { Object } children: 子节点, (一个el-form-item里面多个控件)* @param { Number } gutter: 子节点的el-row的gutter。(仅在设置children后生效)* @param { Number, Array } grid: 子节点的栅格布局col排布** @param { Object } className: 表单控件的类名,对象的形式:{ box: true }* @param { Object } style: 样式控制* @param { Object } attrs: element-ui表单控件的attribute,参考element-ui文档。* @param { Object } props: element-ui表单控件的props。(有的时候文档上写的时attrs设置,其实时props设置。所以不生效的时候可以尝试一下)* @param { Object } on: 表单控件的绑定事件。{ input: (value) => console.log(value) }* @param { Array } options: radio,checkbox, select, cascader,* @param { String } text: button按钮的文字内容* @param { String } btnType: button按钮的类型* @param { String } btnIcon: button的icon* @param { String } marking: button的标记* @param { Boolean } hasFilter: 是否进行筛选,只有存在options才可以进行** @param { Function } slotDefault: el-table-column 的 default的插槽* @param { Function } slotHeader: el-table-column 的 header的插槽*/export default {name: "XForm",props: {labelWidth: String,columns: {type: Array,default: () => [],},defaultValue: {type: Object,default: () => ({}),},contentSpan: {type: Number,default: 24,},rules: {type: Object,default: () => ({}),},gutter: {type: Number,default: 0,},grid: [Number, Array],disabled: Boolean,ctrl: {type: [Boolean, String],default: "left",},submitBtn: {type: Boolean,default: true,},submitText: {type: String,default: "提交",},resetBtn: {type: Boolean,default: true,},resetText: {type: String,default: "重置",},},render(h) {return h("el-form",{attrs: { ...this.$attrs },props: {model: this.form,},style: {padding: `0 ${this.gutter / 2}px`,},ref: "form",nativeOn: {submit(e) {e.preventDefault();e.stopPropagation();},},},[this.renderRow(h, this.fields, this.gutter), this.$slots.default],);},data() {return {form: {},fields: [],};},watch: {columns: {immediate: true,deep: true,handler() {this.init();},},},methods: {init() {let form = cloneDeep(this.form);// 获取配置属性this.fields = this.handleFieldsChild(form, this.columns);// 添加校验按钮if (this.ctrl) {let _this = this;this.fields.push({render: ({ h }) => {return h("div",{class: { formBtns: true },style: {textAlign: this.ctrl,},},[_this.submitBtn &&createInput(h,{type: "button",btnType: "primary",text: _this.submitText,on: {click: _this.submit,},},_this,),_this.resetBtn &&createInput(h,{type: "button",text: _this.resetText,on: {click: _this.reset,},},_this,),],);},});}this.form = { ...form };},handleFieldsChild(form, columns, parent = null) {let fields = columns.filter((item) => item?.isShow !== false);fields = fields.map((item) => {let formItem = { ...item, ...item?.form };delete formItem.table;delete formItem.search;delete formItem.form;if (formItem.children && Array.isArray(item.children)) {formItem.children = this.handleFieldsChild(form,formItem.children,formItem,);}if (parent && !formItem.label) formItem.label = parent?.label;getDefaultValue(form, this.defaultValue, formItem);getPlaceholder(formItem);getRules(formItem, this.rules);if (parent) {formItem.grid = parent?.grid;delete formItem.label;}return formItem;});fields = fields.sort((a, b) => (b?.order || 0) - (a?.order || 0));return fields;},renderRow(h, fields, gutter, isChild = false) {let style = null;if (isChild) {style = {position: "relative",left: `-${gutter / 2}px`,marginLeft: "0",marginRight: "0",width: `calc(100% + ${gutter}px)`,};}return h("el-row",{ attrs: { gutter }, style },this.renderItem(h, fields, isChild),);},renderItem(h, fields, isChild) {return fields.map((item, index) =>this.renderCol(h, { ...item, isChild }, index),);},renderCol(h, item, index) {delete item.order;const gridConfig = item.grid || this.grid;let grid = 0;if (typeof gridConfig === "number") grid = gridConfig;if (Array.isArray(gridConfig))grid = this.grid[index % gridConfig?.length];let span = item.span || item?.col?.span || grid;if (span) {return h("el-col",{class: { "form-item-col": true },attrs: { span, ...item.col },},[this.renderFormItem(h, item)],);} else {return this.renderFormItem(h, item);}},renderFormItem(h, item) {let labelWidth = item?.labelWidth || this.labelWidth || "0px";let isChild = item.isChild;let hasChild = Array.isArray(item.children);if (isChild) labelWidth = "0px";delete item?.labelWidth;delete item?.isChild;let childDom = null;if (hasChild) {const gutter = item?.gutter || this.gutter;const children = item?.children || [];childDom = this.renderRow(h, children, gutter, true);} else {childDom = h("el-col",{attrs: {span: isChild ? 24 : item.contentSpan || this.contentSpan,},},[createInput(h, { ...item }, this)],);}delete item?.children;delete item?.gutter;let itemRender = null;if (item.render && typeof item.render === "function") {itemRender = item.render({h: this.getHypeScript(),value: this.form[item.prop],item,_this: this,});}delete item.render;return h("el-form-item",{style: { marginBottom: hasChild ? "0px" : "22px" },attrs: { ...item, labelWidth },},[childDom, itemRender],);},// 表单方法getHypeScript() {return this.$parent.$createElement;},submit() {this.$refs.form.validate((valid) => {this.$emit("submit", this.getForm(), valid);});},reset() {this.$refs.form.resetFields && this.$refs.form.resetFields();this.form = {};this.init();this.$emit("reset");},clear() {this.$refs.form.clearValidate && this.$refs.form.clearValidate();},getFormByKey(key) {return this.form[key];},getForm() {return this.form;},setForm(key, value) {key && (this.form[key] = value);},},
    };
    </script>
  • src/components创建createInput.js

    import { isEqual } from "lodash";export const tagsMenu = new Map([["text", "el-input"],["xnumber", "x-input-number"],["button", "el-button"],["input", "el-input"],["password", "el-input"],["textarea", "el-input"],["number", "el-input-number"],["radio", "el-radio-group"],["radio-item", "el-radio"],["radio-button", "el-radio-button"],["checkbox", "el-checkbox-group"],["checkbox-item", "el-checkbox"],["checkbox-button", "el-checkbox-button"],["select", "el-select"],["select-group", "el-option-group"],["select-item", "el-option"],["cascader", "el-cascader"],["switch", "el-switch"],["slider", "el-slider"],["time-select", "el-time-select"],["time", "el-time-picker"],["date", "el-date-picker"],["rate", "el-rate"],["color", "el-color-picker"],["transfer", "el-transfer"],
    ]);export const defaultValuesMenu = new Map([["radio", ""],["checkbox", []],["text", ""],["input", ""],["password", ""],["textarea", ""],["number", ""],["xnumber", ""],["select", null],["cascader", null],["switch", ""],["slider", 0],["time-select", ""],["time", ""],["date", ""],["rate", null],["color", null],["transfer", []],
    ]);export function getDefaultValue(form, defaultValue = {}, item) {if (!item.prop) return;let value = defaultValuesMenu.get(item.type);if (item?.props?.multiple || item?.props?.isRange) value = [];form[item.prop] =form[item.prop] || item.default || defaultValue[item.prop] || value;
    }export function getPlaceholder(item) {const inputTypes = ["input", "password", "textarea", "number", "xnumber"];const selectType = ["select", "cascader", "time-select", "time", "date"];const dateRangeTypes = ["datetimerange", "daterange", "monthrange"];item.attrs = item.attrs || {};item.props = item.props || {};// 添加date-range的标识if (item.props?.type && dateRangeTypes.includes(item.props.type)) {item.props.isRange = true;}if (item.placeholder) {item.attrs.placeholder = item.placeholder;} else {if (inputTypes.includes(item.type))item.attrs.placeholder = `请输入${item.label}`;if (selectType.includes(item.type))item.attrs.placeholder = `请选择${item.label}`;if (item.props.isRange) {item.props.startPlaceholder = `请选择开始${item.label}`;item.props.endPlaceholder = `请选择结束${item.label}`;}}return item;
    }export function getRules(item, rules) {if (item.rules) return item;else if (rules && rules[item.prop]) {item.rules = rules[item.prop];} else if (item.required) {item.rules = [{required: true,message:item.attrs.placeholder ||item.props.startPlaceholder ||item.props.endPlaceholder,trigger: "blur",},];}return item;
    }export function createInput(h, item, _this) {item.attrs = {type: item.type,options: item.type === "cascader" ? item.options : null,...item.attrs,};item.props = {disabled: item.disabled !== undefined ? item.disabled : _this.disabled,...item.props,};if (item.btnType) item.attrs.type = item.btnType;if (item.btnIcon) item.attrs.icon = item.btnIcon;if (item.marking) item.attrs.marking = item.marking;item.style = {width: item.type !== "button" ? "100%" : null,...item.style,};let {type,prop,className = {},style = {},attrs = {},props = {},on = {},text = "",} = item;const config = {type,prop,class: className,style,attrs,props,on,text,children: generateOptions(h, item) || [],};if (type === "time-select" || type === "date") {let minTimeKey = props?.pickerOptions?.minTimeKey;let maxTimeKey = props?.pickerOptions?.maxTimeKey;if (minTimeKey) {if (type === "time-select") {config.props = {...config.props,pickerOptions: {...config.props.pickerOptions,minTime: _this.form[minTimeKey],},};} else {let disabledDate = config.props.pickerOptions.disabledDate;if (typeof disabledDate === "function") {config.props = {...config.props,pickerOptions: {...config.props.pickerOptions,disabledDate: (time) =>disabledDate(time, _this.form[minTimeKey]),},};}}}if (maxTimeKey) {if (type === "time-select") {config.props = {...config.props,pickerOptions: {...config.props.pickerOptions,maxTime: _this.form[maxTimeKey],},};} else {let disabledDate = config.props.pickerOptions.disabledDate;if (typeof disabledDate === "function") {config.props = {...config.props,pickerOptions: {...config.props.pickerOptions,disabledDate: (time) =>disabledDate(time, _this.form[maxTimeKey]),},};}}}}if (type === "text") {config.class["el-readonly-input"] = true;config.attrs.readonly = true;}return generateTag(h, config, _this);
    }export function generateOptions(h, item) {const canTag = ["radio", "checkbox", "select"];if (!canTag.includes(item.type)) return null;// 后续需要添加字典const options = item?.options || [];return (options || []).map((option) => {let type = `${item.type}-${item.button ? "button" : "item"}`;if (option.options) {const cloneItem = { ...item };cloneItem.options = option.options;type = `${item.type}-group`;return h(tagsMenu.get(type),{attrs: {label: option.label,},},generateOptions(h, cloneItem),);}return h(tagsMenu.get(type),{attrs: {label: item.type === "select" ? option.label : option.value,value: item.labelInValue ? option : option.value,},},[item.type === "select" ? null : [option.label]],);});
    }export function generateTag(h, config, _this) {config.props.value = _this.form[config.prop];const inputEvent = config.on?.input;const clickEvent = config.on?.click;config.on = {...config.on,input: (value) => {value = formatDateValue(value, config);if (!isEqual(_this.form[config.prop], value)) {_this.form[config.prop] = value;typeof inputEvent === "function" && inputEvent(value, config);}},click: (event) => {typeof clickEvent === "function" && clickEvent(event, config);},};config.nativeOn = {keydown: (e) => {if (e.keyCode === 13 && this.enterSubmit && config.type !== "textarea") {_this.submit();}},};return h(tagsMenu.get(config.type), config, [...config.children,config.text,]);
    }export function formatDateValue(value, config) {if ((config.type === "time" || config.type === "date") && !value) {return config.props.isRange ? ["", ""] : "";}return value;
    }
  • 创建src/styles/components.less,并引入style/index.less

    /* x-form 组件样式 */
    .el-readonly-input {.el-input__inner {border: none;}.el-input__inner:focus {border-color: #DCDFE6;}
    }.form-item-col {.el-form-item {margin-bottom: 22px;}
    }/* x-table 组件样式 */
  • 使用案例

    <template><div><!-- 基础表单 --><hr /><x-form :columns="columns1" labelWidth="100px" :ctrl="false"></x-form><!-- 禁用表单 --><hr /><x-form:columns="columns1"labelWidth="100px":ctrl="false"disabled></x-form><!-- 表单布局 --><hr /><x-form:columns="columns2"labelWidth="100px":ctrl="false":gutter="10":grid="8"label-suffix=":"></x-form><!-- 灵活表单布局 --><hr /><x-form:columns="columns3"labelWidth="100px":gutter="8"label-suffix=":":contentSpan="20"></x-form><!-- 自定义表单元素 --><hr /><x-form:columns="columns4"labelWidth="100px"@submit="handleSubmit"></x-form></div>
    </template><script>
    import { cloneDeep } from "lodash";export default {data() {return {columns1: [{ type: "text", label: "标题", prop: "title", default: "基础表单" },{ type: "input", label: "用户名", prop: "username" },{ type: "password", label: "密码", prop: "password" },{ type: "textarea", label: "信息", prop: "info", disabled: false },],columns2: [{type: "text",label: "标题",prop: "title",default: "表单布局",span: 24,},{ type: "input", label: "输入1", prop: "value1" },{ type: "input", label: "输入2", prop: "value2" },{ type: "input", label: "输入3", prop: "value3" },{ type: "input", label: "输入4", prop: "value4" },{ type: "input", label: "输入5", prop: "value5" },{ type: "input", label: "输入6", prop: "value6" },],columns3: [{ type: "text", label: "标题", prop: "title", default: "灵活表单" },{type: "input",label: "输入1",prop: "value1",},{type: "input",label: "输入2",prop: "value2",required: true,},{label: "输入3",required: true,children: [{ type: "input", prop: "value31", required: true, span: 10 },{ type: "input", prop: "value32", required: true, span: 10 },{ type: "input", prop: "value33", required: true, span: 10 },{ type: "input", prop: "value34", required: true, span: 10 },{ type: "input", prop: "value35", required: true, span: 10 },{ type: "input", prop: "value36", required: true, span: 10 },],},{type: "input",label: "输入4",prop: "value4",required: true,},{type: "input",label: "输入5",prop: "value5",contentSpan: 24,required: true,},{type: "input",label: "输入6",prop: "value6",required: true,},{label: "时间选择",gutter: 10,required: true,children: [{type: "time-select",label: "开始时间",prop: "startTime",required: true,span: 10,props: {pickerOptions: {start: "08:30",step: "00:15",end: "18:30",maxTimeKey: "endTime",},},},{type: "time-select",label: "结束时间",prop: "endTime",required: true,span: 10,props: {pickerOptions: {start: "08:30",step: "00:15",end: "18:30",minTimeKey: "startTime",},},},],},{label: "日期选择",gutter: 10,required: true,children: [{type: "date",label: "开始日期",prop: "startDate",required: true,span: 10,props: {pickerOptions: {maxTimeKey: "endDate",disabledDate: (time, date) => {if (!date) return false;return time.getTime() > new Date(date).getTime();},},},},{type: "date",label: "结束日期",prop: "endDate",required: true,span: 10,props: {pickerOptions: {minTimeKey: "startDate",disabledDate: (time, date) => {if (!date) return false;return time.getTime() < new Date(date).getTime();},},},},],},{label: "动态1",gutter: 10,marking: "1",children: [{ type: "input", prop: "active1", span: 20 },{type: "button",btnType: "primary",btnIcon: "el-icon-plus",span: 2,marking: "1",on: {click: this.addForm,},},{type: "button",btnIcon: "el-icon-delete-solid",span: 2,marking: "1",on: {click: this.delForm,},},],},],activeItem: {label: "动态",gutter: 10,children: [{ type: "input", prop: "active", span: 20 },{type: "button",btnType: "primary",btnIcon: "el-icon-plus",span: 2,on: {click: this.addForm,},},{type: "button",btnIcon: "el-icon-delete-solid",span: 2,on: {click: this.delForm,},},],},columns4: [{ type: "text", label: "标题", prop: "title", default: "灵活表单" },{label: "自定义",prop: "input",render: ({ value, _this }) => {return (<el-inputvalue={value}onInput={(value) => {_this.setForm("input", value);}}/>);},},],};},methods: {handleSubmit(form, valid) {console.log(form, valid);},addForm(e, item) {let marking = item.attrs.marking;let newMarking = Number(marking) + 1;let columns = cloneDeep(this.columns3);let index =this.columns3.findIndex((formItem) => formItem?.marking === marking) +1;let addItem = cloneDeep(this.activeItem);addItem.label += newMarking;addItem.children[0].prop += newMarking;addItem.children[1].marking = newMarking;addItem.children[2].marking = newMarking;addItem.marking = newMarking;columns.splice(index, 0, addItem);this.columns3 = columns;},delForm(e, item) {let marking = item.attrs.marking;if (marking === "1") return;let columns = cloneDeep(this.columns3);let index = this.columns3.findIndex((formItem) => formItem?.marking === marking,);columns.splice(index, 1);this.columns3 = columns;},},
    };
    </script><style lang="less" scoped></style>

2、table

  • 创建components/modules/x-table/index.js

    import XTable from "./index.vue";
    export default XTable;
  • 创建components/modules/x-table/index.vue

    <script>
    import { cloneDeep, isMatch } from "lodash";
    import dayjs from "dayjs";/*** 配置说明文档* @param { Boolean } autoHeight: 是否自动填充表格高度* @param { Array } columns: 表格的配置项,见下面详细说明* @param { Array } tableData: 表格的值* @param { Object } search: 表单搜索值、或者api入参* @param { Function } api: 接口* @param { String } itemAlign: 单元格align风格(left、center、right)* @param { String } emptyText: 无数据描述* @param { Any } emptyImage: 无数据图片展示地址* @param { Number } emptyImageSize: 无数据图片大小* @param { Boolean } hasPagination: 是否显示分页* @param { String } paginationLayout: 分页显示内容* @param { Boolean } multiple: 是否多选* @param { Boolean } hasRadio: 是否单选** @param { function } getSelection: 获取选中结果* @param { function } toggleSelection:设置默认多选* @param { function } setCurrent: 设置单选* @param { function } clearFilter:清空筛选项*//*** 表单配置项 columns-item* @param { Object } form: 单独作用form的配置* @param { Object } table: 单独作用table的配置* @param { Object } search: 单独作用search的配置* 以上的配置和下面一样,但优先级高*** @param { String } type: 表单控件的类型。(参考element-ui的控件类型)* @param { String } label: 字段名称* @param { String } prop: 字段绑定key* @param { Any } default: 控件默认值。(级别最高)* @param { String } placeholder: 提示信息* @param { Array } rules: 校验规则。(级别最高)* @param { Number } order: 排序序号。(大到小)* @param { Number } span: 当前表单控件col占比。(级别高)* @param { Object } col: el-col的其他配置。(级别最高)* @param { String } labelWidth: label的宽度。(级别最高)* @param { Number } contentSpan: 内容占比宽度* @param { Boolean } required: 是否必填* @param { Boolean } disabled: 是否禁用。(权限最高)** @param { Object } children: 子节点, (一个el-form-item里面多个控件)* @param { Number } gutter: 子节点的el-row的gutter。(仅在设置children后生效)* @param { Number, Array } grid: 子节点的栅格布局col排布** @param { Object } className: 表单控件的类名,对象的形式:{ box: true }* @param { Object } style: 样式控制* @param { Object } attrs: element-ui表单控件的attribute,参考element-ui文档。* @param { Object } props: element-ui表单控件的props。(有的时候文档上写的时attrs设置,其实时props设置。所以不生效的时候可以尝试一下)* @param { Object } on: 表单控件的绑定事件。{ input: (value) => console.log(value) }* @param { Array } options: radio,checkbox, select, cascader,* @param { String } text: button按钮的文字内容* @param { String } btnType: button按钮的类型* @param { String } btnIcon: button的icon* @param { String } marking: button的标记* @param { Boolean } hasFilter: 是否进行筛选,只有存在options才可以进行** @param { Function } slotDefault: el-table-column 的 default的插槽* @param { Function } slotHeader: el-table-column 的 header的插槽*/export default {name: "XTable",props: {autoHeight: {type: Boolean,default: true,},columns: {type: Array,default: () => [],},tableData: {type: Array,default: () => [],},search: {type: Object,default: () => ({}),},api: {type: Function,default: null,},itemAlign: {type: String,default: "left",},emptyText: {type: String,default: "暂无数据",},emptyImage: null,emptyImageSize: {type: Number,default: null,},hasPagination: {type: Boolean,default: true,},paginationLayout: {type: String,default: "total, sizes, prev, pager, next, jumper",},multiple: {type: Boolean,default: false,},hasRadio: {type: Boolean,default: false,},},data() {return {height: 0,fields: [],showData: [],pageInfo: {total: 0,pagesize: 10,current: 0,},multipleSelection: [],};},render(h) {return h("div",{class: { "x-table-wrap": true, "x-table-radio": this.hasRadio },style: { height: `${this.height}px` },},[this.renderTable(h), this.renderPagination(h)],);},watch: {columns: {immediate: true,deep: true,handler() {this.handleFields();},},tableData: {immediate: true,deep: true,handler() {this.getTableData();},},},mounted() {this.init();},methods: {init() {this.getParentHeight();window.addEventListener("reset", this.getParentHeight.bind(this));},handleFields() {this.fields = this.handleFieldsChild(this.columns);if (this.multiple || this.hasRadio) {this.fields.unshift({type: "selection",width: "40",});}},handleFieldsChild(columns) {let fields = columns.filter((item) => item?.isShow !== false);fields = fields.map((item) => {item.inputType = item.type;delete item.type;const tableItem = { ...item, ...item?.table };delete tableItem.table;delete tableItem.search;delete tableItem.form;if (tableItem.children && Array.isArray(tableItem.children)) {delete tableItem.prop;tableItem.children = this.handleFieldsChild(tableItem.children);}tableItem.align = tableItem.align || this.itemAlign;return tableItem;});fields = fields.sort((a, b) => (b?.order || 0) - (a?.order || 0));return fields;},getParentHeight() {const parentDom = this.$el.parentElement;const height = parentDom.clientHeight;const paddingTop = parseFloat(getComputedStyle(parentDom, false)["padding-top"],);const paddingBottom = parseFloat(getComputedStyle(parentDom, false)["padding-bottom"],);this.height = height - paddingTop - paddingBottom;},renderTable(h) {if (!this.height) return null;const config = {props: {highlightCurrentRow: this.hasRadio,...this.$attrs,data: this.showData,},on: {"selection-change": this.handleSelectionChange,"current-change": this.selectCurrentChange,},ref: "table",};if (this.autoHeight) {let paginationHeight = this.hasPagination ? 35 : 0;config.props.height = this.height - paginationHeight;}return h("el-table", config, [...this.renderColumns(h, this.fields),this.renderEmpty(h),this.$slots.default,]);},/* 空内容 */renderEmpty(h) {if (this.showData && this.showData.length) return null;const config = {props: { description: this.emptyText },slot: "empty",};if (this.emptyImage) config.props.image = this.emptyImage;if (this.emptyImageSize) config.props.imageSize = this.emptyImageSize;return h("el-empty", config);},/* table-column */renderColumns(h, fields) {return fields.map((item) => this.renderTableItem(h, item));},renderTableItem(h, item) {const scopedSlots = {};if (item.slotDefault && typeof item.slotDefault === "function") {scopedSlots.default = (scope) =>item.slotDefault(this.getHypeScript(), scope);}if (item.slotHeader && typeof item.slotHeader === "function") {scopedSlots.header = (scope) =>item.slotHeader(this.getHypeScript(), scope);}if (!item.slotDefault && item.children && Array.isArray(item.children)) {item.childrenDom = this.renderColumns(h, item.children);}const attrs = { ...item, ...item?.attrs };let props = item.props;delete item.props;delete item.attrs;// 后续需要添加字典if (!item.children && item.options) {props = {formatter: (row, column) => {const property = column["property"];const value = row[property];const findItem = item.options.find((item) => item.value === value);return findItem.label;},...props,};}let formatType = ["time-select", "time", "date"];if (!item.slotDefault &&item?.props?.valueFormat &&formatType.includes(item.inputType)) {let formatReg = item.props.valueFormat.replace(/yyyy/g, "YYYY");props = {formatter: (row, column) => {const property = column["property"];const value = row[property];return dayjs(value).format(formatReg);},...props,};}if (item.options && item.hasFilter) {props = {...props,filters: item.options.map(({ label, value }) => ({text: label,value,})),filterMethod: (value, row, column) => {const property = column["property"];return row[property] === value;},};}return h("el-table-column",{ attrs, props, scopedSlots },item.childrenDom,);},/* 分页 */renderPagination(h) {if (!this.hasPagination) return null;return h("div", { class: { "x-table-bottom": true } }, [h("el-pagination", {props: {layout: this.paginationLayout,...this.pageInfo,},on: {"size-change": this.handleSizeChange,"current-change": this.handleCurrentChange,},}),this.multiple &&h("div", null, [`已选中 ${this.multipleSelection.length} 个`]),]);},handleSizeChange(size) {this.pageInfo.pagesize = size;this.getTableData();},handleCurrentChange(current) {this.pageInfo.current = current;this.getTableData();},/* 方法 */getHypeScript() {return this.$parent.$createElement;},getTableData() {if (this.tableData && this.tableData.length) {const { pagesize, current } = this.pageInfo;let tableData = cloneDeep(this.tableData);tableData = tableData.filter((item) => isMatch(item, this.search));this.pageInfo.total = tableData.length;this.showData = [...tableData].splice((current - 1) * pagesize,pagesize,);} else if (this.api && typeof this.api === "function") {const param = {...this.search,pagesize: this.pageInfo.pagesize,pageno: this.pageInfo.current,};// 需要和后端协商好接口字段,保持所有table接口返回统一this.api(param).then((res) => {this.showData = res.data.records;const { total, current, pagesize } = res.data;this.pageInfo = { total, current, pagesize };}).catch(() => {this.showData = [];this.pageInfo = {total: 0,current: 1,pagesize: 10,};});}},handleSelectionChange(val) {if (this.hasRadio && val.length > 1) {const delItem = this.multipleSelection[0];const item = val.find((child) => !isMatch(child, delItem));this.$refs.table.clearSelection();this.setCurrent(item);} else {this.multipleSelection = val;}},toggleSelection(rows = []) {if (!this.multiple) return false;if (rows) {rows.forEach((row) => {const findItem = this.findRow(row);this.$refs.table.toggleRowSelection(findItem);});} else {this.$refs.table.clearSelection();}},selectCurrentChange(val) {this.multipleSelection = [val];if (this.hasRadio) {this.$refs.table.clearSelection();const findItem = this.findRow(val);this.$refs.table.toggleRowSelection(findItem);}},setCurrent(row) {if (!this.hasRadio) return false;this.$refs.table.setCurrentRow(row);},findRow(row) {return this.showData.find((item) => isMatch(item, row));},clearFilter(key) {this.$refs.table.clearFilter(key);},getSelection() {return this.multipleSelection;},},
    };
    </script><style lang="scss" scoped></style>
  • 修改src/styles/components.less

    ...
    /* x-table 组件样式 */
    .x-table-wrap {width: 100%;.x-table-bottom {display: flex;justify-content: space-between;align-items: center;margin-top: 3px;font-size: 13px;font-weight: 400;color: #606266;flex-direction: row-reverse;}
    }.x-table-radio {::v-deep {.el-table__header-wrapper {.el-checkbox {display: none;}}}
    }/* dialog 组件样式 */
  • 使用案例

    <template><div class="wrap"><!-- 基础空表单 --><h3>基础空表单</h3><div class="box"><x-tableitemAlign="center":border="true":autoHeight="false":hasPagination="false":columns="columns1":tableData="[]"></x-table></div><!-- 基础表单 --><h3>基础表单</h3><div class="box"><x-tableitemAlign="center":border="true":autoHeight="false":hasPagination="false":columns="columns1":tableData="tableData1"></x-table></div><!-- 自动填充和分页 --><h3>自动填充和分页</h3><p>自动填充高度,并且能自动处理radio、checkbox、select的值</p><div class="box"><x-tableitemAlign="center":border="true":columns="columns2":tableData="tableData2"></x-table></div><!-- 自定义内容 --><h3>自定义内容</h3><div class="box"><x-tableitemAlign="center":border="true":columns="columns3":tableData="tableData3"></x-table></div><!-- 多表头 --><h3>多表头</h3><div class="box"><x-tableitemAlign="center":border="true":columns="columns4":tableData="tableData4"></x-table></div><!-- 多选 --><h3>多选</h3><div><el-button @click="getSelection('multipleTable')">获取选中结果</el-button><el-button @click="setSelection([tableData1[1], tableData1[2]])">设置选择第二项, 第三项</el-button><el-button @click="setSelection()">清空选中</el-button></div><div class="box"><x-tableref="multipleTable"itemAlign="center":border="true":multiple="true":columns="columns1":tableData="tableData1"></x-table></div><!-- 单选 --><h3>单选</h3><div><el-button @click="getSelection('singleTable')">获取选中结果</el-button><el-button @click="setRadio(tableData1[2])">设置选择第三项</el-button><el-button @click="setRadio()">清空选中</el-button></div><div class="box"><x-tableref="singleTable"itemAlign="center":border="true":hasRadio="true":columns="columns1":tableData="tableData1"></x-table></div><!-- 排序和筛选 --><h3>排序和筛选</h3><div class="box"><x-tableitemAlign="center":border="true":autoHeight="false":hasPagination="false":columns="columns5":tableData="tableData5"></x-table></div><!-- 嵌套内容 --><h3>嵌套内容</h3><div class="box"><x-tableitemAlign="center":border="true":autoHeight="false":hasPagination="false":columns="columns6":tableData="tableData5"></x-table></div><!-- 接口获取 --><h3>接口获取</h3><div class="box"><x-tableitemAlign="center":border="true":columns="columns7":api="getList"></x-table></div><!-- 搜索 --><h3>搜索</h3><div class="box"><x-tableitemAlign="center":border="true":columns="columns7":api="getList":search="{ name: '张三' }"></x-table></div></div>
    </template><script>
    import { getList } from "../api/mock.js";export default {name: "Page5",data() {return {search: "",columns1: [{ label: "姓名", prop: "name" },{ label: "年龄", prop: "age" },{ label: "地址", prop: "address" },],tableData1: [{ name: "张三1", age: 12, address: "北京市" },{ name: "张三2", age: 12, address: "北京市" },{ name: "张三3", age: 12, address: "北京市" },{ name: "张三4", age: 12, address: "北京市" },{ name: "张三5", age: 12, address: "北京市" },],columns2: [{ label: "姓名", prop: "name" },{ label: "年龄", prop: "age" },{label: "性别",prop: "sex",options: [{ label: "男", value: "0" },{ label: "女", value: "1" },],},{ label: "地址", prop: "address" },],tableData2: [{ name: "张三", age: 12, sex: "0", address: "北京市" },{ name: "张三", age: 12, sex: "1", address: "北京市" },{ name: "张三", age: 12, sex: "0", address: "北京市" },{ name: "张三", age: 12, sex: "1", address: "北京市" },{ name: "张三", age: 12, sex: "0", address: "北京市" },{ name: "张三", age: 12, sex: "1", address: "北京市" },{ name: "张三", age: 12, sex: "0", address: "北京市" },{ name: "张三", age: 12, sex: "1", address: "北京市" },{ name: "张三", age: 12, sex: "0", address: "北京市" },{ name: "张三", age: 12, sex: "1", address: "北京市" },{ name: "张三", age: 12, sex: "0", address: "北京市" },{ name: "张三", age: 12, sex: "1", address: "北京市" },{ name: "张三", age: 12, sex: "0", address: "北京市" },{ name: "张三", age: 12, sex: "1", address: "北京市" },{ name: "张三", age: 12, sex: "0", address: "北京市" },{ name: "张三", age: 12, sex: "1", address: "北京市" },{ name: "张三", age: 12, sex: "0", address: "北京市" },{ name: "张三", age: 12, sex: "1", address: "北京市" },{ name: "张三", age: 12, sex: "0", address: "北京市" },{ name: "张三", age: 12, sex: "1", address: "北京市" },{ name: "张三", age: 12, sex: "0", address: "北京市" },{ name: "张三", age: 12, sex: "1", address: "北京市" },{ name: "张三", age: 12, sex: "0", address: "北京市" },],columns3: [{ label: "姓名", prop: "name" },{ label: "年龄", prop: "age" },{ label: "地址", prop: "address" },{slotHeader: () => {return (<el-inputvalue={this.search}onInput={(val) => (this.search = val)}size="mini"placeholder="输入关键字搜索"/>);},slotDefault: (h, scope) => {return (<div><el-buttonsize="mini"onClick={() => this.handleEdit(scope.$index, scope.row)}>Edit</el-button><el-buttonsize="mini"type="danger"onClick={() => this.handleDelete(scope.$index, scope.row)}>Delete</el-button></div>);},},],tableData3: [{ name: "张三", age: 12, address: "北京市" },{ name: "张三", age: 12, address: "北京市" },{ name: "张三", age: 12, address: "北京市" },],columns4: [{label: "用户",children: [{ label: "姓名", prop: "name" },{ label: "年龄", prop: "age" },{label: "信息",children: [{ label: "身高", prop: "height" },{ label: "体重", prop: "weight" },{label: "性别",prop: "sex",options: [{ label: "男", value: "0" },{ label: "女", value: "1" },],},],},],},{ label: "地址", prop: "address" },],tableData4: [{name: "张三",age: 12,sex: "0",height: "175cm",weight: "65kg",address: "北京市",},{name: "张三",age: 12,sex: "1",height: "175cm",weight: "65kg",address: "北京市",},{name: "张三",age: 12,sex: "0",height: "175cm",weight: "65kg",address: "北京市",},],columns5: [{ label: "姓名", prop: "name" },{ label: "年龄", prop: "age", sortable: true },{label: "性别",prop: "sex",hasFilter: true,options: [{ label: "男", value: "0" },{ label: "女", value: "1" },],},{ label: "地址", prop: "address" },],tableData5: [{ name: "张三1", age: 12, sex: "1", address: "北京市" },{ name: "张三2", age: 13, sex: "0", address: "北京市" },{ name: "张三3", age: 14, sex: "0", address: "北京市" },{ name: "张三4", age: 15, sex: "1", address: "北京市" },{ name: "张三5", age: 16, sex: "0", address: "北京市" },],columns6: [{table: { type: "expand" },slotDefault: (h, scope) => {return (<el-form label-position="left"><el-form-item label="姓名"><span>{scope.row.name}</span></el-form-item><el-form-item label="年龄"><span>{scope.row.age}</span></el-form-item><el-form-item label="性别"><span>{scope.row.sex}</span></el-form-item><el-form-item label="地址"><span>{scope.row.address}</span></el-form-item></el-form>);},},{ label: "姓名", prop: "name" },{ label: "年龄", prop: "age", sortable: true },{label: "性别",prop: "sex",hasFilter: true,options: [{ label: "男", value: "0" },{ label: "女", value: "1" },],},{ label: "地址", prop: "address" },],columns7: [{ label: "姓名", prop: "name" },{ label: "年龄", prop: "age" },{label: "性别",prop: "sex",options: [{ label: "男", value: "0" },{ label: "女", value: "1" },],},{ label: "日期", prop: "date", props: { valueFormat: "yyyy-MM-DD" } },{ label: "地址", prop: "address" },],};},methods: {getList: getList,handleEdit(index, row) {console.log(index, row);},handleDelete(index, row) {console.log(index, row);},getSelection(key) {const selection = this.$refs[key].getSelection();console.log(selection);},setSelection(rows) {this.$refs.multipleTable.toggleSelection(rows);},setRadio(row) {this.$refs.singleTable.setCurrent(row);},},
    };
    </script><style lang="less" scoped>
    .wrap {width: 100%;height: 100%;display: flex;align-items: center;flex-direction: column;
    }.box {width: 800px;height: 500px;padding: 10px;margin-bottom: 20px;background: #1f03034d;
    }
    </style>
  • mockjs

    function getList() {let list = new Array(99).fill({});list = list.map((item, index) => {return {name: index > 20 ? `张三${index}` : "张三",age: index.toString(),date: Mock.mock("@date('yyyy-MM-dd')"),sex: (index % 2).toString(),address: `北京市朝阳区${index}`,};});return new MockPort({template: {code: 200,msg: "success",data: {records: [],pagesiez: 0,current: 1,total: 0,},},action(options) {const params = this.paramsBackRes(options.body) || {};let { pagesize, pageno, ...search } = params;pagesize = pagesize || 10;pageno = pageno || 1;let records = list.filter((item) => isMatch(item, search));this.template.data = {records: [...records].splice((pageno - 1) * pagesize, pagesize),total: records.length,pagesize,current: pageno,};return this.template;},});
    }
    

3、dialog

4、searchForm

5、searchTable

6、dialogForm

7、navTab

8、updateFile

9、lazy

10、theme-color

切换主题色、使用上面的动态切换主题原理实现

11、screenfull

全屏按钮、使用插件screenfull

12、screenshot

截屏按钮、使用插件html2canvas

13、input-number

14、tree

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

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

汇编调用C语言定义的全局变量

在threadx移植中&#xff0c;系统的systick通过了宏定义的方式定义&#xff0c;很难对接库函数的时钟频率&#xff0c;不太利于进行维护 所以在C文件中自己定义了一个systick_Div的变量&#xff0c;通过宏定义方式设定systick的时钟频率 在汇编下要加载这个systick分频系数 …

UDS诊断协议

UDS本质上是一系列服务的集合&#xff0c;包含6大类&#xff0c;共26种。每种服务都有独立的ID&#xff0c;即SID。 请求 SID(1Byte) 参数 SID(1Byte) Sub-function(1Byte) 参数 SID DID(2Bytes) 响应 肯定响应 SID0x40(1Byte) Sub-function(根据请求是否存在) 参数…

Windows数据类型LPSTR学习

Windows在C语言的基础之上又定义了一些Windows下的数据类型&#xff1b;下面学习一下LPSTR&#xff1b; LPSTR和LPWSTR是Win32和VC所使用的一种字符串数据类型。LPSTR被定义成是一个指向以NULL(‘\0’)结尾的32位ANSI字符数组指针&#xff0c;而LPWSTR是一个指向以NULL结尾的64…

逻辑回归分析实战(根据鸢尾花的性质预测鸢尾花类别)

紧接着上过一个线性回归模型&#xff08;一元线性回归模型实战&#xff09; 一元线性回归模型和逻辑回归模型是统计学中常见的两种回归模型&#xff0c;它们有以下几点不同之处&#xff1a; 1. 目标变量类型&#xff1a;一元线性回归模型适用于连续型目标变量&#xff0c;即预测…

2023年基准Kubernetes报告:6个K8s可靠性失误

云计算日益成为组织构建应用程序和服务的首选目的地。尽管一年来经济不确定性的头条新闻主要集中在通货膨胀增长和银行动荡方面&#xff0c;但大多数组织预计今年的云使用和支出将与计划的相同&#xff08;45%&#xff09;&#xff0c;或高于计划的&#xff08;45%&#xff09;…

大数据Flink(五十三):Flink流处理特性、发展历史以及Flink的优势

文章目录 Flink流处理特性、发展历史以及Flink的优势 一、Flink流处理特性 二、发展历史

opencv-28 自适应阈值处理-cv2.adaptiveThreshold()

什么是自适应阈值处理? 对于色彩均衡的图像&#xff0c;直接使用一个阈值就能完成对图像的阈值化处理。但是&#xff0c;有时图像的色彩是不均衡的&#xff0c;此时如果只使用一个阈值&#xff0c;就无法得到清晰有效的阈值分割结果图像。 有一种改进的阈值处理技术&#xff…

五、控制流(2)

本章概要 returnbreak 和 continue臭名昭著的 gotoswitchswitch 字符串 return 在 Java 中有几个关键字代表无条件分支&#xff0c;这意味无需任何测试即可发生。这些关键字包括 return&#xff0c;break&#xff0c;continue 和跳转到带标签语句的方法&#xff0c;类似于其…

不管如何吐槽,购买iPhone的用户依然义无反顾,苹果继续增长

市调机构IDC公布的二季度数据显示&#xff0c;苹果成为前五名之中除华为之外第二家取得增长的手机品牌&#xff0c;而其他国产手机品牌的出货量都在下滑&#xff0c;显示出国内的消费者仍然在热烈追捧iPhone。 二季度苹果在国内市场的手机出货量同比增长6%&#xff0c;虽然增速…

Android Studio下载及安装和Gradle的配置

文章目录 下载安装修改Sdk的位置创建项目修改Gradle的位置查看AS版本工具栏--View项工具栏--Build下的功能说明Build Variants视图说明下载模拟器&#xff08;avd&#xff09;/安卓虚拟设备屏幕熄灭功能关闭虚拟设备功能删除自己开发的应用软件将开发的应用运行到虚拟设备上。 …

从分片传输到并行传输之大文件传输加速技术

随着大文件的传输需求越来越多&#xff0c;传输过程中也会遇到很多困难&#xff0c;比如传输速度慢、文件安全性低等。为了克服这些困难&#xff0c;探讨各种大文件传输加速技术。其中&#xff0c;分片传输和并行传输是两种比较常见的技术&#xff0c;下面将对它们进行详细说明…

Java版知识付费源码 Spring Cloud+Spring Boot+Mybatis+uniapp+前后端分离实现知识付费平台

提供职业教育、企业培训、知识付费系统搭建服务。系统功能包含&#xff1a;录播课、直播课、题库、营销、公司组织架构、员工入职培训等。 提供私有化部署&#xff0c;免费售后&#xff0c;专业技术指导&#xff0c;支持PC、APP、H5、小程序多终端同步&#xff0c;支持二次开发…

【Opencv】视频跟踪算法KCF

目录 KCF算法简介opencv实现代码copencv实现代码python KCF算法简介 KCF&#xff08;Kernelized Correlation Filter&#xff09;是一种基于核相关滤波器的目标跟踪算法。它通过学习目标的外观特征和使用核相关滤波器进行目标定位。KCF属于传统算法的单目标跟踪器。下面是对KC…

【Java】Java多线程编程基础

文章目录 1. 进程与线程1.1 进程与线程的基本认识1.1.1 进程&#xff08;Process&#xff09;1.1.2 线程&#xff08;Thread&#xff09; 1.2 为什么会有线程1.2.1 以看视频为例 2. 多线程实现2.1 Thread类实现多线程2.2 Runnable接口实现多线程2.3 Callable接口实现多线程2.3 …

CTF线下赛AWD知识点【持续完善ing】

文章目录 CTF线下赛AWD知识点AWD规则前期准备SSH登录口令登录密钥登录 改密码SSH密码修改mysql密码修改 备份数据备份目录备份数据库 查找后门 自动提交flag防御思路基础查杀寻找最近20分钟修改过的文件寻找行数最短的文件关键字查杀查找命令执行函数 文件监控杀不死马0x01.杀进…

Grafana - TDEngine搭建数据监测报警系统

TDengine 与开源数据可视化系统 Grafana 快速集成搭建数据监测报警系统 一、介绍二、前置条件三、Grafana 安装及配置3.1 下载3.2 安装3.2.1 windows安装 - 图形界面3.2.2 linux安装 - 安装脚本 四、Grafana的TDEngine配置及使用4.1 登录4.2 安装 Grafana Plugin 并配置数据源4…

学习笔记|大模型优质Prompt开发与应用课(二)|第一节:大模型应用密码—Prompt的一千种打开方式

文章目录 第一节:大模型应用密码—Prompt的一千种打开方式01你可能听过一个小故事1910华盛顿纺织厂罢工事件 02 小问题:哪些场景会被提效类目一︰减少重复性工作的成本&#xff08;降本)例如∶做策划初稿、写JD、润色文案prompt生成结果prompt生成结果prompt生成结果promptprom…

NodeJs后端项目使用docker打包部署

docker安装看之前的文章 默认已经安装好docker并且配置没有问题 拉取项目 https://gitee.com/coder-msc/docker-node 本地跑一个看看 pnpm install pnpm start 本地访问 http://localhost:1301/getname?name%E5%93%88%E5%88%A9%E6%B3%A2%E7%89%B9项目整个上传服务器 查看…

简化Java单元测试数据

用EasyModeling简化Java单元测试 EasyModeling 是我在2021年圣诞假期期间开发的一个 Java 注解处理器&#xff0c;采用 Apache-2.0 开源协议。它可以帮助 Java 单元测试的编写者快速构造用于测试的数据模型实例&#xff0c;简化 Java 项目在单元测试中准备测试数据的工作&…

C# 委托

一&#xff1a;委托&#xff08;delegate&#xff09;&#xff1a;执行方法时&#xff0c;将方法当作参数传递到委托中进行执行&#xff1b; Action表示没有返回值的委托&#xff1b; Func表示有返回值的委托 《1》使用 需要先实例化一个委托 将方法当作参数传到委托中 注意&a…