el-table表格编辑时输入校验
在使用Element UI的el-table
组件进行编辑时,可以通过rules
属性来设置表单的验证规则。以下是一个简单的例子,展示了如何在编辑时对输入进行验证:
<template>
<el-table :data="tableData" style="width: 100%">
<el-table-column prop="date" label="日期" width="180"> </el-table-column>
<el-table-column prop="name" label="姓名" width="180"> </el-table-column>
<el-table-column label="操作" width="180">
<template slot-scope="scope">
<el-button @click="handleEdit(scope.$index, scope.row)">编辑</el-button>
</template>
</el-table-column>
</el-table>
<el-dialog :visible.sync="dialogVisible" title="编辑">
<el-form :model="form" :rules="rules" ref="editForm">
<el-form-item prop="name">
<el-input v-model="form.name"></el-input>
</el-form-item>
</el-form>
<span slot="footer" class="dialog-footer">
<el-button @click="dialogVisible = false">取 消</el-button>
<el-button type="primary" @click="submitForm">确 定</el-button>
</span>
</el-dialog>
</template>
<script>
export default {
data() {
return {
tableData: [{ date: '2016-05-02', name: '王小虎' }],
dialogVisible: false,
form: {},
rules: {
name: [
{ required: true, message: '请输入姓名', trigger: 'blur' },
{ min: 3, max: 5, message: '姓名长度在 3 到 5 个字符', trigger: 'blur' }
]
},
editIndex: -1
};
},
methods: {
handleEdit(index, row) {
this.form = Object.assign({}, row);
this.editIndex = index;
this.dialogVisible = true;
this.$nextTick(() => {
this.$refs['editForm'].clearValidate();
});
},
submitForm() {
this.$refs['editForm'].validate((valid) => {
if (valid) {
this.tableData.splice(this.editIndex, 1, this.form);
this.dialogVisible = false;
}
});
}
}
};
</script>
在这个例子中,我们定义了一个带有验证规则的el-form
,在编辑对话框中进行展示。当用户点击编辑按钮时,会弹出一个对话框,并对用户输入的姓名进行长度验证。如果输入不符合规则,则不允许关闭对话框,直到输入合法。当输入合法后,将数据更新至表格数据中,并关闭对话框。
评论已关闭