收听Angular2 / Typescript中对象字段的更改

时间:2016-05-01 17:31:07

标签: typescript angular observable

在Angular2 / Typescript中,是否可以“观察”对象的字段以进行更改。

例如,假设我的字段Person包含字段firstNamelastNamefullName。是否可以在fullNamefirstName更改时自动更新lastName

这样的事情:

export class Person {
  firstName: string= '';
  lastName: string = '';
  fullName: string = '';

  constructor(firstName: string, lastName: string) {
    this.firstName.onChange(() => { this.updateFullName(); });
    this.lastName.onChange(() => { this.updateFullName(); });

    this.firstName = firstName;
    this.lastName = lastName;
  }

  updateFullName() {
    this.fullName = `${this.firstName} ${this.lastName}`;
  }
}

1 个答案:

答案 0 :(得分:8)

第一种方法

您可以利用如下所述的TypeScript setter / getter来将fullName与firstName和lastName同步:

get lastName() {
  return this._lastName;
}

set lastName(lastName:string) {
  this._lastName = lastName;
  this.fullName = this._firstName + ' ' + this._lastName;
}

get firstName() {
  return this._firstName;
}

set firstName(firstName:string) {
  this._firstName = firstName;
  this.fullName = this._firstName + ' ' + this._lastName;
}

这样设置lastName或firstName时,fullName会自动更新:

var p = new Person();
p.lastName = 'last';
p.firstName = 'first';
console.log(p.fullName); // print 'first last'

第二种方法

默认情况下,Angular2不允许定义对象内属性的更改。它仅检测引用的更新。我的意思是如果更新了绑定属性的引用(或基本类型的值)。

那个说,Angular2允许使用ngDoCheck钩子方法插入你自己的策略。

在其中,您可以利用KeyValueDiffers类(要注入)来检测特定对象的更新。

有关详细信息,请参阅此链接:

以下是一个示例:

@Component({
  selector: 'my-component',
  (...)
}) 
export class MyComponent implements DoCheck {
  @Input() person: Person;
  differ: any;

  constructor(differs:  KeyValueDiffers) {
    this.differ = differs.find([]).create(null);
  }

  ngDoCheck() {
    var changes = this.differ.diff(this.person);

    if (changes) {
      changes.forEachChangedItem((elt) => {
        if (elt.key === 'firstName' || elt.key === 'lastName' ) {
          this.person.fullName = this.person.firstName + ' ' + this.person.lastName;
        }
      });
    }
  }
}

更新prop1属性的值时,将调用doSomethingIfProp1Change方法。

请参阅此plunkr:http://plnkr.co/edit/uvOKMXQa9Ik8EiIhb60Y?p=preview