100 lines
2.9 KiB
Vue
100 lines
2.9 KiB
Vue
<template>
|
|
<el-dialog
|
|
v-model="visible"
|
|
title="修改密码"
|
|
width="500px"
|
|
:close-on-click-modal="false"
|
|
>
|
|
<el-form :model="form" :rules="rules" ref="formRef" label-position="right" label-width="80px">
|
|
<el-form-item label="原密码" prop="oldPassword">
|
|
<el-input v-model="form.oldPassword" type="password" placeholder="请输入原密码" show-password />
|
|
</el-form-item>
|
|
<el-form-item label="新密码" prop="newPassword">
|
|
<el-input v-model="form.newPassword" type="password" placeholder="请输入新密码" show-password />
|
|
</el-form-item>
|
|
<el-form-item label="确认密码" prop="confirmPassword">
|
|
<el-input v-model="form.confirmPassword" type="password" placeholder="请再次输入新密码" show-password />
|
|
</el-form-item>
|
|
</el-form>
|
|
<template #footer>
|
|
<el-button @click="visible = false">
|
|
<el-icon><Close /></el-icon>
|
|
<span style="margin-left: 4px">取消</span>
|
|
</el-button>
|
|
<el-button type="primary" @click="handleSubmit" :loading="saving">
|
|
<el-icon><Check /></el-icon>
|
|
<span style="margin-left: 4px">保存</span>
|
|
</el-button>
|
|
</template>
|
|
</el-dialog>
|
|
</template>
|
|
|
|
<script setup>
|
|
import { computed, ref, reactive } from 'vue'
|
|
import { ElMessage } from 'element-plus'
|
|
import { Close, Check } from '@element-plus/icons-vue'
|
|
import request from '@/api/request'
|
|
|
|
const props = defineProps({ modelValue: Boolean })
|
|
const emit = defineEmits(['update:modelValue'])
|
|
|
|
const visible = computed({
|
|
get: () => props.modelValue,
|
|
set: (v) => emit('update:modelValue', v)
|
|
})
|
|
|
|
const formRef = ref(null)
|
|
const saving = ref(false)
|
|
|
|
const form = reactive({
|
|
oldPassword: '',
|
|
newPassword: '',
|
|
confirmPassword: ''
|
|
})
|
|
|
|
const validateConfirmPassword = (rule, value, callback) => {
|
|
if (value !== form.newPassword) {
|
|
callback(new Error('两次输入的密码不一致'))
|
|
} else {
|
|
callback()
|
|
}
|
|
}
|
|
|
|
const rules = {
|
|
oldPassword: [{ required: true, message: '请输入原密码', trigger: 'blur' }],
|
|
newPassword: [
|
|
{ required: true, message: '请输入新密码', trigger: 'blur' },
|
|
{ min: 6, message: '新密码长度不能少于6位', trigger: 'blur' }
|
|
],
|
|
confirmPassword: [
|
|
{ required: true, message: '请再次输入新密码', trigger: 'blur' },
|
|
{ validator: validateConfirmPassword, trigger: 'blur' }
|
|
]
|
|
}
|
|
|
|
const handleSubmit = async () => {
|
|
try {
|
|
await formRef.value.validate()
|
|
} catch {
|
|
return
|
|
}
|
|
|
|
saving.value = true
|
|
try {
|
|
await request.put('/users/password', {
|
|
oldPassword: form.oldPassword,
|
|
newPassword: form.newPassword
|
|
})
|
|
ElMessage.success('密码修改成功')
|
|
visible.value = false
|
|
// 清空表单
|
|
form.oldPassword = ''
|
|
form.newPassword = ''
|
|
form.confirmPassword = ''
|
|
} catch (e) {
|
|
ElMessage.error(e.response?.data?.message || '密码修改失败')
|
|
} finally {
|
|
saving.value = false
|
|
}
|
|
}
|
|
</script> |