I have an input:
JavaScript
x
9
1
<input
2
type="text"
3
id="name"
4
class="form-control"
5
name="name"
6
v-model="form.name"
7
:disabled="validated ? '' : disabled"
8
/>
9
and in my Vue.js component, I have:
JavaScript
1
8
1
..
2
..
3
ready() {
4
this.form.name = this.store.name;
5
this.form.validated = this.store.validated;
6
},
7
..
8
validated
being a boolean
, it can be either 0
or 1
, but no matter what value is stored in the database, my input is always disabled.
I need the input to be disabled if false
, otherwise it should be enabled and editable.
Update:
Doing this always enables the input (no matter I have 0 or 1 in the database):
JavaScript
1
9
1
<input
2
type="text"
3
id="name"
4
class="form-control"
5
name="name"
6
v-model="form.name"
7
:disabled="validated ? '' : disabled"
8
/>
9
Doing this always disabled the input (no matter I have 0 or 1 in the database):
JavaScript
1
9
1
<input
2
type="text"
3
id="name"
4
class="form-control"
5
name="name"
6
v-model="form.name"
7
:disabled="validated ? disabled : ''"
8
/>
9
Advertisement
Answer
To remove the disabled prop, you should set its value to false
. This needs to be the boolean value for false
, not the string 'false'
.
So, if the value for validated
is either a 1 or a 0, then conditionally set the disabled
prop based off that value. E.g.:
JavaScript
1
2
1
<input type="text" :disabled="validated == 1">
2
Here is an example.
JavaScript
1
7
1
var app = new Vue({
2
el: '#app',
3
4
data: {
5
disabled: 0
6
}
7
});
JavaScript
1
7
1
<script src="https://cdnjs.cloudflare.com/ajax/libs/vue/2.5.17/vue.js"></script>
2
<div id="app">
3
<button @click="disabled = (disabled + 1) % 2">Toggle Enable</button>
4
<input type="text" :disabled="disabled == 1">
5
6
<pre>{{ $data }}</pre>
7
</div>