我正在使用mapGetters
VueX 的帮助程序,但我仅在页面的第一次加载时遇到了一些问题,它不是反应式的......让我告诉你:
我的 html 模板触发了更改:
<input type="number" value="this.inputValue" @change="this.$store.dispatch('setInputValue', $event.target.value)">
我的商店收到价值
{
state: {
appValues: {
inputValue: null
},
},
getters: {
getInputValue: (state) => {
return state.appValues.inputValue;
},
},
mutations: {
setInputValue(state, value) {
state.appValues.inputValue = value;
},
},
actions: {
setInputValue(context, payload) {
return new Promise((resolve, reject) => {
context.commit('setInputValue', payload);
resolve();
});
},
}
}
然后我的组件监听商店:
import {mapGetters} from 'vuex';
computed: {
...mapGetters({
inputValue: 'getInputValue',
}),
}
watch: {
inputValue: {
deep: true,
immediate: true,
handler(nVal, oVal) {
console.log("inputValue", nVal, oVal);
}
},
}
所以现在,当我第一次加载页面时,我得到了这个 console.log "inputValue" null undefined
,这是完全正常的,因为我的商店里什么都没有,它给了我默认值null。
但现在是奇怪的部分。我开始更改输入值,但我的控制台中没有任何内容。什么都没有动...
然后我重新加载页面并在加载时得到这个console.log "inputValue" 5 undefined
(5是我之前输入的值)所以你可以看到,当我之前更改输入时,它很好地保留了存储中的值但是计算价值没有自我更新......
Ans 现在,当我更改输入的值时,我的控制台日志是这样"inputValue" 7 5
的,所以它可以正常工作,因为我希望它从一开始就可以工作......
我做错了什么?为什么在第一次加载时计算值没有反应?
谢谢你的回答...