假设我有一个深度嵌套的对象图,我绑定到:
<div>{{model.rootProperty}}</div>
<div>
<div>{{model.some.deeply.nested.property.with.a.donut.name}}</div>
<div>{{model.some.deeply.nested.property.with.a.donut.calories}}</div>
<div>{{model.some.deeply.nested.property.with.a.donut.deliciousness}}</div>
</div>
我不想重复这一系列的访问者。我知道我可以在我的viewmodel上公开一个属性,但是我更喜欢用某种方式来创建一个本地上下文。我想要的语法是这样的:
<div>{{model.rootProperty}}</div>
<div [binding-context]="model.some.deeply.nested.property.with.a.donut">
<div>{{name}}</div>
<div>{{calories}}</div>
<div>{{deliciousness}}</div>
</div>
我该怎么做?
我尝试创建一个模板,其模板仅包含<ng-content></ng-content>
,但是这种方式转换的内容仍然具有组件的父组件的上下文。
我知道我可以将内容包装在<template>
中,并在我的组件中使用模板插座,但这比我更喜欢的标记更多,而且似乎{{1我不需要这个。
这可能吗?
答案 0 :(得分:2)
可以定义一个类似于* ngIf和* ngFor的结构指令,名为* bindingContext:
<div *bindingContext = "let a_variable be an_expression">
Angular使用这种语法在幕后做了很多魔术。首先,星号创建一个&lt; ng-template&gt;哪个是马上使用的。然后评估微语法并调用一个名为bindingContextBe的指令。该指令在模板上下文中将an_expression
作为$implicit
提供,而模板上下文又分配给a_variable
Angular documentation中有完整的解释。
我按如下方式实现了BindingContext:
import {Directive, EmbeddedViewRef, Input,
TemplateRef, ViewContainerRef} from '@angular/core';
@Directive({selector: '[bindingContextBe]'})
export class BindingContextDirective {
private context = new BindingContextDirectiveContext();
private viewRef: EmbeddedViewRef<BindingContextDirectiveContext>|null = null;
constructor(private viewContainer: ViewContainerRef,
private templateRef: TemplateRef<BindingContextDirectiveContext>) {
}
@Input()
set bindingContextBe(context: any) {
this.context.$implicit = context;
if (!this.viewRef) {
this.viewContainer.clear();
this.viewRef = this.viewContainer.createEmbeddedView(this.templateRef,
this.context);
}
}
}
export class BindingContextDirectiveContext {
public $implicit: any = null;
}
用法示例:
Full:
<div>
<div>{{model.some.deeply.nested.property.with.a.donut.name}}</div>
<div>{{model.some.deeply.nested.property.with.a.donut.calories}}</div>
<div>{{model.some.deeply.nested.property.with.a.donut.deliciousness}}</div>
<input [(ngModel)]="model.some.deeply.nested.property.with.a.donut.name">
</div>
<hr>
Alias:
<div *bindingContext="let food be model.some.deeply.nested.property.with.a.donut">
<div>{{food.name}}</div>
<div>{{food.calories}}</div>
<div>{{food.deliciousness}}</div>
<input [(ngModel)]="food.name">
</div>
PS:不要忘记在你的模块中宣布指挥。