Ember之Computed Properties计算属性

开心一笑

老师问:麦克,你怎么没有做历史作业?
麦克:对不起,我昨晚去会女朋友了
老师问:老师问是历史作业重要还是女朋友重要,、
麦克说:如果我不去见她,她就会成为历史

提出问题

Ember计算属性如何简单使用???

解决问题

计算属性(COMPUTED PROPERTIES)

以下内容来自Ember官网:http://guides.emberjs.com.cn/object-model/computed-properties/

例一:计算属性简单运用
//创建一个Person对象
Person = Ember.Object.extend({

  firstName: null,
  lastName: null,
  //fullName是一个计算属性,firstName和lastName的变化都会触发方法
  //重新计算fullName的值  
  fullName: Ember.computed('firstName', 'lastName', function() {
  return this.get('firstName') + ' ' + this.get('lastName');
  })
});

//创建一个ironMan的Person对象
var ironMan = Person.create({
  firstName: 'Tony',
  lastName:  'Stark'
});

ironMan.get('fullName'); // "Tony Stark"

例二:

Person = Ember.Object.extend({
  firstName: null,
  lastName: null,
  age: null,
  country: null,
  //fullName是一个计算属性,firstName和lastName的变化都会触发方法
  //重新计算fullName的值  
  fullName: Ember.computed('firstName', 'lastName', function() {
    return this.get('firstName') + ' ' + this.get('lastName');
  }),
  //description除了计算age和country的属性变化,还计算fullName变化
  description: Ember.computed('fullName', 'age', 'country', function() {
    return this.get('fullName') + '; Age: ' + this.get('age') + '; Country: ' + this.get('country');
  })
});
//创建一个captainAmerica的Person实例
var captainAmerica = Person.create({
  firstName: 'Steve',
  lastName: 'Rogers',
  age: 80,
  country: 'USA'
});

captainAmerica.get('description'); // "Steve Rogers; Age: 80; Country: USA"

例三:
//重新设置firstName的值,fullName和description都会重新计算
captainAmerica.set(‘firstName’, ‘William’);

captainAmerica.get('description'); // "William Rogers; Age: 80; Country: USA"

例四:

Person = Ember.Object.extend({
  firstName: null,
  lastName: null,
  //可以通过get改变计算属性返回的值或者set设置计算属性的值
  fullName: Ember.computed('firstName', 'lastName', {
      get(key) {
          return this.get('firstName') + ' ' + this.get('lastName');
      },
      set(key, value) {
          var [firstName, lastName] = value.split(/\s+/);
          this.set('firstName', firstName);
          this.set('lastName',  lastName);
          return value;
       }
  })
});


var captainAmerica = Person.create();
captainAmerica.set('fullName', 'William Burnside');
captainAmerica.get('firstName'); // William
captainAmerica.get('lastName'); // Burnside

读书感悟

  • 据此可知,当你有求于对方的时候,先提出一个小要求,当对方同意以后,再将大的要求提出来。这时候,对方可能会因为同意了前一个要求而很难拒绝后面的要求。由微至著,由浅入深,这就是心理学上的“登门槛效应”。

  • 像鱼一样思考

  • 找到彼此的共同点,能够拉近距离

你可能感兴趣的:(Ember)