2、vuex中用来存储数据的划分为:
1).初始化vuex.Store: index.js
Vue.use(Vuex);
const state = {
totalTime: 0,list: []
};
export default new Vuex.Store({
state,mutations,actions
})
State: 单一状态树,用一个state对象包含了全部的应用层级状态,代码中只new 了一次store实例 Vuex.Store。
2).负责触发事件和传入参数:actions.js
export default {
addTotalTime({ commit },time) {
commit(types.ADD_TOTAL_TIME,time)
},decTotalTime({ commit },time) {
commit(types.DEC_TOTAL_TIME,savePlan({ commit },plan) {
commit(types.SAVE_PLAN,plan);
},deletePlan({ commit },plan) {
commit(types.DELETE_PLAN,plan)
}
};
实践中,我们会经常会用到 ES2015 的 参数解构 来简化代码(特别是我们需要调用 commit 很多次的时候):
3).注册各种数据变化的方法: mutations.js
export default {
//
增加总时间
[types.ADD_TOTAL_TIME] (state,time) {
state.totalTime = state.totalTime + time
},// 减少总时间
[types.DEC_TOTAL_TIME] (state,time) {
state.totalTime = state.totalTime - time
},// 新增计划
[types.SAVE_PLAN] (state,plan) {
// 设置默认值,未来我们可以做登入直接读取昵称和头像
const avatar = '
https://pic.cnblogs.com/avatar/504457/20161108225210.png';
state.list.push(
Object.assign({ name: 'eraser',avatar: avatar },plan)
)
},// 删除某计划
[types.DELETE_PLAN] (state,idx) {
state.list.splice(idx,1);
}
};
使用常量替代 mutation 事件类型在各种 Flux 实现中是很常见的模式。这样可以使 linter 之类的工具发挥作用,同时把这些常量放在单独的文件中可以让你的代码合作者对整个 app 包含的 mutation 一目了然:
mutations: {
// 我们可以使用 ES2015 风格的计算
属性命名
功能来使用一个常量作为
函数名
[SOME_MUTATION] (state) {
// mutate state
}
}
4).记录所有的事件名: mutation-types.js
增加总时间或者减少总时间
export const ADD_TOTAL_TIME = 'ADD_TOTAL_TIME';
export const DEC_TOTAL_TIME = 'DEC_TOTAL_TIME';
// 新增和删除一条计划
export const SAVE_PLAN = 'SAVE_PLAN';
export const DELETE_PLAN = 'DELETE_PLAN';
配合上面常量替代 mutation 事件类型的使用
3、初始化部分
入口文件渲染的模版index.html比较简单:
<
Meta charset="utf-8">
vue-notes-demo
入口文件main.js的代码:
import VueRouter from 'vue-router';
import VueResource from 'vue-resource';
import store from './vuex/index';
// 路由模块和HTTP模块
Vue.use(VueResource);
Vue.use(VueRouter);
const routes = [
{ path: '/home',component: Home },{
path : '/time-entries',component : TimeEntries,children : [{
path : 'log-time',// 懒加载
component : resolve => require(['./components/LogTime.vue'],resolve),}]
},{ path: '*',component: Home }
]
const router = new VueRouter({
routes // short for routes: routes
});
// router.start(App,'#app');
const app = new Vue({
router,store,...App,}).$mount('#app');
代码中 ...App 相当于 render:h => h(App)
初始化组件App.vue为:
<div class="jb51code">
<pre class="brush:xhtml;">
<div class="col-sm-9">
至此,实践结束,一些原理性的东西我还需要多去理解^_^
源代码:【】
参考:
以上就是本文的全部内容,希望对大家的学习有所帮助,也希望大家多多支持编程之家。
原文链接:https://www.f2er.com/vue/44030.html