Do Vue Watched Properties Cache Just Like The Computed Properties?
Solution 1:
While saurabh's answer is not wrong, I feel that it does not really answer the question.
The answer would be: no, watchers are not "cached" - that makes no sense, because watchers are functions that have side effects, but don't have return values and can't be used as properties.
So it is not necessary or sensible to cache anything for watchers.
But yes, both are only executed when the watched data changes.
Solution 2:
Behaviour of watchers
will be same as behaviour of computed
as computed
is internally implemented using watchers
. When one defines a computed
property, vue internally sets watcher on the variables used in computed property, see the code below from source:
functionmakeComputedGetter (getter: Function, owner: Component): Function {
const watcher = newWatcher(owner, getter, noop, {
lazy: true
})
returnfunctioncomputedGetter () {
if (watcher.dirty) {
watcher.evaluate()
}
if (Dep.target) {
watcher.depend()
}
return watcher.value
}
}
So code written in computed
or watch
blocks will be executed only once, when the reactive data changes.
Post a Comment for "Do Vue Watched Properties Cache Just Like The Computed Properties?"