相关资料

  1. vue-cli脚手架: https://cli.vuejs.org/zh/
  2. vue官网: https://cn.vuejs.org/v2/guide/index.html

    (一) 创建和配置项目

    (1) 安装vue-cli脚手架
    1. npm install -g @vue/cli
    (2) 查看vue脚手架版本
    1. vue --version
    (3) 创建一个新项目
    官网文档地址
    1. vue create hello-world // 1.创建项目
  1. cd hello-world // 2.进入项目文件夹
  2. npm run serve // 3.运行项目

若出现一下问题: 安装10.0版本的nodejs可以解决问题
nodejs下载地址: https://npm.taobao.org/mirrors/node
image.png

(4) hello-world项目目录结构
  1. 单页应用single-page application,简称 SPA, hello-world项目中在public文件夹有一个index.html也是项目中唯一一个html文件
  2. src文件夹: 源码文件夹, 我们将在这个文件去编写代码
  3. .gitignore: 记录哪些文件不提交
  4. babel.config.js: babel是用来将es6转成js5的工具, 这个文件是这个工具的配置

    (5) vue组件
  5. 父组件 ```javascript

  1. 2. 子组件
  2. ```javascript
  3. <template>
  4. <div class="footer">
  5. <span>{{tab}}</span>
  6. <span>影院</span>
  7. <span>我的</span>
  8. </div>
  9. </template>
  10. <script>
  11. export default {
  12. data() {
  13. return {
  14. tab: '首页'
  15. }
  16. },
  17. created() {
  18. console.log('footer组件')
  19. }
  20. }
  21. </script>
  22. <style>
  23. .footer{
  24. position: fixed;
  25. bottom: 0;
  26. height: 50px;
  27. width: 100%;
  28. display: flex;
  29. justify-content: space-around;
  30. }
  31. </style>

(6) 禁用eslint
  1. // 根目录新增vue.config.js
  2. module.exports = {
  3. lintOnSave: false
  4. }

(7) devtool

vue开发调试工具

  1. 下载 http://soft.huruqing.cn
  2. 添加到chrome扩展程序里

    (8) 查看webpack配置

    vue inspect > output.js

    (二) 添加less支持

  3. npm install less less-loader@6.0.0 —save-dev

  4. 在vue文件这样写即可, scoped表示样式只在当前文件有效, 不会影响其他组件

    1. <style lang="less" scoped>
    2. #app {
    3. a {margin-left: 15px;}
    4. }
    5. </style>

    image.png
    出现这个问题是因为less-loader版本太高, 执行这两步操作即可

  5. npm uninstall less-loader

  6. npm install less-loader@6.0.0

    (三) vue路由配置

    (1)一个简单路由配置
  7. npm i vue-router

  8. 在src内创建router文件夹, 新建index.js(代码如下)
  9. 在src创建views文件夹, 存放各个模块的组件, components文件夹存放的公共的组件
  10. 在main.js里, 把router挂载到vue的实例
  11. 配置路由出口, 详见下方第(2)点router-view
  12. 使用router-link进行跳转, 详见下方第(3)点路由跳转
  1. // router/index.js
  2. import Vue from "vue";
  3. import Router from "vue-router";
  4. Vue.use(Router);
  5. export default new Router({
  6. routes: [
  7. {
  8. path: "/",
  9. redirect: "/index"
  10. },
  11. {
  12. path: "/cart",
  13. component: () => import("@/views/cart/index")
  14. },
  15. {
  16. path: "*",
  17. component: () => import("@/views/components/NotFound")
  18. },
  19. ]
  20. })
  1. // main.js 代码
  2. import Vue from 'vue'
  3. import App from './App.vue'
  4. import router from './router/index'
  5. Vue.config.productionTip = false
  6. new Vue({
  7. // 把router挂载到vue实例
  8. router,
  9. render: h => h(App),
  10. }).$mount('#app')

(2) router-view
  1. 路由出口
  2. 路由匹配到的组件将渲染在这里
  3. 在app.vue配置

    1. <template>
    2. <div id="app">
    3. <img alt="Vue logo" src="./assets/logo.png" />
    4. <!-- 路由出口 -->
    5. <!-- 路由匹配到的组件将渲染在这里 -->
    6. <router-view></router-view>
    7. <!-- 在页面显示子组件 -->
    8. <Footer></Footer>
    9. </div>
    10. </template>
    11. <script>
    12. // 导入子组件
    13. import Footer from "@/components/Footer";
    14. export default {
    15. name: "App",
    16. // 注册组件
    17. components: {
    18. Footer
    19. }
    20. };
    21. </script>
    22. <style>
    23. #app {
    24. text-align: center;
    25. margin-top: 60px;
    26. }
    27. </style>

    (3) 路由跳转

    ```javascript // 方式一 cart

// 方式二 this.$router.push(‘/cart’);

  1. <a name="wqgrS"></a>
  2. ##### (4) 子路由配置
  3. 使用子路由进行模块路由配置,结构比较分明<br />比如我们的网站有商品模块,有列表页面和详情页面, 路由如下<br />/product 商品模块总路由<br />/prodcut/list 子路由<br />/product/detail 子路由
  4. ```javascript
  5. {
  6. path: '/product',
  7. component: () => import('@/views/product/index'),
  8. children: [
  9. {
  10. path: 'list',
  11. component: ()=>import('@/views/product/children/list')
  12. },
  13. {
  14. path: 'detail',
  15. component: ()=>import('@/views/product/children/detail')
  16. }
  17. ]
  18. }

(5) active-class

active-class是vue-router模块的router-link组件中的属性,用来做选中样式的切换;

  1. 只要路由中包含to里面的路由, 就能匹配到, 就会高亮, 比如: /product, /product/list, /product/detail都会使下面的第二个router-link高亮
  2. exact 表示精确匹配, 只有路由完全一样才能被匹配
    1. <router-link to="/" active-class="on" exact>首页</router-link>
    2. <router-link to="/product" active-class="on">product</router-link>
    3. <router-link to="/cart" active-class="on">cart</router-link>
    4. <router-link to="/my" active-class="on">my</router-link>
    5. <router-link to="/order" active-class="on">order</router-link>

(6) history模式
  1. vue-router 默认 hash 模式 —— 使用 URL 的 hash 来模拟一个完整的 URL,于是当 URL 改变时,页面不会重新加载。
  2. 如果不想要很丑的 hash,我们可以用路由的 history 模式,这种模式充分利用 history.pushState API 来完成 URL 跳转而无须重新加载页面
  3. 使用history需要后端支持, vue-cli创建的devServer可以支持

    1. const router = new VueRouter({
    2. mode: 'history', // 默认hash
    3. routes: [...]
    4. })

    (7) 默认跳转(redirect重定向)

    当访问 ‘/‘, 我们使用redirect使它默认跳到 ‘/product’

    1. {
    2. path: '/',
    3. redirect: '/product'
    4. },

    (8) 404配置

    假如用户访问了一个没有的路由, 我们让它跳转到404页面

    1. {
    2. path: '*',
    3. component:()=>import('@/components/NotFound')
    4. }

    (四) vant有赞ui库

    文档地址: https://vant-contrib.gitee.io/vant/#/zh-CN/

    1. npm i vant -S 安装vant

    2. 导入所有组件(按需导入请看文档)
    1. // 在main.js添加以下内容
    2. import Vue from 'vue';
    3. import Vant from 'vant';
    4. import 'vant/lib/index.css';
    5. Vue.use(Vant);

    3. 使用ui库要关注的三个方面:
  4. 组件有哪些属性可用

  5. 有哪些事件可用
  6. 有哪些插槽可用

    4. 熟悉下列几个vant组件
  7. ContactCard 联系人卡片(彩色边框)

  8. Divider 分割线
  9. NavBar 导航栏(试试自己实现一个导航栏)
  10. van-cell 单元格
  11. SubmitBar 提交订单栏
  12. CountDown 倒计时(试试自己实现一个倒计时组件)
  13. Skeleton 骨架屏
  14. Radio 单选框
  15. ActionSheet 动作面板
  16. Skeleton 骨架屏
  17. ……

5. 全局样式设置
  1. vant提供的全局样式变量 链接
  2. 修改全局样式

    • 导入有赞的样式文件
    • 在app.vue添加需要覆盖的样式

      (五) 封装axios

      封装axios让我们请求数据更happy
  3. npm i axios -s

  4. 在src下新建utils文件夹
  5. 新建request.js文件 ```javascript import axios from ‘axios’; import { Dialog } from ‘vant’;

const get = (url, data) => { return new Promise((resolve, reject) => { axios.get(url,{params: data}).then(res=> { if(res.data.code == 666) { resolve(res.data); } else { Dialog({ message: res.data.msg }); } }).catch(err=>{ Dialog({ message:’网络请求失败, 请稍后再试’ }); }); }) }

const post = (url, data) => { return new Promise((resolve, reject) => { axios.post(url, data).then(res=> { if(res.data.code == 666) { resolve(res.data); } else { Dialog({ message: res.data.msg }); } }).catch(err=>{ Dialog({ message:’网络请求失败, 请稍后再试’ }); }); }) }

export default { get, post }

  1. <a name="V8FY9"></a>
  2. ## (六) 集中管理所有请求
  3. 1. 在src下新建api文件夹
  4. 1. 新建index.js
  5. ```javascript
  6. import axios from '@/utils/request'
  7. let baseUrl = 'http://huruqing.cn:3000/api';
  8. // 电影模块
  9. export const fetchFilmList =(data={}) => axios.get(baseUrl+'/film/getList', data);
  10. export const fetchFilmDetail = (data={}) => axios.get(baseUrl+'/film/getDetail', data);
  11. // 影院模块
  12. export const fetchCinemalList =(data={}) => axios.get(baseUrl+'/film/getList', data);
  13. // 其他模块

(七) vue路由跳转和传参

(1) 路由跳转的两种方式
  1. // 方式一
  2. <router-link to="xxxx"></router-link>
  3. // 方式二
  4. this.$router.push();

(2) 三种路由传参方式

传参

  1. 通过params传参
  2. 动态路由传参
  3. 通过query传参

获取参数

  1. this.$route.params
  2. this.$route.query

注意: router和route不是一回事

1.通过name+params传参
  1. // 1.配置路由的时候添加name
  2. {
  3. path: '/product',
  4. name: 'product'
  5. component: ()=>import('@/views/product/index')
  6. },
  7. // 2.跳转
  8. this.$router.push({ name: 'product', params: { productId: '123' }})
  9. // 3.接收参数
  10. this.$route.params.productId

2.动态路由传参
  1. // 1.路由配置
  2. {
  3. path: '/detail/:productId,
  4. name: 'detail',
  5. component: Detail
  6. }
  7. // 2.页面,参数接在路由后面
  8. <router-link to="/detail/19"></router-link>
  9. // 获取参数
  10. this.$route.params.productId(上面配置是id,这里就用id来接收参数)

3.通过path+query传参
  1. // 带查询参数,query传参会把参数拼接到地址栏,变成 /register?plan=aaa, 使用了path,参数不能通过params传递
  2. this.$router.push({ path: '/register', query: { plan: 'aaa' }})
  3. // 获取参数
  4. this.$route.query.plan;

(八) 导入重置样式和公共样式

  1. // main.js
  2. import Vue from 'vue'
  3. import App from './App.vue'
  4. import router from './router/index'
  5. import Vant from 'vant';
  6. import 'vant/lib/index.css';
  7. // 导入重置样式和公共样式
  8. import '@/assets/style/reset.less'
  9. import '@/assets/style/common.less'
  10. Vue.use(Vant);
  11. Vue.config.productionTip = false
  12. new Vue({
  13. router,
  14. render: h => h(App),
  15. }).$mount('#app')

(九) 模拟数据

  1. 文档地址: https://www.npmjs.com/package/json-server
  2. npm i json-server -g //全局安装
  3. 创建db.json
  4. 启动json-server

    1. json-server --watch db.json
    1. // db.json
    2. {
    3. "posts": [
    4. { "id": 1, "title": "json-server", "author": "typicode" }
    5. ],
    6. "comments": [
    7. { "id": 1, "body": "some comment", "postId": 1 }
    8. ],
    9. "profile": { "name": "typicode" }
    10. }
  5. 访问接口

    1. http://localhost:3000/posts/1
  6. 将命令添加到package.json, 可以使用 npm run json 启动项目

    1. "scripts": {
    2. "json": "json-server --watch db.json"
    3. },

    (十) 父子组件通信

    1.父传子
  • 父组件给子组件绑定属性, 属性的值是需要传递的信息
  • 子组件通过props接收父组件的信息 ```javascript // 父组件

// 子组件

Expected Number with value NaN, got String …. 预期得到的数字, 但是得到是字符串

  1. <a name="hupEs"></a>
  2. ##### 2. 子传父
  3. 1. 父组件在子组件上绑定一个自定义事件(事件名称我们自己定义的, vue本身是没有这个事件的)
  4. 1. 父组件给自定义事件绑定一个函数, 这个函数可以接受来自子组件的数据
  5. 1. 子组件使用$emit触发(调用)该事件, 并把数据以参数形式传给父组件
  6. ```javascript
  7. // 父组件
  8. <template>
  9. <div class="father">
  10. <h3>父组件</h3>
  11. <hr>
  12. <!-- @getMsg是自定义事件,它绑定了一个叫getMsg的函数,当事件被触发,函数就会被调用 -->
  13. <child @getMsg="getMsg"></child>
  14. </div>
  15. </template>
  16. <script>
  17. import Child from './Child.vue';
  18. export default {
  19. components: {
  20. Child
  21. },
  22. methods: {
  23. // data是子组件传回来的信息
  24. getMsg(data) {
  25. console.log(data);
  26. }
  27. }
  28. };
  29. </script>
  30. // 子组件
  31. <template>
  32. <div class="Falterh">
  33. <h4>子组件</h4>
  34. <button @click="send">发信息</button>
  35. </div>
  36. </template>
  37. <script>
  38. export default {
  39. methods: {
  40. // 给父组件发送信息
  41. send() {
  42. /**
  43. * 使用$emit触发父组件的自定义事件
  44. * @param getMsg-父组件自定义事件,
  45. * @param data-传递给父组件的数据
  46. */
  47. let data = {
  48. msg1: '父亲大人安好',
  49. msg2: '老爸,我没有生活费了'
  50. }
  51. this.$emit('getMsg',data);
  52. }
  53. }
  54. };
  55. </script>
  56. // 综合例子练习: 定义父组件和子组件, 实现需求: 父=>子:儿子,好好努力; 子=>父:父亲,保重身体
  57. // 父组件
  58. <template>
  59. <div>
  60. <h3>父组件</h3>
  61. <p>来自儿子的信息: {{info}}</p>
  62. <hr>
  63. <Son msg="儿子,好好努力" @getMsg="test"></Son>
  64. </div>
  65. </template>
  66. <script>
  67. import Son from './Son'
  68. export default {
  69. data() {
  70. return {
  71. info: ''
  72. }
  73. },
  74. // 注册组件
  75. components: {
  76. Son,
  77. },
  78. methods: {
  79. test(data) {
  80. this.info = data;
  81. }
  82. }
  83. };
  84. </script>
  85. // 子组件
  86. <template>
  87. <div>
  88. <h4>子组件</h4>
  89. <p>来自父亲的信息: {{msg}}</p>
  90. <br>
  91. <button @click="send">给父亲发消息</button>
  92. </div>
  93. </template>
  94. <script>
  95. export default {
  96. props: ['msg'],
  97. methods: {
  98. send() {
  99. // 触发父组件绑定在子组件上的自定义事件
  100. let str = '父亲,保重身体';
  101. this.$emit('getMsg',str);
  102. }
  103. }
  104. };
  105. </script>

// 有赞的导航栏
  1. // 父组件
  2. <Nav-Bar
  3. title="标题"
  4. left-text="返回"
  5. right-text="按钮"
  6. @click-left="onClickLeft"
  7. @click-right="onClickRight"
  8. />
  9. // 子组件
  10. <template>
  11. <div class="nav-bar">
  12. <span class="blue" @click="click1">{{ leftText }}</span>
  13. <span>{{ title }}</span>
  14. <span class="blue" @click="click2">{{ rightText }}</span>
  15. </div>
  16. </template>
  17. <script>
  18. export default {
  19. props: ["left-text", "title", "right-text"],
  20. methods: {
  21. // 点击左边
  22. click1() {
  23. this.$emit("click-left");
  24. },
  25. // 点击右边
  26. click2() {
  27. this.$emit("click-right");
  28. },
  29. },
  30. };
  31. </script>
  32. <style>
  33. body{background: #ebebeb;margin: 0;}
  34. .blue{color: #1989fa;}
  35. .nav-bar {
  36. background: #fff;
  37. padding:0 10px;
  38. display: flex;
  39. justify-content: space-between;
  40. align-items: center;
  41. height: 50px;
  42. }
  43. </style>

(十一) slot插槽

元素作为承载分发内容的出口
一个内存插槽, 当内存插上之后,插槽就可以接收来自内存的信息, slot取名插槽含义也贴切, 在子组件配置插槽slot, 当父组件”插”信息进来的时候, 插槽slot就能接收到这个信息. slot插槽大大的扩展子组件的功能。
移动端vue   实战项目 - 图4
image.png

1. vant有赞ui库中slot的例子
  1. <van-nav-bar title="标题" left-text="返回" left-arrow>
  2. <p slot="right">
  3. <van-icon name="search" size="18" />
  4. </p>
  5. </van-nav-bar>

2. 普通插槽
  1. // 子组件Child.vue代码
  2. <template>
  3. <div style="margin-top: 30px;background: gray;height: 200px;">
  4. <h5>这是子组件</h5>
  5. <slot></slot>
  6. </div>
  7. </template>
  8. // 父组件father.vue代码
  9. <template>
  10. <div>
  11. <h3>这是父组件</h3>
  12. <Child>
  13. <button>提交</button>
  14. </Child>
  15. </div>
  16. </template>
  17. <script>
  18. import Child from '@/components/Child'
  19. export default {
  20. components: {
  21. Child
  22. }
  23. };
  24. </script>

3. 具名插槽
  1. // father.vue代码
  2. <template>
  3. <div>
  4. <h3>这是父组件</h3>
  5. <Child>
  6. <header slot="header" style="background: yellow">这是头部</header>
  7. <footer slot="footer" style="background: green;">这是底部</footer>
  8. <div style="border:1px solid;">
  9. <button>a</button>
  10. <button>b</button>
  11. <button>c</button>
  12. <button>d</button>
  13. </div>
  14. </Child>
  15. </div>
  16. </template>
  17. <script>
  18. import Child from "@/components/Child";
  19. export default {
  20. components: {
  21. Child
  22. }
  23. };
  24. </script>
  25. 接收父组件带 slot="footer" 的内容
  26. 接收不带slot="xxx" 的内容
  27. // Child.vue代码
  28. <template>
  29. <div style="margin-top: 30px;background: gray;height: 200px;">
  30. <h5>这是子组件</h5>
  31. <!--接收父组件带 slot="header" 的内容-->
  32. <slot name="header"></slot>
  33. <!--接收父组件带 slot="footer" 的内容-->
  34. <slot name="footer"></slot>
  35. <!--接收剩余内容-->
  36. <slot></slot>
  37. </div>
  38. </template>

(十二) 混入mixin

mixin 其实是一个对象,里面的结构大致跟普通组件的 script 里面的一样,有 data 属性,钩子函数和方法等 混入 (mixins) 是一种分发 Vue 组件中可复用功能的非常灵活的方式。混入对象可以包含任意组件选项。当组件使用混入对象时,所有混入对象的选项将被混入该组件本身的选项。

1.组件内混入
  1. // mixin.js
  2. export default {
  3. data: function() {
  4. return {
  5. username: "huruqing",
  6. age: 100
  7. };
  8. },
  9. created() {
  10. console.log('这是混入对象')
  11. },
  12. methods: {
  13. say() {
  14. console.log('hahahhahahha');
  15. }
  16. }
  17. };
  18. // demo.vue
  19. <template>
  20. <div>
  21. <p>{{username}}</p>
  22. <p>{{msg}}</p>
  23. <p>{{age}}</p>
  24. </div>
  25. </template>
  26. <script>
  27. import mixin from './mixin'
  28. export default {
  29. mixins:[mixin],
  30. data() {
  31. return {
  32. username: '张三',
  33. msg: 'hahahahahahha'
  34. }
  35. },
  36. created() {
  37. console.log('组件的created');
  38. this.say();
  39. }
  40. }
  41. </script>

2.全局混入
  1. // mixin.js
  2. export default {
  3. methods: {
  4. showLoading() {
  5. this.$toast.loading({
  6. message: '加载中...',
  7. forbidClick: true,
  8. duration:0
  9. });
  10. },
  11. closeLoading() {
  12. this.$toast.clear();
  13. }
  14. }
  15. }
  16. // main.js,这个代码放在Vue.use(Vant)之后
  17. import mixin from './mixin/index';
  18. Vue.mixin(mixin);
  19. // 其他组件就可以直接使用下面代码来显示loading
  20. this.showLoading();

(十三) 跨组件通信vuex

相关资料

vuex 官网文档地址: https://vuex.vuejs.org/zh/
修改年龄接口: /changeAge.json?newAge=xxx

(1) vuex 是什么

Vuex 是一个专为 Vue.js 应用程序开发的状态管理模式。它采用集中式存储管理应用的所有组件的状态,并以相应的规则保证状态以一种可预测的方式发生变化。学习vuex掌握以下几点就差不多了.

  1. 普通对象: 创建对象, 定义对象属性, 读取属性, 修改属性
  2. vuex: 创建仓库, 定义状态, 读取状态, 修改状态(核心关键点)
  3. 响应式
  4. vuex的5个核心概念
    1. state 状态
    2. getters 获取
    3. mutations 修改状态
    4. actions 修改状态
    5. modules 模块

(2) 在项目中使用配置 vuex
  1. 创建仓库 ```javascript
  2. 安装vuex: npm i vuex -S
  3. /sotre/index.js 代码如下:

import Vuex from ‘vuex’; import Vue from ‘vue’; Vue.use(Vuex);

export default new Vuex.Store({ });

  1. 2. 挂载到根节点
  2. ```javascript
  3. import Vue from 'vue'
  4. import App from './App.vue'
  5. import router from './router/index'
  6. import store from './store/index'
  7. Vue.config.productionTip = false
  8. new Vue({
  9. router,
  10. store,
  11. render: h => h(App),
  12. }).$mount('#app')

(3) 在项目中使用 vuex 进行跨组件通信
  1. 定义状态 ```javascript import Vuex from ‘vuex’; import Vue from ‘vue’; Vue.use(Vuex);

export default new Vuex.Store({ // 定义状态 state: { name: ‘王美丽’, age: 20 } });

  1. 2. **读取状态**
  2. - 使用mapState辅助函数来读取
  3. ```javascript
  4. //写法1
  5. computed: mapState(['name','age','date'])
  6. // 写法2
  7. computed: {
  8. ...mapState(['name','age','date'])
  9. }
  • 直接读取
    1. // this.$store.state.xxx;
    2. <template>
    3. <div class="page">
    4. <p>新娘姓名: {{$store.state.name}}</p>
    5. <p>新娘年龄: {{$store.state.age}}</p>
    6. </div>
    7. </template>
  1. 修改状态 mutation
    1. 定义mutation ```javascript // 定义mutation import Vuex from ‘vuex’; import Vue from ‘vue’; Vue.use(Vuex);

export default new Vuex.Store({ // 定义状态 state: { name: ‘王美丽’, age: 20, date: ‘2021-10-01’ }, // 定义mutation,用来修改状态 mutations: { /**

  1. * 定义一个用来修改日期的mutation
  2. * @param {*} state 状态
  3. * @param {*} payload 传入来的数据
  4. */
  5. updateDate(state,newDate) {
  6. state.date = newDate;
  7. }
  8. }

});

  1. 1. 提交mutation
  2. ```javascript
  3. // this.$store.commit('updateDate', this.newDate);
  4. <template>
  5. <div class="page">
  6. <header>张三组件</header>
  7. <p>
  8. <input type="text" v-model="newDate">
  9. <button @click="changeDate">修改结婚日期</button>
  10. </p>
  11. </div>
  12. </template>
  13. <script>
  14. export default {
  15. data() {
  16. return {
  17. newDate: ''
  18. }
  19. },
  20. methods: {
  21. changeDate() {
  22. // 提交mutation
  23. this.$store.commit('updateDate',this.newDate);
  24. }
  25. }
  26. }
  27. </script>

注意:

  • 修改状态必须通过mutation
  • mutation必须是同步函数

(4) 异步改状态 action
  1. 定义mutation
  2. 定义action, 在action提交mutation
  3. 派发action

    1. this.$store.dispatch('updateAgeAction', this.newAge);

    使用action修改状态流程:
    用户修改数据 => 派发action => action提交mutation => 修改状态 => 用户界面更新
    image.png

    (5) 派生(扩展)状态 getters
  4. 定义getter (getter有的像计算属性computed)

    1. // store/index.js
    2. getters: {
    3. // 根据身份证扩展出一个新的状态:生日
    4. birthday(state) {
    5. return state.cardId.replace(/\d{6}(\d{4})(\d{2})(\d{2}).*/,'$1年$2月$3日');
    6. }
    7. },
  5. 获取getter的值(用法跟state类似)

    • 直接获取 this.$store.getters.xxx
    • 通过mapState进行获取 ```javascript // 直接获取

// 使用mapGetter是获取

ps: getter非必须, 我们完全可以通过computed来定义一个新的属性(依赖仓库的state), 但如果很多个组件都要用到这个属性, 放在computed里来定义就显得冗余了, 最好定义一个getter来扩展新的状态(属性) <a name="vMs8j"></a> ##### (6) 模块化 modules 1. 导出模块, 模块的代码如下:javascript // cart模块 /store/modules/cart.js export default { state: { cartNum: 0 }, getters: {}, mutations: {}, actions: {} } 2. 在仓库中加入modulesjavascript // /store/index.js import cart from ‘./modules/cart’ export default new Vuex.Store({ state: {}, getters: {}, mutations: {}, actions: {}, modules: { cart } }) 3. 获取模块中的状态javascript this.$store.state.cart.cartNum; <a name="RS0M5"></a> ##### (7) vuex持久化 1. npm install vuex-persistedstate --save 1. 在 /store/index.js中导入并挂载javascript import createPersistedState from “vuex-persistedstate” conststore =new Vuex.Store({ plugins: [createPersistedState()] } <a name="ODVNw"></a> ##### (8) html5本地存储 1. localStoragejavascript (1) 存数据 localStorage.setItem(‘name’,’王美丽’); (2) 取数据 localStorage.getItem(‘name’); (3) 清除数据 localStorage.clear(); 2. sessionStoragejavascript (1) 存数据 sessionStorage.setItem(‘name’,’王美丽’); (2) 取数据 sessionStorage.getItem(‘name’); (3) 清除数据 sessionStorage.clear(); 3. localStorage和sessionStorage的区别 1. localStorage永久存储, 如果不清理一直存在 1. sessionStorage临时存储, 浏览器关闭就销毁 <a name="84M8h"></a> ## (十四) 过滤器filter <a name="0oWLo"></a> ## (十五) token和session <a name="E7KHg"></a> ##### (1) session 1. **为什么要有 session 的出现? ** 答:是由于网络中 http 协议造成的,因为 http 本身是无状态协议,这样,无法确定你的本次请求和上次请求是不是你发送的。如果要进行类似论坛登陆相关的操作,就实现不了了。 2. session 生成方式? 答:浏览器第一次访问服务器,服务器会创建一个 session,然后同时为该 session 生成一个唯一的会话的 key,也就是 sessionid,然后,将 sessionid 及对应的 session 分别作为 key 和 value 保存到缓存中,也可以持久化到数据库中,然后服务器再把 sessionid,以 cookie 的形式发送给客户端。这样浏览器下次再访问时,会直接带着 cookie 中的 sessionid。然后服务器根据 sessionid 找到对应的 session 进行匹配; 还有一种是浏览器禁用了 cookie 或不支持 cookie,这种可以通过 URL 重写的方式发到服务器; 3. 简单来讲,用户访问的时候说他自己是张三,他骗你怎么办? 那就在服务器端保存张三的信息,给他一个 id,让他下次用 id 访问。 <a name="lezSp"></a> ##### (2) token 1. 为什么会有 token 的出现? 1. 答:首先,session 的存储是需要空间的,其次,session 的传递一般都是通过 cookie 来传递的,或者 url 重写的方式;而 token 在服务器是可以不需要存储用户的信息的,而 token 的传递方式也不限于 cookie 传递,当然,token 也是可以保存起来的; 1. token 的生成方式? 1. 答:浏览器第一次访问服务器,根据传过来的唯一标识 userId,服务端会通过一些算法,如常用的 HMAC-SHA256 算法,然后加一个密钥,生成一个 token,然后通过 BASE64 编码一下之后将这个 token 发送给客户端;客户端将 token 保存起来,下次请求时,带着 token,服务器收到请求后,然后会用相同的算法和密钥去验证 token,如果通过,执行业务操作,不通过,返回不通过信息; <a name="FJvt8"></a> ##### (3) token 和 session 的区别? 1. token 和 session 其实都是为了身份验证,session 一般翻译为会话,而 token 更多的时候是翻译为令牌; session 服务器会保存一份,可能保存到缓存,文件,数据库;同样,session 和 token 都是有过期时间一说,都需要去管理过期时间; 其实 token 与 session 的问题是一种时间与空间的博弈问题,session 是空间换时间,而 token 是时间换空间。两者的选择要看具体情况而定。 1. 方案 A :我发给你一张身份证,但只是一张写着身份证号码的纸片。你每次来办事,我去后台查一下你的 id 是不是有效。 1. 方案 B :我发给你一张加密的身份证,以后你只要出示这张卡片,我就知道你一定是自己人。 就这么个差别。 <a name="AOGSA"></a> ##### (4) axios请求每次都带上tokenjavascript axios.get(url,{headers:{‘user-token’:token}, params: data}) <a name="VQ3Kh"></a> ## (十六) 全局注册组件javascript // 注册全局组件除了多了个template之外,其它跟平时写组件类似 // 在main.js,实例化vue组件之前执行以下代码 Vue.component(‘button-counter’, { data: function () { return { count: 0 } }, template: ‘‘ }) // 在其他组件就可以使用 javascript // 改造checkbox, 官网例子 Vue.component(‘base-checkbox’, { model: { prop: ‘checked’, event: ‘change’ }, props: { checked: Boolean }, template: <input type="checkbox" v-bind:checked="checked" v-on:change="$emit('change', $event.target.checked)" > }) // 然后就可以像下面这样来使用 ``` ```javascript // 另外需要在根目录的vue.config.js中开启运行时编译 module.exports = { runtimeCompiler: true } ``` ## (十七) watch的应用 ##### 1.简单用法: watch基本数据类型 ```javascript ``` ##### 2.进阶用法: watch引用数据类型 ```javascript ``` ##### 3.数组监听的问题, 新增属性无法被监听 ## (十八) 移动端适配 响应式布局的原理是什么? 1. 使用css @media(媒体查询) 1. 根据不同的设备尺寸设置不同的样式 ##### 知识点: 1. viewport 视口 1. 元素尺寸单位 1. 如何使用rem适配移动端 1. vue项目添加rem适配 ##### (1) viewport 视口 通俗的讲,移动设备上的viewport就是设备的屏幕上能用来显示我们的网页的那一块区域,在具体一点,就是浏览器上(也可能是一个app中的webview)用来显示网页的那部分区域。``
上面这行代码的意思就是: 视口宽度=设备宽度, 最小缩放倍数为1,最大缩放倍数也是1, 禁止用户缩放 ##### (2) 元素尺寸单位 1. px 1. em 跟父元素的尺寸有关(了解) 1. rem 跟Html元素的font-size有关, 它们的关系是: 1rem===根元素html的font-size的大小 4. vw和vh ```javascript (1) 1vw 等于视口宽度的1% (2) 1vh 等于视口高度的1% ``` ##### (3) 使用rem进行移动端设备适配 1. 为什么适配? 答: 因为移动端设备的视口尺寸不一样, 所以同是一段文字, 可能在有些手机要占两行, 而有的手机可能要占更多的行, 那么就导致我们的一个网页在不同手机上显示的效果就不一样, 这显示不是我们想要的, 所以需要进行适配 2. 使用rem进行移动端适配的原理是什么? 答: 1. 因为1rem的所占空间的大小至于根标签html的font-size有关, 所以我们只需要对不同的手机设置一样比例的根标签font-size即可实现, 1. 我们一般把iphone6作为参照来设置其它手机的根标签字体大小, iphone6视口宽度为375, 根标签字体大小设为100px, 那么新设备的根标签字体大小的计算公式为: 新设备字体大小 = 新设备视口宽度 * 100 / 375 ![image.png](https://cdn.nlark.com/yuque/0/2021/png/21794385/1627226918275-62279fce-e892-4d61-a306-3c7635a33cb7.png#height=227&id=uca813cd8&margin=%5Bobject%20Object%5D&name=image.png&originHeight=453&originWidth=670&originalType=binary&ratio=1&size=35824&status=done&style=none&width=335) ```javascript
  1. <div class="box">
  2. <div style="background-color: gray;"></div>
  3. <div style="background-color: gold"></div>
  4. </div>

  1. <a name="LH0yY"></a>
  2. ##### (4) vue项目添加rem适配
  3. 1. npm i amfe-flexible // 安装适配插件, 插件的作用跟上面那段js相似, 是跟html根标签添加font-size的
  4. ```javascript
  5. // main.js添加flexible插件
  6. import 'amfe-flexible';
  1. npm i postcss-pxtorem@5.1 // 版本太高不行,要装5.1或低一点的版本
  2. npm i autoprefixer@9 // css后处理插件, 给css添加前缀以实现兼容, 不能安装最新版
  3. vue.config.js 对css进行后处理配置 ```javascript // 导入插件,用于添加css前缀 const autoprefixer = require(“autoprefixer”); // 导入插件,用于把px变成rem const pxtorem = require(“postcss-pxtorem”); module.exports = { // 禁用eslint lintOnSave: false, runtimeCompiler: true, css: {
    1. loaderOptions: {
    2. // 对css进行后处理
    3. postcss: {
    4. plugins: [
    5. // 给css样式添加后缀
    6. autoprefixer(),
    7. pxtorem({
    8. rootValue: 37.5,
    9. propList: ["*"]
    10. })
    11. ]
    12. }
    13. }
    } }

// autoprefixer要起作用,需要在package.json 添加浏览器列表配置

{ …., // 其他配置 “browserslist”: [ “> 1%”, // 不知道有什么用, 去掉也不影响 “last 2 versions”, // 所有主流浏览器最近2个版本 “not ie <= 8”, // ie版本 “ios >= 8”, // ios版本 “android >= 4.0” // 安卓版本 ] }

  1. <a name="dTRaA"></a>
  2. ## (十九) vue-cli配置跨域
  3. 跨域原理: 本地启动了一个服务器, vue项目通常是http://localhost:8080, web请求后台接口, 先通过本地服务器, 由本地服务器代理去请求后台接口.
  4. ```javascript
  5. // vue.config.js
  6. module.exports = {
  7. devServer: {
  8. // 本地服务器端口号
  9. port: 8000,
  10. //使用代理进行跨域配置
  11. proxy: {
  12. '/api': {
  13. target: 'http://132.232.88.88:8888', // 后台接口地址
  14. ws: true,
  15. changOrigin: true, //允许跨域
  16. pathRewrite: { // 重写请求路径,
  17. '^/api': ''
  18. }
  19. }
  20. }
  21. }
  22. }

做了以上配置之后, 在前端发送请求:

  1. axios.get('http://localhost:8080/api/film/getList);

我们请求的地址是: http://localhost:8080/api/film/getList
我们的本地服务器就会转发我们的请求到后台接口:

  1. http://132.232.88.88:8888/film/getList

(二十) vue过滤器

vue过滤器一般用来格式化某个字段(属性)

  1. // 在组件内定义vue过滤器
  2. <template>
  3. <div>
  4. <p>时间: {{time | formatDate}}</p>
  5. <input :value="time | formatDate" />
  6. </div>
  7. </template>
  8. <script>
  9. export default {
  10. data() {
  11. return {
  12. time: 1571209089334
  13. };
  14. },
  15. filters: {
  16. formatDate(time) {
  17. let date = new Date(time);
  18. let Y = date.getFullYear();
  19. let M = date.getMonth() + 1;
  20. let D = date.getDate();
  21. Y = Y < 10 ? "0" + Y : Y;
  22. D = D < 10 ? "0" + D : D;
  23. return `${Y}-${M}-${D}`;
  24. }
  25. }
  26. };
  27. </script>
  1. // 定义全局vue过滤器, 需要放在vue实例化之前,跟注册全局组件一样
  2. Vue.filter('formatDate', function (time) {
  3. let date = new Date(time);
  4. let Y = date.getFullYear();
  5. let M = date.getMonth() + 1;
  6. let D = date.getDate();
  7. Y = Y < 10 ? "0" + Y : Y;
  8. D = D < 10 ? "0" + D : D;
  9. return `${Y}-${M}-${D}`;
  10. })

(二十一) vue项目部署

  1. 在项目根目录新建两个文件 .env.development .env.production

    1. // .env.development
    2. VUE_APP_URL = "http://localhost:3006";
    1. // .env.production
    2. VUE_APP_URL = "http://test.huruqing.com";
  2. 配置好之后,在项目的其他的地方可以使用 process.env.VUE_APP_URL ```javascript import axios from ‘axios’; import store from ‘@/store/index’;

let baseUrl = process.env.VUE_APP_URL; /**

  • 封装get请求
  • @param {*} url 请求地址,必须
  • @param {} data 请求参数,非必须 / const get = (url, data = {}) => { let token = store.state.token; url = baseUrl + url; return new Promise((resolve, reject) => {
    1. axios.get(url, { headers:{'user-token':token},params: data }).then(res => {
    2. if (res.data.code == 666) {
    3. resolve(res.data);
    4. } else {
    5. reject(res.data.msg);
    6. }
    7. }).catch(err => {
    8. reject('网络请求失败,请稍后再试');
    9. });
    }); } ```
  1. 有些服务器不支持history模式, 需要关闭.

router/index.js, 把 mode: history 这一句注释掉

  1. 修改打包名称
    1. // 在vue.config.js 添加一行
    2. module.exports = {
    3. // ...其他配置
    4. // 设置打包后的名称
    5. outputDir: 'shengxian.huruqing.cn',
    6. }