用vue和element ui帮我生成一个弹窗,里面是一个表单,名字和年纪必填
时间: 2024-02-03 15:15:53 浏览: 82
好的,以下是生成弹窗的代码示例:
```html
<template>
<el-button type="primary" @click="showDialog">打开弹窗</el-button>
<el-dialog :visible.sync="dialogVisible" title="表单">
<el-form ref="form" :model="form" :rules="rules">
<el-form-item label="名字" prop="name">
<el-input v-model="form.name"></el-input>
</el-form-item>
<el-form-item label="年龄" prop="age">
<el-input v-model.number="form.age"></el-input>
</el-form-item>
</el-form>
<div slot="footer" class="dialog-footer">
<el-button @click="dialogVisible = false">取 消</el-button>
<el-button type="primary" @click="submitForm">确 定</el-button>
</div>
</el-dialog>
</template>
<script>
export default {
data() {
return {
form: {
name: '',
age: ''
},
rules: {
name: [
{ required: true, message: '请输入名字', trigger: 'blur' }
],
age: [
{ required: true, message: '请输入年龄', trigger: 'blur' },
{ type: 'number', message: '年龄必须为数字', trigger: 'blur' }
]
},
dialogVisible: false
}
},
methods: {
showDialog() {
this.dialogVisible = true
},
submitForm() {
this.$refs.form.validate(valid => {
if (valid) {
// 表单验证通过,可以提交数据
console.log('表单数据:', this.form)
this.dialogVisible = false
}
})
}
}
}
</script>
```
上述代码中,我们使用了 Element UI 中的 `el-dialog` 和 `el-form` 组件来生成弹窗和表单。在表单中,我们使用了 `v-model` 来绑定表单数据,使用 `prop` 来指定表单项对应的字段名,使用 `rules` 属性来指定表单项的验证规则。在弹窗底部,我们使用了 `slot` 来自定义按钮,并且在点击确定按钮时,调用 `submitForm` 方法来提交表单数据。在 `submitForm` 方法中,我们使用 `this.$refs.form.validate` 方法来进行表单验证,当验证通过时,就可以提交数据了。
阅读全文