Vue的computed和watch

145 阅读2分钟

1.使用computed分出男女属性

const createUser = (name, gender) => {
  id += 1;
  return { id: id, name: name, gender: gender };
};
new Vue({
  data() {
    return {
      users: [
        createUser("方方", "男"),
        createUser("圆圆", "女"),
        createUser("小新", "男"),
        createUser("小葵", "女")
      ],
      gender: ""
    };
  },
  computed: {
    displayUsers() {
      const hash = {
        male: "男",
        female: "女"
      };
      const { users, gender } = this;
      if (gender === "") {
        return users;
      } else if (typeof gender === "string") {
        return users.filter(u => u.gender === hash[gender]);
      } else {
        throw new Error("gender 的值是意外的值");
      }
    }
  },
  methods: {
    setGender(string) {
      this.gender = string;
    }
  },
  template: `
    <div>
      <div>
      <button @click="setGender('') ">全部</button>
      <button @click="setGender('male')">男</button>
      <button @click="setGender('female')">女</button></div>
      <ul>
        <li v-for="(u,index) in displayUsers" :key="index">{{u.name}} - {{u.gender}}</li>
      </ul>
    </div>
  `
}).$mount("#app");

2.使用watch监听撤销功能

import Vue from "vue/dist/vue.js";

Vue.config.productionTip = false;

new Vue({
  data: {
    n: 0,
    history: [],
    inUndoMode: false
  },
  watch: {
    n: function(newValue, oldValue) {
      console.log(this.inUndoMode);
      if (!this.inUndoMode) {
        this.history.push({ from: oldValue, to: newValue });
      }
    }
  },
  // 不如用 computed 来计算 displayName
  template: `
    <div>
      {{n}}
      <hr />
      <button @click="add1">+1</button>
      <button @click="add2">+2</button>
      <button @click="minus1">-1</button>
      <button @click="minus2">-2</button>
      <hr/>
      <button @click="undo">撤销</button>
      <hr/>
      {{history}}
    </div>
  `,
  methods: {
    add1() {
      this.n += 1;
    },
    add2() {
      this.n += 2;
    },
    minus1() {
      this.n -= 1;
    },
    minus2() {
      this.n -= 2;
    },
    undo() {
      const last = this.history.pop();
      this.inUndoMode = true;
      console.log("ha" + this.inUndoMode);
      const old = last.from;
      this.n = old; // watch n 的函数会异步调用
      this.$nextTick(() => {
        this.inUndoMode = false;
      });
    }
  }
}).$mount("#app");

3.总结

  • Computed, 我们是用来计算一个值的, 这个值我们在调用的时候不需要加括号, 而且会根据依赖会自动缓存, 就是说依赖不变, computed的值就不会再重新计算.
    image.png
    computed的计算属性,事实上和和data对象里的数据属性是同一类的(使用上),

例如:

computed:{
  fullName: function () { return this.firstName + lastName }
}

你在取用的时候,用this.fullName去取用,就和取data一样(不要当成函数调用!!)

  • watch:类似于监听机制+事件机制:用来监听的, 如果某个属性变化了, 就会执行这个函数. 它有两个选项, immediate(表示是否在第一次渲染的时候要执行这个函数), deep(如果我们监听一个对象, 我们是否要看这个对象里面属性的变化).
    image.png
    例如:
watch: {
  firstName: function (val) { this.fullName = val + this.lastName }
}

firstName的改变是这个特殊“事件”被触发的条件,而firstName对应的函数就相当于监听到事件发生后执行的方法

  • 如果一个数据要依赖到别的数据,就用computed

  • 如果你是监听数据的变化做一些操作,就用watch