前端筆記之Vue(五)TodoList實戰&拆分store&跨域&練習代理跨域

来源:https://www.cnblogs.com/rope/archive/2019/05/19/10737428.html
-Advertisement-
Play Games

一、TodoList 1.1安裝依賴 安裝相關依賴: 1.2配置虛擬伺服器 【第一步:安裝依賴】 【第二步:json-server的伺服器啟動】 啟動需要json文件作為支撐,新建data.json文件做服務數據: 最終沒有使用webpack-dev-server模擬伺服器 配置webpack.co ...


一、TodoList

1.1安裝依賴

安裝相關依賴:

npm install --save-dev webpack
npm install --save-dev babel-loader babel-core babel-preset-es2015
npm install --save-dev vue-loader
npm install --save-dev css-loader
npm install --save-dev vue-template-compiler
npm install --save-dev stylus stylus-loader
npm install --save vue
npm install --save vuex

 

1.2配置虛擬伺服器

【第一步:安裝依賴】

npm install -g json-server

【第二步:json-server的伺服器啟動】

啟動需要json文件作為支撐,新建data.json文件做服務數據:

{
    "mapList" : [
        {"id":1 ,"title" : "吃飯", "done" : false},
        {"id":2 ,"title" : "睡覺", "done" : false},
        {"id":3 ,"title" : "做飯", "done" : false},
        {"id":4 ,"title" : "掃地", "done" : false}
    ]
}

 

啟動命令json-server命令:
json-server 數據文件路徑 -s 靜態化目錄 -p 8080

json-server www/data/data.json -s ./www -p 8080
-s是 --static
-p是 --port

 

最終沒有使用webpack-dev-server模擬伺服器

 

配置webpack.config.js文件:

const path = require('path');
const {VueLoaderPlugin} = require('vue-loader');  //最新版webpack需要引入插件

module.exports = {
     //程式的入口文件
     entry: "./www/app/app.js",

     //程式的出口(打包的文件)
     output : {
        //打包文件輸出的路徑
        path : path.resolve(__dirname, "www/dist"),
        //打包文件的名稱
        filename : "all.js",
        // publicPath:"/public" //這是對webpack-dev-server的配置,配置虛擬路徑
     },
     //讓webpack監聽變化,自動打包
     watch : true,
     mode : "development",
     //配置webpack的模塊插件
     module:{
        //關於模塊的配置規則
        rules : [
            {
                //模塊規則(配置 loader、解析器等選項)
                test : /\.js$/,  //解析的時候匹配到的都是js文件
                include: [
                  path.resolve(__dirname, "www/app")    //翻譯什麼文件夾
                ],
                exclude: [
                  path.resolve(__dirname, "node_modules") //不翻譯什麼文件夾
                ],
                loader : "babel-loader",
                options : {
                    presets : ["es2015"]
                }
            },
            {
                test: /\.vue$/,
                include: [
                  path.resolve(__dirname, "www/app")    //翻譯什麼文件夾
                ],
                exclude: [
                  path.resolve(__dirname, "node_modules") //不翻譯什麼文件夾
                ],
                loader: 'vue-loader',
                options :{
                    loaders : {
                        stylus:'vue-style-loader!css-loader!stylus-loader'
                    }
                }
            },
            {
                test:/\.css$/,
                use: ['vue-style-loader','css-loader']
            }
            // {
            //     test: /\.styl(us)?$/,
            //     use: [
            //         'vue-style-loader',
            //         'css-loader',
            //         'stylus-loader'
            //     ]
            // }
        ]
     },
     resolve: {
        alias: { //配置別名
          'vue$': 'vue/dist/vue.esm.js' // 用 webpack 1 時需用 'vue/dist/vue.common.js'
        }
     },
     //最新版webpack需要引入插件
     plugins : [
        new VueLoaderPlugin()
     ]
}

 

【第三步:訪問介面】

獲取所有的數據:GET

增加數據:POST

得到某一條數據:GET

刪除某一條:DELETE

更新原始數據:PUT (更新條目的所有的屬性)、PATH(更新條目的某一個屬性)

自帶分頁:page(第幾頁)limit(每頁有多少條)

http://localhost:8080/mapList          返回.json文件所有數據(數組)
http://localhost:8080/mapList/1        返回id=1的數據,採用這種路徑風格id必須為小寫(數組)
http://localhost:8080/mapList/?Name=lst  返回Name=lst的用戶數據(數組)

分頁查詢:參數為 _start, _end, _limit,並可添加其它參數篩選條件,如:
http://localhost:8080/mapList?_start=6&_limit=3
http://localhost:8080/mapList?_start=3&_end=6

排序:參數為_sort, _order 
http://localhost:8080/mapList?_sort=id&_order=asc
http://localhost:8080/mapList?_sort=user,views&_order=desc,asc 

操作符:_gte, _lte, _ne, _like
_gte大於,_lte小於, _ne非, _like模糊查詢,q關鍵詞查詢
http://127.0.0.1:8080/mapList/?q=吃

1.3 TodoList

查詢數據

相關步驟:

created生命周期中發出一個GETALL的非同步命令,去actions裡面發非同步請求。

 

App.vue

<script>
    export default {
        created(){
            this.$store.dispatch("GETALL");
        }
    }
</script>

 

main.js

import Vue from "vue";
import Vuex from "vuex";
import App from "./App.vue";
Vue.use(Vuex);

const store = new Vuex.Store({
    state : {
        todos : []
    },
    mutations: {
        GETALL(state,payload){
            // state.todos.push(payload)
            state.todos = payload;
        }
    },
    actions :{
        async GETALL({commit}){
            //請求資料庫中的數據,然後存儲到state的todos中
            var data = await fetch("/maplist").then(data=>data.json());
            //發出commit()命令,並且將參數當載荷傳遞過去
            commit("GETALL", data);
        }
    }
});

new Vue({
    el : "#app",
    store,
    render:(h)=>h(App)
})

非同步請的數據回調成功後,將數據以載荷的形式發送到mutations,再去修改state 的數據

state全局倉庫有了數據,就可以在App.vue進行迴圈渲染。

 

App.vue

<template>
    <div>
        <ul>
            <li v-for="item in todos">
                {{item.title}}
            </li>
        </ul>
    </div>
</template>
<script>
    export default {
        created(){
            this.$store.dispatch("GETALL");
        },
        computed : {
            todos(){
                return this.$store.state.todos
            }
        }
    }
</script>

 

下一步:需要將li標簽拆分成組件:

App.vue

<template>
    <div>
        <ul>
           <li is="TodoLi" v-for="item in todos" :item="item"></li>
        </ul>
    </div>
</template>
<script>
    import TodoLi from "./components/TodoLi.vue";
    export default {
        created(){
            this.$store.dispatch("GETALL");
        },
        computed : {
            todos(){
                return this.$store.state.todos
            }
        },
        components:{
            TodoLi
        }
    }
</script>

 

TodoLi.vue

<template>
     <li>{{item.title}}</li>
</template>
<script>
    export default {
        props : ["item"]
    }
</script>

刪除數據

接下來寫增刪改查業務,推薦先寫刪除,因為刪除值需要id

TodoLi.vue

<template>
     <li>
         <span>{{item.title}}</span>
         <button @click="del(item.id)">刪除</button>
    </li>
</template>
<script>
    export default {
        props : ["item"],
        methods:{
            del(id){
                this.$store.dispatch("DEL", {id})
            }
        }
    }
</script>


const store = new Vuex.Store({
    state : {
        todos : []
    },
    mutations: {
        GETALL(state,payload){
            // state.todos.push(payload)
            state.todos = payload;
        },
        DEL(state, payload){
            // 根據id刪除state的數據
            state.todos = state.todos.filter(item=>{
                return item.id != payload.id;
            })
        }
    },
    actions :{
        async GETALL({commit}){
            //請求資料庫中的數據,然後存儲到state的todos中
            var data = await fetch("/maplist").then(data=>data.json());
            //發出commit()命令,並且將參數當載荷傳遞過去
            commit("GETALL", data);
        },
        async DEL({commit},payload){
            //向伺服器發出刪除請求,刪除data.json中的數據
            var data = await fetch("/maplist/" + payload.id, {
                method:"DELETE",
            }).then(data => data.json());
            commit("DEL", payload); //刪除全局state倉庫的數據
        },
    }
});

 

新增業務

App.vue

<template>
    <div>
        <div>
            <input type="text" v-model.trim="txt">
            <button @click="add">新增</button>
        </div>
        <ul>
           <li is="TodoLi" v-for="item in todos" :item="item"></li>
        </ul>
    </div>
</template>
<script>
    import TodoLi from "./components/TodoLi.vue";
    export default {
        data(){
            return {
                txt : ''
            }
        },
        methods :{
            add(){
                if(this.txt == '') return;
                //發出新增的非同步請求
                this.$store.dispatch(ADD, {id: new Date() - 0, title:this.txt, done:false})
            this.txt = ""
            }
        },
        components:{
            TodoLi
        }
    }
</script>

 

main.js

actions : {
    //新增數據
    async ADD({ commit }, payload) {
        //向data.json文件中插入數據
        var data = await fetch("/maplist/", {
            method: "POST",
            headers:{'Content-type' : 'application/json'},
            body: JSON.stringify(payload)
        }).then(data => data.json());
        commit("ADD", data); //新增數據到state,影響視圖更新
    }
},
mutations : {
    ADD(state, payload) {
        state.todos.push(payload);
    }
}

 

修改數據

TodoLi.vue

<template>
     <li>
         <span v-if="!isShow" @dblclick="showInput">{{item.title}}</span>
         <input type="text" v-if="isShow" v-model="item.title" @blur="hideInput(item)" v-focus>
         <button @click="del(item.id)">刪除</button>
    </li>
</template>
<script>
    export default {
        props : ["item"],
        data(){
            return{
                isShow:false
            }
        },
        methods:{
            del(id){
                this.$store.dispatch("DEL", {id})
            },
            showInput(){
                //雙擊顯示input
                this.isShow = !this.isShow;
            },
            hideInput(item){
                console.log(item)
                //失去焦點隱藏input,並且發送CAHNGETITLE命令修改title內容
                this.isShow = !this.isShow;
                this.$store.dispatch("CHANGETITLE",item)
            }
        },
        directives:{
            //自定義組件指令,自動獲取焦點
            focus :{
                inserted(el){
                    el.focus();
                }
            }
        }
    }
</script>

 

main.js

const store = new Vuex.Store({
    state : {
        todos : []
    },
    mutations: {
        CHANGETITLE(state, payload) {
            // 寫法1
            // state.todos.forEach(item=>{
            //     if (item.id == payload.id){
            //         item.title = payload.title;
            //     }
            // })
            // 寫法2
            state.todos = state.todos.map(item => {
                if(item.id == payload.id) {
                    return payload
                }
                return item;
            })
        }
    },
    actions :{
        //修改請求
        async CHANGETITLE({commit}, payload) {
            var data = await fetch("/maplist/" + payload.id, {
                method: "PATCH",
                headers: { 'Content-Type': 'application/json' },
                body: JSON.stringify(payload)
            }).then(data => data.json());

            commit("CHANGETITLE", data); //雖然實現了修改,但是為了完整性還是寫上
        },
    }
});

 

修改任務事件:當前任務是否做了,需要一個覆選框

todoli.vue

<li>
    <input type="checkbox" v-model="item.done" ref="cbox" @click="changeDone(item)">
<spanv-if="!isShowInput"@dblclick="showInput" :class="{cur:item.done}">{{item.title}}</span>
</li>
<script>
methods:{
changeDone(item){
       console.log(this.$refs.cbox.checked);
       // 這裡使用的是ref鉤子 這樣能得到 覆選框的狀態 
       // 提交的時候 只需要提交 id  覆選框的狀態就行了
       this.$store.dispatch("CHANGEDONE",{
          id : item.id,
          done : this.$refs.cbox.checked
       })
}
}
</script>
<style>
    .cur{text-decoration: line-through;}
</style>

 

app.js修改done和修改title的方式方法都一樣,只要改方法名即可。

const store = new Vuex.Store({
    mutations:{
        CHANGEDONE(state, payload){
            state.todos = state.todos.map(item => {
                if(item.id == payload.id){
                    return payload
                }
                return item
            })
        }
    },
actions:{
        async CHANGEDONE({commit},payload){
            var data = await fetch("/mapList/" + payload.id,{
                "method" : 'PATCH',
                "headers":{
                    'Content-Type':"application/json"
                },
                body:JSON.stringify({done:payload.done})
            }).then(res => res.json()); 
            commit("CHANGEDONE",data)
        },
    }
});

篩選按鈕:計算已做未做事項

篩選按鈕:計算已做未做事項

app.js

const store = new Vuex.Store({
    state:{
        todos:[]
    },
    mutations:{
        ...
    },
    actions:{
        ...
    },
    getters:{
        yizuo:function(state){
            return state.todos.filter(item => {
                return item.done == true //true表示已做
            })
        },
        weizuo:function(state){
            return state.todos.filter(item => {
                return item.done == false //false表示未做
            })
        }
    }
});

 

App.vue

<template>
    <div>
        <div>
            <input type="text" v-model.trim="txt">
            <button @click="add">新增</button>
        </div>
        <ul>
            <li v-for="item of todos" is="TodoLi" :item="item"></li>
        </ul>
        <div>
                全部:{{$store.state.todos.length}}個事項<br>
                已做:{{$store.getters.yizuo.length}}個完成事項<br>
                未做:{{$store.getters.weizuo.length}}個代辦事項<br>
        </div>
        <div>
            <button @click="all">查看全部</button>
            <button @click="yizuo">查看已做</button>
            <button @click="weizuo">查看未做</button>
        </div>
    </div>
</template>
<script>
import todoli from './components/TodoLi.vue'
export default {
    data() {
        return {
            txt: '',
            state: 'all'
        }
    },
    computed: {
        todos() {
            if(this.state == 'all'){
                return this.$store.state.todos
            }else if(this.state == 'yizuo'){
                return this.$store.getters.yizuo
            }else if(this.state == 'weizuo'){
                return this.$store.getters.weizuo
            }

        }
    },
    methods: {
        all() {
            this.state = 'all'
        },
        yizuo() {
            this.state = 'yizuo'
        },
        weizuo() {
            this.state = 'weizuo'
        }
    }
}
</script>

所有業務都已經完成,但是由於組件和數據太亂,下麵開始拆分store


 

二、拆分store

我們都知道vuexvue用來集中管理狀態的容器(管理全局的狀態),實現不同組件之間相互的數據訪問。我們說一下vuex拆分store以及多模塊管理。如果一個項目非常大的話狀態就會非常的多,如果不進行分類處理,所有的狀態都維護在一個state裡面的話,狀態管理就會變得非常的混亂,這樣非常不利於項目的後期維護。現在前端推崇模塊化開發,為的就是提高開發效率和維護效率,避免重覆工作。那麼vuex是怎麼樣解決這個問題的呢?這個時候我們今天要講的主角modules就要閃亮登場了。 

 

第一步:將main.js中的store拆分到一個js文件中。

export const storeObj = {
    state:{
        ...
    },
    mutations:{
        ...
    },
    actions:{
       ...
    },
    getters:{
        ...
    }
}

 

store中的index.jsmain.js中引入

import {storeObj} from "./store/index.js";
const store = new Vuex.Store(storeObj);

 

第二步:拆分statemutationsactionsgetters

給他們分別創建單獨的js文件,預設暴露

export default {

}

 

可以將我們定義的這些對象加入到Vuexstore

storeindex.jsimport引入:

import state from "./state.js";
import mutations from "./mutations.js";
import actions from "./actions.js";
import getters from "./getters.js";

export const storeObj = {
    state:{
        ...state
    },
    mutations:{
        ...mutations
    },
    actions:{
        ...actions
    },
    getters:{
        ...getters
    }
}
示例代碼

 

由於沒裝翻譯...”對象解構語法,會報錯:

npm install --svae-dev babel-plugin-transform-object-rest-spread

 

配置webpack.config.js

{
    test: /\.js?$/,  //解析的時候匹配到的都是js
    loader: "babel-loader",
    //翻譯字典
    options: {
        presets: ["es2015","ES2015"],
        plugins: ["transform-object-rest-spread"]
    }
},

配置完成後就可以識別...”解構了。

至此,還沒拆完,使用常量代替mutations集合actionstype名字

 

新建一個types.js文件,在裡面存常量(大寫字母的方法)

註意:把這些常量放到單獨的文件中可以讓你的代碼合作者對整個app包含mutationactions一目瞭然。

用不用常量代替取決於你--在需要多人協作的大型項目中,這會很有幫助,但是如果你不喜歡,完全可以不這麼做。

export const GETALL = "GETALL";
export const DEL = "DEL";
export const ADD = "ADD";
export const CHANGETITLE = "CHANGETITLE";
export const CHANGEDONE = "CHANGEDONE";

 

暴露常量的名字後,分別在mutationsactionsjs文件中使用這些來代替:

mutations.js

import {GETALL,DEL,ADD,CHANGETITLE,CHANGEDONE} from "./types.js";
export default {
    [GETALL](state, payload) {
        
    },
    [DEL](state, payload) {
        
    },
    [ADD](state, payload) {
        
    },
    [CHANGETITLE](state, payload) {
        
    },
    [CHANGEDONE](state, payload) {
        
    }
}

 

actions.js

import {GETALL,DEL,ADD,CHANGETITLE,CHANGEDONE} from "./types.js";
export default {
    async [GETALL]({ commit }) {
        
    },
    async [DEL]({ commit }, payload) {
        
    },
    async [ADD]({ commit }, payload) {
        
    },
    async [CHANGETITLE]({ commit }, payload) {
        
    },
    async [CHANGEDONE]({ commit }, payload) {
        
    }
}

註意:上方mutationsactions中的[types.ADD]寫法,因為types.ADD是一個對象,所以不能直接當做函數名來寫,需要用到ES2015風格的計算屬性命名功能來使用一個常量作為函數名,才能使用。

https://vuex.vuejs.org/zh/guide/mutations.html


三、非同步請求數據(跨域)

3.1 Ajax不能跨域

比如在Apache中演示:

<html>
<head>
    <title>Document</title>
</head>
<body>
    <script src="jquery-3.3.1.min.js"></script>
    <script>
        $.get("http://127.0.0.88/a.txt" , function(data){
            console.log(data);
        });
    </script>
</body>
</html>

試圖在127.0.0.1

您的分享是我們最大的動力!

-Advertisement-
Play Games
更多相關文章
  • 1.計算屬性 我們可以將同一函數定義為一個方法而不是一個計算屬性。兩種方式的最終結果確實是完全相同的。然而,不同的是計算屬性是基於它們的依賴進行緩存的。只在相關依賴發生改變時它們才會重新求值;多次調用,計算屬性會立即返回之前的計算結果,而不必再次執行函數。 2.使用偵聽器 我們發現,與計算屬性相比, ...
  • 本章使用路徑生成器來繪製一個折線圖。以中國和日本的GDP數據為例: 1 //數據 2 var dataList = [ 3 { 4 coountry : "china", 5 gdp : [ 6 [2000,11920],[2001,13170],[2002,14550],[2003,16500], ...
  • Object Array instanceof Function 引用類型 - Object {} 等價於 new Object() 我們經常使⽤用對象來承載可選參數,⽽而⽤用 命名的形式參數來傳遞必要的參數 a.c 等價於 a[‘c’] 我們經常使⽤用對象來承載可選參數,⽽而⽤用 命名的形式參數來 ...
  • 作為一個真正的前端工作者適配是一個老生常談的問題,那麼今天給大家總結一下在工作當中常用做適配的方式。 一、固定佈局(pc端)(靜態佈局) 以像素作為頁面的基本單位,不管設備和瀏覽器寬度,只設計一套尺寸 二、根據不同根據不同的解析度,載入不同的CSS樣式文件(可切換的固定佈局)自適應佈局 1、<scr ...
  • 簡歷第三天 簡歷的CSS文件 簡歷的html 今天效果圖 今天學習到的內容 ...
  • 為什麼選擇Vue 通過一個對比,展示 框架的優勢: 需求:根據請求後端介面返回的數據列表,渲染在頁面中。 傳統上我們使用 的`Ajax http`請求,獲取數據。判斷列表數據是否存在,如果不存在,顯示一條提示信息;如果存在,則顯示出來。 "DEMO 1 1 jQuery create list" j ...
  • 大家在使用D3.js中的力導向圖時,基本都會遇到動態增加節點及連線的需求,這裡記錄一下我的實現方式。 話不多說,先放代碼: 再看效果圖: 總結:從代碼上看實現這個功能邏輯還是挺簡單的,但是從顯示效果上看後增加的連線會覆蓋在原先的節點上,顯示效果不友好,下一篇會說明一下這個問題應該如何解決。 ...
  • Interator "集合"數據的結構主要有 、 、 and ,任何數據結構只要部署 Iterator 介面,就可完成遍歷操作 遍歷過程: 創建指針,指向當前數據結構起始位。(遍歷對象本質是一個指針對象)。 依次迴圈調用指針對象的 方法,對應指向數據結構成員,直至結束。 ` 每次調用 方法,返回對象 ...
一周排行
    -Advertisement-
    Play Games
  • 移動開發(一):使用.NET MAUI開發第一個安卓APP 對於工作多年的C#程式員來說,近來想嘗試開發一款安卓APP,考慮了很久最終選擇使用.NET MAUI這個微軟官方的框架來嘗試體驗開發安卓APP,畢竟是使用Visual Studio開發工具,使用起來也比較的順手,結合微軟官方的教程進行了安卓 ...
  • 前言 QuestPDF 是一個開源 .NET 庫,用於生成 PDF 文檔。使用了C# Fluent API方式可簡化開發、減少錯誤並提高工作效率。利用它可以輕鬆生成 PDF 報告、發票、導出文件等。 項目介紹 QuestPDF 是一個革命性的開源 .NET 庫,它徹底改變了我們生成 PDF 文檔的方 ...
  • 項目地址 項目後端地址: https://github.com/ZyPLJ/ZYTteeHole 項目前端頁面地址: ZyPLJ/TreeHoleVue (github.com) https://github.com/ZyPLJ/TreeHoleVue 目前項目測試訪問地址: http://tree ...
  • 話不多說,直接開乾 一.下載 1.官方鏈接下載: https://www.microsoft.com/zh-cn/sql-server/sql-server-downloads 2.在下載目錄中找到下麵這個小的安裝包 SQL2022-SSEI-Dev.exe,運行開始下載SQL server; 二. ...
  • 前言 隨著物聯網(IoT)技術的迅猛發展,MQTT(消息隊列遙測傳輸)協議憑藉其輕量級和高效性,已成為眾多物聯網應用的首選通信標準。 MQTTnet 作為一個高性能的 .NET 開源庫,為 .NET 平臺上的 MQTT 客戶端與伺服器開發提供了強大的支持。 本文將全面介紹 MQTTnet 的核心功能 ...
  • Serilog支持多種接收器用於日誌存儲,增強器用於添加屬性,LogContext管理動態屬性,支持多種輸出格式包括純文本、JSON及ExpressionTemplate。還提供了自定義格式化選項,適用於不同需求。 ...
  • 目錄簡介獲取 HTML 文檔解析 HTML 文檔測試參考文章 簡介 動態內容網站使用 JavaScript 腳本動態檢索和渲染數據,爬取信息時需要模擬瀏覽器行為,否則獲取到的源碼基本是空的。 本文使用的爬取步驟如下: 使用 Selenium 獲取渲染後的 HTML 文檔 使用 HtmlAgility ...
  • 1.前言 什麼是熱更新 游戲或者軟體更新時,無需重新下載客戶端進行安裝,而是在應用程式啟動的情況下,在內部進行資源或者代碼更新 Unity目前常用熱更新解決方案 HybridCLR,Xlua,ILRuntime等 Unity目前常用資源管理解決方案 AssetBundles,Addressable, ...
  • 本文章主要是在C# ASP.NET Core Web API框架實現向手機發送驗證碼簡訊功能。這裡我選擇是一個互億無線簡訊驗證碼平臺,其實像阿裡雲,騰訊雲上面也可以。 首先我們先去 互億無線 https://www.ihuyi.com/api/sms.html 去註冊一個賬號 註冊完成賬號後,它會送 ...
  • 通過以下方式可以高效,並保證數據同步的可靠性 1.API設計 使用RESTful設計,確保API端點明確,並使用適當的HTTP方法(如POST用於創建,PUT用於更新)。 設計清晰的請求和響應模型,以確保客戶端能夠理解預期格式。 2.數據驗證 在伺服器端進行嚴格的數據驗證,確保接收到的數據符合預期格 ...