根据这里的文档,我有两个组件和一个基本存储区:https://vuejs.org/v2/guide/state-management.html#Simple-State-Management-from-Scratch。
我想做到这一点,以便在我输入输入内容时使用商店更新其他组件中的值。
这里是基本示例。
App.vue
<template>
<div id="app">
<h1>Store Demo</h1>
<BaseInputText /> Value From Store: {{ test }}
</div>
</template>
<script>
import BaseInputText from "./components/BaseInputText.vue";
import { store } from "../store.js";
export default {
// This should reactively changed as per the input
computed: {
test: function() {
return store.state.test;
}
},
components: {
BaseInputText
}
};
</script>
BaseInput.vue
<template>
<input type="text" class="input" v-model="test" />
</template>
<script>
import { store } from "../store.js";
export default {
data() {
return {
test: store.state.test
};
},
// When the value changes update the store
watch: {
test: function(newValue) {
store.setTest(newValue);
}
}
};
</script>
store.js
export const store = {
debug: true,
state: {
test: "hi"
},
setTest(newValue) {
if (this.debug) console.log("Set the test field with:", newValue);
this.state.test = newValue;
}
};
我想这样做,以便当我在输入中键入字符串时,App.vue中的test
变量会更新。我正在尝试了解商店模式的工作方式。我知道如何使用道具。
我在这里也有一份工作副本:https://codesandbox.io/s/loz79jnoq?fontsize=14
答案 0 :(得分:1)
已更新
2.6.0 +
为了使商店具有反应性,请使用Vue.observable
(在2.6.0+版本中添加)
store.js
import Vue from 'vue'
export const store = Vue.observable({
debug: true,
state: {
test: 'hi'
}
})
BaseInputText.vue
<input type="text" class="input" v-model="state.test">
...
data() {
return {
state: store.state
};
},
2.6.0之前的版本
store.js
import Vue from 'vue'
export const store = new Vue({
data: {
debug: true,
state: {
test: 'hi'
}
}
})
BaseInputText.vue
<input type="text" class="input" v-model="state.test">
...
data() {
return {
state: store.state
};
}
旧答案
来自文档However, the difference is that computed properties are cached based on their reactive dependencies
.
商店没有反应
更改为
App.vue
data() {
return {
state: store.state
};
},
computed: {
test: function() {
return this.state.test;
}
},
它看起来很糟糕,但我看不出有其他方法可以使它工作