Clearing the input field value in Vue app
In this tutorial, we are going to learn about how to clear the input field value in forms by clicking a button in Vue.
We mostly clear the HTML input field values after submitting a form or resetting the incorrect form.
Using the v-model directive
In vue.js, we use the v-model directive to create a two-way data binding between the input field and vue data property, so that we can clear an input field value by setting the empty string (" ")
to the data property.
Here is an example that clears the input value by clicking on a Reset
button.
<template>
<div>
<input placeholder="email" v-model="email" />
<button @click="resetInput">Reset</button> </div>
</template>
<script>
export default {
data() {
return {
email: "",
};
},
methods: {
resetInput() {
this.email = ""; },
},
};
</script>
Similarly, we can also use the vue refs to clear an input field.
<template>
<div>
<input placeholder="email" ref="email" /> <button @click="resetInput">Reset</button>
</div>
</template>
<script>
export default {
methods: {
resetInput() {
this.$refs["email"].value = ""; },
},
};
</script>