此代码示例中使用了https://stackblitz.com/angular/jdamnnmgrae?file=app%2Fautocomplete-overview-example.ts。
有问题的代码段是:
<mat-option *ngFor="let state of filteredStates | async" [value]="state.name">
我还没有看到这种语法,所以我对它的作用感到困惑。当我删除异步调用时,代码不再有效,所以我需要理解它。
我认为这段代码正在创建一个Observable列表,这些Observable正被发送到异步管道,但我还没有看到Angular的文档中记录的位置。如果您知道,请回复。
import {map} from 'rxjs/operators/map';
export class AutocompleteOverviewExample {
// . . . other stuff omitted
filteredStates: Observable<any[]>;
constructor() {
this.filteredStates = this.stateCtrl.valueChanges
.pipe(
startWith(''),
map(state => state ? this.filterStates(state) : this.states.slice())
);
因此,for循环可能会循环遍历Observables,因为Async管道采用Promise或Observable,而且它不是Promise。 : - )
有用的链接:
https://angular.io/guide/rx-library - 对于地图,过滤
https://angular.io/api/forms/FormControl for FormControl.valueChanges
我无法找到FormControl.valueChanges中管道的使用方式,但希望在回答这个问题后这会变得清晰。
(问)有人能指出一些Angular文档来解释“* ngFor | async”语法的含义吗?或提供解释。
搜索答案显示了这些结果
Using an array from Observable Object with ngFor and Async Pipe Angular 2 - 我认为我的问题很相似,但我读到了答案,但没有解释,只有代码示例。
Use async pipe in ngFor on Observable of Observables (Angular) - 更多语法我不明白。
https://blog.thoughtram.io/angular/2017/02/27/three-things-you-didnt-know-about-the-async-pipe.html - 这看起来像我的问题的答案。但是因为我花了这么多时间写作,我仍然会发布它。
答案 0 :(得分:3)
可以将let state of filteredStates | async
语法视为:
let state of (filteredStates | async)
async
管道应用于filteredStates
变量,而不是整个for
循环。
我认为在查看您查看的所有其他资源之后应该很明显,但async
管道很有用,因为它会为您订阅observable(并另外清理订阅以便您不要#39; t需要担心取消订阅)。
所以,正在发生的是Angular正在订阅你的filteredStates
可观察对象。每次从您的observable流式传输新列表时,Angular *ngFor
指令将遍历流式传输的列表。
如果没有异步管道,您只需订阅组件中的filteredStates
observable,并将列表存储为组件的属性(然后您将循环代替filteredStates | async
)。 注意:有几种方法可以处理取消订阅,这只是一种方式。
<mat-option *ngFor="let state of filteredStates" [value]="state.name">
class AutocompleteOverviewExample {
filteredStates: State[] = [];
subscription: Subscription = null;
constructor() {
this.subscription = this.stateCtrl.valueChanges
.pipe(
startWith(''),
map(state => state ? this.filterStates(state) : this.states.slice())
)
.subscribe(states => this.filteredStates = states);
}
ngOnDestroy() {
if (this.subscription) {
this.subscription.unsubscribe();
this.subscription = null;
}
}
}