I have set this reactive value inside the setup
const refValue = ref('foo');
and set a watch
function to it
JavaScript
x
5
1
watch(refValue, function() {
2
console.log("activaded")
3
4
});
5
the watch
function gets not activated if I manually change the value,
it gets only activated if a add a function which changes the value
JavaScript
1
6
1
const changeValue = function changedValue() {
2
console.log("fired");
3
4
return refValue.value = 12;
5
}
6
why does watch only gets triggered when using a function to change the value,
I thought that const refValue = ref('foo');
is reactive so watch
should detect all changes
JavaScript
1
30
30
1
import { ref,watch } from 'vue';
2
3
export default {
4
setup() {
5
6
const refValue = ref('foo');
7
8
9
watch(refValue, function() {
10
console.log("activaded")
11
12
});
13
14
const changeValue = function changedValue() {
15
console.log("fired");
16
17
return refValue.value = 12;
18
}
19
20
21
22
return {
23
refProp: refValue,
24
changeFuncton: changeValue
25
26
};
27
},
28
29
};
30
Advertisement
Answer
Try out immediate
option and use a function as first parameter that returns the observed property :
JavaScript
1
5
1
watch(()=>refValue, function() {
2
console.log("activaded")
3
4
},{immediate:true});
5