问题描述,两个input点击按钮时做v-if切换,输入的值会扔保留,问题代码如下:
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<meta http-equiv="X-UA-Compatible" content="ie=edge">
<title>Document</title>
<script src="https://cdn.jsdelivr.net/npm/vue/dist/vue.js"></script>
</head>
<body>
<div id="app">
<input type="text" placeholder="请输入手机号" v-if="isShow">
<input type="text" placeholder="请输入邮箱" v-else>
<button @click="change">切换</button>
</div>
<script>
new Vue({
el: '#app',
data: {
isShow: true
},
methods: {
change() {
this.isShow = !this.isShow;
}
}
})
</script>
</body>
</html>
复制以上代码即可看到问题所在,输入内容,点击切换所输入的东西依旧保留,其实input已经改变了。
原因:vue在dom渲染时会尽量使用现有元素
解决方法1:给input添加key,此种方式不能保留输入内容,切换后会清空数据,当再次切换回来时,需重新输入内容
<input type="text" placeholder="请输入手机号" v-if="isShow" key="tel">
<input type="text" placeholder="请输入邮箱" v-else key="email">
解决方法2:使用v-show代替v-if 这样可以保留当前输入的内容,切换回来时原数据仍会保留
<input type="text" placeholder="请输入手机号" v-show="isShow">
<input type="text" placeholder="请输入邮箱" v-show="!isShow">