模板语法
Template syntax
Angular 应用管理着用户之所见和所为,并通过 Component 类的实例(组件)和面向用户的模板交互来实现这一点。
The Angular application manages what the user sees and can do, achieving this through the interaction of a component class instance (the component) and its user-facing template.
从使用模型-视图-控制器 (MVC) 或模型-视图-视图模型 (MVVM) 的经验中,很多开发人员都熟悉了组件和模板这两个概念。 在 Angular 中,组件扮演着控制器或视图模型的角色,模板则扮演视图的角色。
You may be familiar with the component/template duality from your experience with model-view-controller (MVC) or model-view-viewmodel (MVVM). In Angular, the component plays the part of the controller/viewmodel, and the template represents the view.
这是一篇关于 Angular 模板语言的技术大全。 它解释了模板语言的基本原理,并描述了你将在文档中其它地方遇到的大部分语法。
This page is a comprehensive technical reference to the Angular template language. It explains basic principles of the template language and describes most of the syntax that you'll encounter elsewhere in the documentation.
这里还有很多代码片段用来解释技术点和概念,它们全都在
Many code snippets illustrate the points and concepts, all of them available in the
模板中的 HTML
HTML in templates
HTML 是 Angular 模板的语言。几乎所有的 HTML 语法都是有效的模板语法。 但值得注意的例外是 <script>
元素,它被禁用了,以阻止脚本注入攻击的风险。(实际上,<script>
只是被忽略了。) 参见安全页了解详情。
HTML is the language of the Angular template. Almost all HTML syntax is valid template syntax. The <script>
element is a notable exception; it is forbidden, eliminating the risk of script injection attacks. In practice, <script>
is ignored and a warning appears in the browser console. See the Security page for details.
有些合法的 HTML 被用在模板中是没有意义的。<html>
、<body>
和 <base>
元素这个舞台上中并没有扮演有用的角色。剩下的所有元素基本上就都一样用了。
Some legal HTML doesn't make much sense in a template. The <html>
, <body>
, and <base>
elements have no useful role. Pretty much everything else is fair game.
可以通过组件和指令来扩展模板中的 HTML 词汇。它们看上去就是新元素和属性。接下来将学习如何通过数据绑定来动态获取/设置 DOM(文档对象模型)的值。
You can extend the HTML vocabulary of your templates with components and directives that appear as new elements and attributes. In the following sections, you'll learn how to get and set DOM (Document Object Model) values dynamically through data binding.
首先看看数据绑定的第一种形式 —— 插值,它展示了模板的 HTML 可以有多丰富。
Begin with the first form of data binding—interpolation—to see how much richer template HTML can be.
插值与模板表达式
Interpolation and Template Expressions
插值能让你把计算后的字符串合并到 HTML 元素标签之间和属性赋值语句内的文本中。模板表达式则是用来供你求出这些字符串的。
Interpolation allows you to incorporate calculated strings into the text between HTML element tags and within attribute assignments. Template expressions are what you use to calculate those strings.
这个关于插值的
The interpolation
插值 {{...}}
Interpolation {{...}}
所谓 "插值" 是指将表达式嵌入到标记文本中。 默认情况下,插值会用双花括号 {{
和 }}
作为分隔符。
Interpolation refers to embedding expressions into marked up text. By default, interpolation uses as its delimiter the double curly braces, {{
and }}
.
在下面的代码片段中,{{ currentCustomer }}
就是插值的例子。
In the following snippet, {{ currentCustomer }}
is an example of interpolation.
<h3>Current customer: {{ currentCustomer }}</h3>
花括号之间的文本通常是组件属性的名字。Angular 会把这个名字替换为响应组件属性的字符串值。
The text between the braces is often the name of a component property. Angular replaces that name with the string value of the corresponding component property.
<p>{{title}}</p>
<div><img src="{{itemImageUrl}}"></div>
在上面的示例中,Angular 计算 title
和 itemImageUrl
属性并填充空白,首先显示一些标题文本,然后显示图像。
In the example above, Angular evaluates the title
and itemImageUrl
properties and fills in the blanks, first displaying some title text and then an image.
一般来说,括号间的素材是一个模板表达式,Angular 先对它求值,再把它转换成字符串。 下列插值通过把括号中的两个数字相加说明了这一点:
More generally, the text between the braces is a template expression that Angular first evaluates and then converts to a string. The following interpolation illustrates the point by adding two numbers:
<!-- "The sum of 1 + 1 is 2" -->
<p>The sum of 1 + 1 is {{1 + 1}}.</p>
这个表达式可以调用宿主组件的方法,就像下面用的 getVal()
:
The expression can invoke methods of the host component such as getVal()
in the following example:
<!-- "The sum of 1 + 1 is not 4" -->
<p>The sum of 1 + 1 is not {{1 + 1 + getVal()}}.</p>
Angular 对所有双花括号中的表达式求值,把求值的结果转换成字符串,并把它们跟相邻的字符串字面量连接起来。最后,把这个组合出来的插值结果赋给元素或指令的属性。
Angular evaluates all expressions in double curly braces, converts the expression results to strings, and links them with neighboring literal strings. Finally, it assigns this composite interpolated result to an element or directive property.
您看上去似乎正在将结果插入元素标签之间,并将其赋值给属性。 但实际上,插值是一种特殊语法,Angular 会将其转换为属性绑定。
You appear to be inserting the result between element tags and assigning it to attributes. However, interpolation is a special syntax that Angular converts into a property binding.
如果你想用别的分隔符来代替 {{
和 }}
,也可以通过 Component
元数据中的 interpolation 选项来配置插值分隔符。
If you'd like to use something other than {{
and }}
, you can configure the interpolation delimiter via the interpolation option in the Component
metadata.
模板表达式
Template expressions
模板表达式会产生一个值,并出现在双花括号 {{ }}
中。 Angular 执行这个表达式,并把它赋值给绑定目标的属性,这个绑定目标可能是 HTML 元素、组件或指令。
A template expression produces a value and appears within the double curly braces, {{ }}
. Angular executes the expression and assigns it to a property of a binding target; the target could be an HTML element, a component, or a directive.
{{1 + 1}}
中所包含的模板表达式是 1 + 1
。 在属性绑定中会再次看到模板表达式,它出现在 =
右侧的引号中,就像这样:[property]="expression"
。
The interpolation braces in {{1 + 1}}
surround the template expression 1 + 1
. In the property binding, a template expression appears in quotes to the right of the =
symbol as in [property]="expression"
.
在语法上,模板表达式与 JavaScript 很像。很多 JavaScript 表达式都是合法的模板表达式,但也有一些例外。
In terms of syntax, template expressions are similar to JavaScript. Many JavaScript expressions are legal template expressions, with a few exceptions.
你不能使用那些具有或可能引发副作用的 JavaScript 表达式,包括:
You can't use JavaScript expressions that have or promote side effects, including:
赋值 (
=
,+=
,-=
,...
)Assignments (
=
,+=
,-=
,...
)new
、typeof
、instanceof
等运算符。Operators such as
new
,typeof
,instanceof
, etc.使用
;
或,
串联起来的表达式Chaining expressions with
;
or,
自增和自减运算符:
++
和--
The increment and decrement operators
++
and--
一些 ES2015+ 版本的运算符
Some of the ES2015+ operators
和 JavaScript 语法的其它显著差异包括:
Other notable differences from JavaScript syntax include:
不支持位运算,比如
|
和&
No support for the bitwise operators such as
|
and&
新的模板表达式运算符,例如
|
,?.
和!
New template expression operators, such as
|
,?.
and!
表达式上下文
Expression context
典型的表达式上下文就是这个组件实例,它是各种绑定值的来源。 在下面的代码片段中,双花括号中的 recommended
和引号中的 itemImageUrl2
所引用的都是 AppComponent
中的属性。
The expression context is typically the component instance. In the following snippets, the recommended
within double curly braces and the itemImageUrl2
in quotes refer to properties of the AppComponent
.
<h4>{{recommended}}</h4>
<img [src]="itemImageUrl2">
表达式也可以引用模板中的上下文属性,例如模板输入变量,
An expression may also refer to properties of the template's context such as a template input variable,
let customer
,或模板引用变量 #customerInput
。
let customer
, or a template reference variable, #customerInput
.
<ul>
<li *ngFor="let customer of customers">{{customer.name}}</li>
</ul>
<label>Type something:
<input #customerInput>{{customerInput.value}}
</label>
表达式中的上下文变量是由模板变量、指令的上下文变量(如果有)和组件的成员叠加而成的。 如果你要引用的变量名存在于一个以上的命名空间中,那么,模板变量是最优先的,其次是指令的上下文变量,最后是组件的成员。
The context for terms in an expression is a blend of the template variables, the directive's context object (if it has one), and the component's members. If you reference a name that belongs to more than one of these namespaces, the template variable name takes precedence, followed by a name in the directive's context, and, lastly, the component's member names.
上一个例子中就体现了这种命名冲突。组件具有一个名叫 customer
的属性,而 *ngFor
声明了一个也叫 customer
的模板变量。
The previous example presents such a name collision. The component has a customer
property and the *ngFor
defines a customer
template variable.
在 {{customer.name}}
表达式中的 customer
实际引用的是模板变量,而不是组件的属性。
The customer
in {{customer.name}}
refers to the template input variable, not the component's property.
模板表达式不能引用全局命名空间中的任何东西,比如 window
或 document
。它们也不能调用 console.log
或 Math.max
。 它们只能引用表达式上下文中的成员。
Template expressions cannot refer to anything in the global namespace, except undefined
. They can't refer to window
or document
. Additionally, they can't call console.log()
or Math.max()
and they are restricted to referencing members of the expression context.
表达式使用指南
Expression guidelines
当使用模板表达式时,请遵循下列指南:
When using template expressions follow these guidelines:
简单
Simplicity
虽然也可以写复杂的模板表达式,不过最好避免那样做。
Although it's possible to write complex template expressions, it's a better practice to avoid them.
属性名或方法调用应该是常态,但偶然使用逻辑取反 !
也是可以的。 其它情况下,应该把应用程序和业务逻辑限制在组件中,这样它才能更容易开发和测试。
A property name or method call should be the norm, but an occasional Boolean negation, !
, is OK. Otherwise, confine application and business logic to the component, where it is easier to develop and test.
快速执行
Quick execution
Angular 会在每个变更检测周期后执行模板表达式。 变更检测周期会被多种异步活动触发,比如 Promise 解析、HTTP 结果、定时器时间、按键或鼠标移动。
Angular executes template expressions after every change detection cycle. Change detection cycles are triggered by many asynchronous activities such as promise resolutions, HTTP results, timer events, key presses and mouse moves.
表达式应该快速结束,否则用户就会感到拖沓,特别是在较慢的设备上。 当计算代价较高时,应该考虑缓存那些从其它值计算得出的值。
Expressions should finish quickly or the user experience may drag, especially on slower devices. Consider caching values when their computation is expensive.
没有可见的副作用
No visible side effects
模板表达式除了目标属性的值以外,不应该改变应用的任何状态。
A template expression should not change any application state other than the value of the target property.
这条规则是 Angular “单向数据流”策略的基础。 永远不用担心读取组件值可能改变另外的显示值。 在一次单独的渲染过程中,视图应该总是稳定的。
This rule is essential to Angular's "unidirectional data flow" policy. You should never worry that reading a component value might change some other displayed value. The view should be stable throughout a single rendering pass.
幂等的表达式是最理想的,因为它没有副作用,并且可以提高 Angular 的变更检测性能。 用 Angular 术语来说,幂等表达式总会返回完全相同的东西,除非其依赖值之一发生了变化。
An idempotent expression is ideal because it is free of side effects and improves Angular's change detection performance. In Angular terms, an idempotent expression always returns exactly the same thing until one of its dependent values changes.
在单独的一次事件循环中,被依赖的值不应该改变。 如果幂等的表达式返回一个字符串或数字,连续调用它两次,也应该返回相同的字符串或数字。 如果幂等的表达式返回一个对象(包括 Date
或 Array
),连续调用它两次,也应该返回同一个对象的引用。
Dependent values should not change during a single turn of the event loop. If an idempotent expression returns a string or a number, it returns the same string or number when called twice in a row. If the expression returns an object, including an array
, it returns the same object reference when called twice in a row.
对于 *ngFor
,这种行为有一个例外。*ngFor
具有 trackBy
功能,在迭代对象时它可以处理对象的相等性。详情参见 带 trackBy
的 *ngFor。
There is one exception to this behavior that applies to *ngFor
. *ngFor
has trackBy
functionality that can deal with referential inequality of objects when iterating over them. See *ngFor with trackBy
for details.
模板语句
Template statements
模板语句用来响应由绑定目标(如 HTML 元素、组件或指令)触发的事件。 模板语句将在事件绑定一节看到,它出现在 =
号右侧的引号中,就像这样:(event)="statement"
。
A template statement responds to an event raised by a binding target such as an element, component, or directive. You'll see template statements in the event binding section, appearing in quotes to the right of the =
symbol as in (event)="statement"
.
<button (click)="deleteHero()">Delete hero</button>
模板语句有副作用。 这是事件处理的关键。因为你要根据用户的输入更新应用状态。
A template statement has a side effect. That's the whole point of an event. It's how you update application state from user action.
响应事件是 Angular 中“单向数据流”的另一面。 在一次事件循环中,可以随意改变任何地方的任何东西。
Responding to events is the other side of Angular's "unidirectional data flow". You're free to change anything, anywhere, during this turn of the event loop.
和模板表达式一样,模板语句使用的语言也像 JavaScript。 模板语句解析器和模板表达式解析器有所不同,特别之处在于它支持基本赋值 (=
) 和表达式链 (;
和 ,
)。
Like template expressions, template statements use a language that looks like JavaScript. The template statement parser differs from the template expression parser and specifically supports both basic assignment (=
) and chaining expressions (with ;
or ,
).
然而,某些 JavaScript 语法仍然是不允许的:
However, certain JavaScript syntax is not allowed:
new
运算符new
自增和自减运算符:
++
和--
increment and decrement operators,
++
and--
操作并赋值,例如
+=
和-=
operator assignment, such as
+=
and-=
位运算符
|
和&
the bitwise operators
|
and&
语句上下文
Statement context
和表达式中一样,语句只能引用语句上下文中 —— 通常是正在绑定事件的那个组件实例。
As with expressions, statements can refer only to what's in the statement context such as an event handling method of the component instance.
典型的语句上下文就是当前组件的实例。 (click)="deleteHero()"
中的 deleteHero 就是这个数据绑定组件上的一个方法。
The statement context is typically the component instance. The deleteHero in (click)="deleteHero()"
is a method of the data-bound component.
<button (click)="deleteHero()">Delete hero</button>
语句上下文可以引用模板自身上下文中的属性。 在下面的例子中,就把模板的 $event
对象、模板输入变量 (let hero
)和模板引用变量 (#heroForm
)传给了组件中的一个事件处理器方法。
The statement context may also refer to properties of the template's own context. In the following examples, the template $event
object, a template input variable (let hero
), and a template reference variable (#heroForm
) are passed to an event handling method of the component.
<button (click)="onSave($event)">Save</button>
<button *ngFor="let hero of heroes" (click)="deleteHero(hero)">{{hero.name}}</button>
<form #heroForm (ngSubmit)="onSubmit(heroForm)"> ... </form>
模板上下文中的变量名的优先级高于组件上下文中的变量名。在上面的 deleteHero(hero)
中,hero
是一个模板输入变量,而不是组件中的 hero
属性。
Template context names take precedence over component context names. In deleteHero(hero)
above, the hero
is the template input variable, not the component's hero
property.
语句指南
Statement guidelines
模板语句不能引用全局命名空间的任何东西。比如不能引用 window
或 document
,也不能调用 console.log
或 Math.max
。
Template statements cannot refer to anything in the global namespace. They can't refer to window
or document
. They can't call console.log
or Math.max
.
和表达式一样,避免写复杂的模板语句。 常规是函数调用或者属性赋值。
As with expressions, avoid writing complex template statements. A method call or simple property assignment should be the norm.
绑定语法:概览
Binding syntax: an overview
数据绑定是一种机制,用来协调用户可见的内容,特别是应用数据的值。 虽然也可以手动从 HTML 中推送或拉取这些值,但是如果将这些任务转交给绑定框架,应用就会更易于编写、阅读和维护。 您只需声明数据源和目标 HTML 元素之间的绑定关系就可以了,框架会完成其余的工作。
Data-binding is a mechanism for coordinating what users see, specifically with application data values. While you could push values to and pull values from HTML, the application is easier to write, read, and maintain if you turn these tasks over to a binding framework. You simply declare bindings between binding sources, target HTML elements, and let the framework do the rest.
对本节中语法和代码片段的说明,参见
For a demonstration of the syntax and code snippets in this section, see the
Angular 提供了多种数据绑定方式。绑定类型可以分为三类,按数据流的方向分为:
Angular provides many kinds of data-binding. Binding types can be grouped into three categories distinguished by the direction of data flow:
从数据源到视图
From the source-to-view
从视图到数据源
From view-to-source
双向:视图到数据源到视图
Two-way sequence: view-to-source-to-view
绑定类型 Type | 语法 Syntax | 分类 Category |
---|---|---|
插值 Interpolation |
| 单向 One-way |
事件 Event |
| 从视图到数据源的单向绑定 One-way |
双向 Two-way |
| 双向 Two-way |
除插值以外的其它绑定类型在等号的左侧都有一个“目标名称”,由绑定符 []
或 ()
包起来, 或者带有前缀:bind-
,on-
,bindon-
。
Binding types other than interpolation have a target name to the left of the equal sign, either surrounded by punctuation, []
or ()
, or preceded by a prefix: bind-
, on-
, bindon-
.
绑定的“目标”是绑定符内部的属性或事件:[]
、()
或 [()]
。
The target of a binding is the property or event inside the binding punctuation: []
, ()
or [()]
.
在绑定时可以使用来源指令的每个公共成员。 您无需进行任何特殊操作即可在模板表达式或语句内访问指令的成员。
Every public member of a source directive is automatically available for binding. You don't have to do anything special to access a directive member in a template expression or statement.
数据绑定与 HTML
Data-binding and HTML
在正常的 HTML 开发过程中,你使用 HTML 元素来创建视觉结构, 通过把字符串常量设置到元素的 attribute 来修改那些元素。
In the normal course of HTML development, you create a visual structure with HTML elements, and you modify those elements by setting element attributes with string constants.
<div class="special">Plain old HTML</div>
<img src="images/item.png">
<button disabled>Save</button>
使用数据绑定,您可以控制按钮状态等各个方面:
With data-binding, you can control things like the state of a button:
<!-- Bind button disabled state to `isUnchanged` property -->
<button [disabled]="isUnchanged">Save</button>
请注意,这里绑定到的是按钮的 DOM 元素的 disabled
这个 Property,而不是 Attribute。 这是数据绑定的通用规则。数据绑定使用 DOM 元素、组件和指令的 Property,而不是 HTML 的Attribute。
Notice that the binding is to the disabled
property of the button's DOM element, not the attribute. This applies to data-binding in general. Data-binding works with properties of DOM elements, components, and directives, not HTML attributes.
HTML attribute 与 DOM property 的对比
HTML attribute vs. DOM property
理解 HTML 属性和 DOM 属性之间的区别,是了解 Angular 绑定如何工作的关键。Attribute 是由 HTML 定义的。Property 是从 DOM(文档对象模型)节点访问的。
The distinction between an HTML attribute and a DOM property is key to understanding how Angular binding works. Attributes are defined by HTML. Properties are accessed from DOM (Document Object Model) nodes.
一些 HTML Attribute 可以 1:1 映射到 Property;例如,“ id”。
A few HTML attributes have 1:1 mapping to properties; for example,
id
.某些 HTML Attribute 没有相应的 Property。例如,
aria-*
。Some HTML attributes don't have corresponding properties; for example,
aria-*
.某些 DOM Property 没有相应的 Attribute。例如,
textContent
。Some DOM properties don't have corresponding attributes; for example,
textContent
.
重要的是要记住,HTML Attribute 和 DOM Property 是不同的,就算它们具有相同的名称也是如此。 在 Angular 中,HTML Attribute 的唯一作用是初始化元素和指令的状态。
It is important to remember that HTML attribute and the DOM property are different things, even when they have the same name. In Angular, the only role of HTML attributes is to initialize element and directive state.
模板绑定使用的是 Property 和事件,而不是 Attribute。
Template binding works with properties and events, not attributes.
编写数据绑定时,您只是在和目标对象的 DOM Property 和事件打交道。
When you write a data-binding, you're dealing exclusively with the DOM properties and events of the target object.
该通用规则可以帮助您建立 HTML Attribute 和 DOM Property 的思维模型: 属性负责初始化 DOM 属性,然后完工。Property 值可以改变;Attribute 值则不能。
This general rule can help you build a mental model of attributes and DOM properties: Attributes initialize DOM properties and then they are done. Property values can change; attribute values can't.
此规则有一个例外。 可以通过 setAttribute()
来更改 Attribute,接着它会重新初始化相应的 DOM 属性。
There is one exception to this rule. Attributes can be changed by setAttribute()
, which re-initializes corresponding DOM properties.
欲知详情,参见 MDN 接口文档,其中包含所有标准 DOM 元素及其 Property 的 API 文档。 <td>
Attribute 与 <td>
Property 之间的比较是一个很有用的例子。 特别是,您可以通过 “DOM 接口” 链接从 Attribute 页面导航到 Property 页面,并在继承层次中导航到 HTMLTableCellElement
。
For more information, see the MDN Interfaces documentation which has API docs for all the standard DOM elements and their properties. Comparing the <td>
attributes attributes to the <td>
properties provides a helpful example for differentiation. In particular, you can navigate from the attributes page to the properties via "DOM interface" link, and navigate the inheritance hierarchy up to HTMLTableCellElement
.
范例 1:<input>
Example 1: an <input>
当浏览器渲染 <input type="text" value="Sarah">
时,它会创建一个对应的 DOM 节点,其 value
Property 已初始化为 “Sarah”。
When the browser renders <input type="text" value="Sarah">
, it creates a corresponding DOM node with a value
property initialized to "Sarah".
<input type="text" value="Sarah">
当用户在 <input>
中输入 Sally
时,DOM 元素的 value
Property 将变为 Sally
。 但是,如果使用 input.getAttribute('value')
查看 HTML 的 Attribute value
,则可以看到该 attribute 保持不变 —— 它返回了 Sarah
。
When the user enters "Sally" into the <input>
, the DOM element value
property becomes "Sally". However, if you look at the HTML attribute value
using input.getAttribute('value')
, you can see that the attribute remains unchanged—it returns "Sarah".
HTML 的 value
这个 attribute 指定了初始值;DOM 的 value
这个 property 是当前值。
The HTML attribute value
specifies the initial value; the DOM value
property is the current value.
要通过可运行的应用查看 Attribute 和 DOM Property 的差别,请参阅
To see attributes versus DOM properties in a functioning app, see the
范例 2:禁用按钮
Example 2: a disabled button
disabled
Attribute 是另一个例子。按钮的 disabled
Property 默认为 false
,因此按钮是启用的。
The disabled
attribute is another example. A button's disabled
property is false
by default so the button is enabled.
当你添加 disabled
Attribute 时,仅仅它的出现就将按钮的 disabled
Property 初始化成了 true
,因此该按钮就被禁用了。
When you add the disabled
attribute, its presence alone initializes the button's disabled
property to true
so the button is disabled.
<button disabled>Test Button</button>
添加和删除 disabled
Attribute 会禁用和启用该按钮。 但是,Attribute 的值无关紧要,这就是为什么您不能通过编写 <button disabled="false">仍被禁用</button>
来启用此按钮的原因。
Adding and removing the disabled
attribute disables and enables the button. However, the value of the attribute is irrelevant, which is why you cannot enable a button by writing <button disabled="false">Still Disabled</button>
.
要控制按钮的状态,请设置 disabled
Property,
To control the state of the button, set the disabled
property,
虽然技术上说你可以设置 [attr.disabled]
属性绑定,但是它们的值是不同的,Property 绑定要求一个布尔值,而其相应的 Attribute 绑定则取决于该值是否为 null
。例子如下:
Though you could technically set the [attr.disabled]
attribute binding, the values are different in that the property binding requires to a boolean value, while its corresponding attribute binding relies on whether the value is null
or not. Consider the following:
<input [disabled]="condition ? true : false">
<input [attr.disabled]="condition ? 'disabled' : null">
通常,要使用 Property 绑定而不是 Attribute 绑定,因为它更直观(是一个布尔值),语法更短,并且性能更高。
Generally, use property binding over attribute binding as it is more intuitive (being a boolean value), has a shorter syntax, and is more performant.
要通过可运行的应用查看 disabled
按钮示例,请参见
To see the disabled
button example in a functioning app, see the
绑定类型与绑定目标
Binding types and targets
数据绑定的目标是 DOM 中的对象。 根据绑定类型,该目标可以是 Property 名(元素、组件或指令的)、事件名(元素、组件或指令的),有时是 Attribute 名。下表中总结了不同绑定类型的目标。
The target of a data-binding is something in the DOM. Depending on the binding type, the target can be a property (element, component, or directive), an event (element, component, or directive), or sometimes an attribute name. The following table summarizes the targets for the different binding types.
绑定类型 Type | 目标 Target | 范例 Examples |
---|---|---|
属性 Property | 元素的 property Element property |
|
事件 Event | 元素的事件 Element event |
|
双向 Two-way | 事件与 property Event and property |
|
Attribute | attribute(例外情况) Attribute (the exception) |
|
CSS 类 Class | |
|
样式 Style | |
|
Property 绑定 [property]
Property binding [property]
使用 Property 绑定到目标元素或指令 @Input()
装饰器的 set 型属性。 演示本节中所有要点的例子,请参见
Use property binding to set properties of target elements or directive @Input()
decorators. For an example demonstrating all of the points in this section, see the
单向输入
One-way in
Property 绑定的值在一个方向上流动,从组件的 Property 变为目标元素的 Property。
Property binding flows a value in one direction, from a component's property into a target element property.
您不能使用属性绑定从目标元素读取或拉取值。同样的,您也不能使用属性绑定在目标元素上调用方法。如果元素要引发事件,则可以使用事件绑定来监听它们。
You can't use property binding to read or pull values out of target elements. Similarly, you cannot use property binding to call a method on the target element. If the element raises events, you can listen to them with an event binding.
如果您要读取目标元素的属性或调用其方法,请参阅 ViewChild 和 ContentChild 的 API 参考。
If you must read a target element property or call one of its methods, see the API reference for ViewChild and ContentChild.
例子
Examples
最常见的 Property 绑定将元素的 Property 设置为组件的 Property 值。例子之一是将 img
元素的 src
Property 绑定到组件的 itemImageUrl
Property:
The most common property binding sets an element property to a component property value. An example is binding the src
property of an image element to a component's itemImageUrl
property:
<img [src]="itemImageUrl">
这是绑定到 colSpan
Property 的示例。请注意,它不是 colspan
,后者是 Attribute,用小写的 s 拼写。
Here's an example of binding to the colSpan
property. Notice that it's not colspan
, which is the attribute, spelled with a lowercase s
.
<!-- Notice the colSpan property is camel case -->
<tr><td [colSpan]="2">Span 2 columns</td></tr>
欲知详情,参见 MDN HTMLTableCellElement 文档。
For more details, see the MDN HTMLTableCellElement documentation.
另一个例子是当组件说它 isUnchanged
(未改变)时禁用按钮:
Another example is disabling a button when the component says that it isUnchanged
:
<!-- Bind button disabled state to `isUnchanged` property -->
<button [disabled]="isUnchanged">Disabled Button</button>
另一个例子是设置指令的属性:
Another is setting a property of a directive:
<p [ngClass]="classes">[ngClass] binding to the classes property making this blue</p>
另一种方法是设置自定义组件的模型属性 —— 这是一种父级和子级组件进行通信的好办法:
Yet another is setting the model property of a custom component—a great way for parent and child components to communicate:
<app-item-detail [childItem]="parentItem"></app-item-detail>
绑定目标
Binding targets
包裹在方括号中的元素属性名标记着目标属性。下列代码中的目标属性是 image 元素的 src
属性。
An element property between enclosing square brackets identifies the target property. The target property in the following code is the image element's src
property.
<img [src]="itemImageUrl">
还有一种使用 bind-
前缀的替代方案:
There's also the bind-
prefix alternative:
<img bind-src="itemImageUrl">
在大多数情况下,目标名都是 Property 名,虽然它看起来像 Attribute 名。 因此,在这个例子中,src
是 <img>
元素属性的名称。
In most cases, the target name is the name of a property, even when it appears to be the name of an attribute. So in this case, src
is the name of the <img>
element property.
元素属性可能是最常见的绑定目标,但 Angular 会先去看这个名字是否是某个已知指令的属性名,就像下面的例子中一样:
Element properties may be the more common targets, but Angular looks first to see if the name is a property of a known directive, as it is in the following example:
<p [ngClass]="classes">[ngClass] binding to the classes property making this blue</p>
从技术上讲,Angular 将这个名称与指令的 @Input()
进行匹配,它来自指令的 inputs
数组中列出的 Property 名称之一或是用 @Input()
装饰的属性。这些输入都映射到指令自身的属性。
Technically, Angular is matching the name to a directive @Input()
, one of the property names listed in the directive's inputs
array or a property decorated with @Input()
. Such inputs map to the directive's own properties.
如果名字没有匹配上已知指令或元素的属性,Angular 就会报告“未知指令”的错误。
If the name fails to match a property of a known directive or element, Angular reports an “unknown directive” error.
尽管目标名称通常是 Property 的名称,但是在 Angular 中,有几个常见属性会自动将 Attribute 映射为 Property。这些包括 class
/ className
, innerHtml
/ innerHTML
和 tabindex
/ tabIndex
。
Though the target name is usually the name of a property, there is an automatic attribute-to-property mapping in Angular for several common attributes. These include class
/className
, innerHtml
/innerHTML
, and tabindex
/tabIndex
.
消除副作用
Avoid side effects
模板表达的计算应该没有明显的副作用。表达式语言本身或您编写模板表达式的方式在一定程度上有所帮助。您不能为属性绑定表达式中的任何内容赋值,也不能使用递增和递减运算符。
Evaluation of a template expression should have no visible side effects. The expression language itself, or the way you write template expressions, helps to a certain extent; you can't assign a value to anything in a property binding expression nor use the increment and decrement operators.
例如,假设您有一个表达式,该表达式调用了具有副作用的属性或方法。该表达式可以调用类似 getFoo()
的函数,只有您知道 getFoo()
做了什么。如果 getFoo()
更改了某些内容,而您恰巧绑定到该内容,则 Angular 可能会也可能不会显示更改后的值。 Angular 可能会检测到更改并抛出警告错误。最佳实践是坚持使用属性和返回值并避免副作用的方法。
For example, you could have an expression that invoked a property or method that had side effects. The expression could call something like getFoo()
where only you know what getFoo()
does. If getFoo()
changes something and you happen to be binding to that something, Angular may or may not display the changed value. Angular may detect the change and throw a warning error. As a best practice, stick to properties and to methods that return values and avoid side effects.
返回正确的类型
Return the proper type
模板表达式的计算结果应该是目标属性所需要的值类型。如果 target
属性需要一个字符串,则返回一个字符串;如果需要一个数字,则返回一个数字;如果需要一个对象,则返回一个对象,依此类推。
The template expression should evaluate to the type of value that the target property expects. Return a string if the target property expects a string, a number if it expects a number, an object if it expects an object, and so on.
在下面的例子中, ItemDetailComponent
的 childItem
属性需要一个字符串,而这正是你要发送给属性绑定的内容:
In the following example, the childItem
property of the ItemDetailComponent
expects a string, which is exactly what you're sending in the property binding:
<app-item-detail [childItem]="parentItem"></app-item-detail>
您可以查看 ItemDetailComponent
来确认这一点,它的 @Input
类型设为了字符串:
You can confirm this by looking in the ItemDetailComponent
where the @Input
type is set to a string:
@Input() childItem: string;
如您所见, AppComponent
中的 parentItem
是一个字符串,而 ItemDetailComponent
需要的就是字符串:
As you can see here, the parentItem
in AppComponent
is a string, which the ItemDetailComponent
expects:
parentItem = 'lamp';
传入对象
Passing in an object
前面的简单示例演示了传入字符串的情况。要传递对象,其语法和思想是相同的。
The previous simple example showed passing in a string. To pass in an object, the syntax and thinking are the same.
在这种情况下, ListItemComponent
嵌套在 AppComponent
中,并且 item
属性需要一个对象。
In this scenario, ListItemComponent
is nested within AppComponent
and the item
property expects an object.
<app-list-item [items]="currentItem"></app-list-item>
item
属性是在 ListItemComponent
中用 Item
类型声明的,并带有 @Input()
装饰器:
The item
property is declared in the ListItemComponent
with a type of Item
and decorated with @Input()
:
@Input() items: Item[];
在此示例应用程序中, Item
是具有两个属性的对象。一个 id
和一个 name
。
In this sample app, an Item
is an object that has two properties; an id
and a name
.
export interface Item {
id: number;
name: string;
}
当另一个文件 mock-items.ts
中存在一个条目列表时,您可以在 app.component.ts
中指定另一个条目,以便渲染新条目:
While a list of items exists in another file, mock-items.ts
, you can specify a different item in app.component.ts
so that the new item will render:
currentItem = [{
id: 21,
name: 'phone'
}];
在这个例子中,你只需要确保你所提供的对象的类型,也就是这个 item
的类型是嵌套组件 ListItemComponent
所需要的类型。
You just have to make sure, in this case, that you're supplying an object because that's the type of item
and is what the nested component, ListItemComponent
, expects.
在此示例中, AppComponent
指定了另一个 item
对象( currentItem
)并将其传给嵌套的 ListItemComponent
。 ListItemComponent
之所以能够使用 currentItem
是因为它与 item.ts
中定义的 Item
对象的类型相匹配。在 item.ts
文件中, ListItemComponent
获得了其对 item
的定义。
In this example, AppComponent
specifies a different item
object (currentItem
) and passes it to the nested ListItemComponent
. ListItemComponent
was able to use currentItem
because it matches what an Item
object is according to item.ts
. The item.ts
file is where ListItemComponent
gets its definition of an item
.
别忘了方括号
Remember the brackets
方括号 []
告诉 Angular 计算该模板表达式。如果省略括号,Angular 会将字符串视为常量,并使用该字符串初始化目标属性 :
The brackets, []
, tell Angular to evaluate the template expression. If you omit the brackets, Angular treats the string as a constant and initializes the target property with that string:
<app-item-detail childItem="parentItem"></app-item-detail>
省略方括号将渲染字符串 parentItem
,而不是 parentItem
的值。
Omitting the brackets will render the string parentItem
, not the value of parentItem
.
一次性字符串初始化
One-time string initialization
当满足下列条件时,应该省略括号:
You should omit the brackets when all of the following are true:
目标属性接受字符串值。
The target property accepts a string value.
字符串是一个固定值,您可以直接将其放入模板中。
The string is a fixed value that you can put directly into the template.
这个初始值永不改变。
This initial value never changes.
您通常会以这种方式在标准 HTML 中初始化属性,并且它对指令和组件的属性初始化同样有效。 下面的示例将 StringInitComponent
中的 prefix
属性初始化为固定字符串,而不是模板表达式。 Angular 设置它,然后就不管它了。
You routinely initialize attributes this way in standard HTML, and it works just as well for directive and component property initialization. The following example initializes the prefix
property of the StringInitComponent
to a fixed string, not a template expression. Angular sets it and forgets about it.
<app-string-init prefix="This is a one-time initialized string."></app-string-init>
另一方面,[item]
绑定仍然是与组件的 currentItem
属性的实时绑定。
The [item]
binding, on the other hand, remains a live binding to the component's currentItem
property.
属性绑定与插值
Property binding vs. interpolation
你通常得在插值和属性绑定之间做出选择。 下列这几对绑定做的事情完全相同:
You often have a choice between interpolation and property binding. The following binding pairs do the same thing:
<p><img src="{{itemImageUrl}}"> is the <i>interpolated</i> image.</p>
<p><img [src]="itemImageUrl"> is the <i>property bound</i> image.</p>
<p><span>"{{interpolationTitle}}" is the <i>interpolated</i> title.</span></p>
<p>"<span [innerHTML]="propertyTitle"></span>" is the <i>property bound</i> title.</p>
在许多情况下,插值是属性绑定的便捷替代法。当要把数据值渲染为字符串时,虽然可读性方面倾向于插值,但没有技术上的理由偏爱一种形式。但是,将元素属性设置为非字符串的数据值时,必须使用属性绑定。
Interpolation is a convenient alternative to property binding in many cases. When rendering data values as strings, there is no technical reason to prefer one form to the other, though readability tends to favor interpolation. However, when setting an element property to a non-string data value, you must use property binding.
内容安全
Content security
假设如下恶意内容
Imagine the following malicious content.
evilTitle = 'Template <script>alert("evil never sleeps")</script> Syntax';
在组件模板中,内容可以与插值一起使用:
In the component template, the content might be used with interpolation:
<p><span>"{{evilTitle}}" is the <i>interpolated</i> evil title.</span></p>
幸运的是,Angular 数据绑定对于危险的 HTML 高度戒备。在上述情况下,HTML 将按原样显示,而 Javascript 不执行。Angular 不允许带有 script
标签的 HTML 泄漏到浏览器中,无论是插值还是属性绑定。
Fortunately, Angular data binding is on alert for dangerous HTML. In the above case, the HTML displays as is, and the Javascript does not execute. Angular does not allow HTML with script tags to leak into the browser, neither with interpolation nor property binding.
不过,在下列示例中,Angular 会在显示值之前先对它们进行无害化处理 。
In the following example, however, Angular sanitizes the values before displaying them.
<!--
Angular generates a warning for the following line as it sanitizes them
WARNING: sanitizing HTML stripped some content (see http://g.co/ng/security#xss).
-->
<p>"<span [innerHTML]="evilTitle"></span>" is the <i>property bound</i> evil title.</p>
插值处理 <script>
标记与属性绑定的方式不同,但是这两种方法都可以使内容无害。以下是 evilTitle
示例的浏览器输出。
Interpolation handles the <script>
tags differently than property binding but both approaches render the content harmlessly. The following is the browser output of the evilTitle
examples.
"Template Syntax" is the interpolated evil title.
"Template alert("evil never sleeps")Syntax" is the property bound evil title.
attribute、class 和 style 绑定
Attribute, class, and style bindings
模板语法为那些不太适合使用属性绑定的场景提供了专门的单向数据绑定形式。
The template syntax provides specialized one-way bindings for scenarios less well-suited to property binding.
要在运行中的应用查看 Attribute 绑定、类绑定和样式绑定,请参见
To see attribute, class, and style bindings in a functioning app, see the
attribute 绑定
Attribute binding
可以直接使用 Attribute 绑定设置 Attribute 的值。一般来说,绑定时设置的是目标的 Property,而 Attribute 绑定是唯一的例外,它创建和设置的是 Attribute。
Set the value of an attribute directly with an attribute binding. This is the only exception to the rule that a binding sets a target property and the only binding that creates and sets an attribute.
通常,使用 Property 绑定设置元素的 Property 优于使用字符串设置 Attribute。但是,有时没有要绑定的元素的 Property,所以其解决方案就是 Attribute 绑定。
Usually, setting an element property with a property binding is preferable to setting the attribute with a string. However, sometimes there is no element property to bind, so attribute binding is the solution.
考虑 ARIA 和 SVG 。它们都纯粹是 Attribute,不对应于元素的 Property,也不能设置元素的 Property。 在这些情况下,就没有要绑定到的目标 Property。
Consider the ARIA and SVG. They are purely attributes, don't correspond to element properties, and don't set element properties. In these cases, there are no property targets to bind to.
Attribute 绑定的语法类似于 Property 绑定,但其括号之间不是元素的 Property,而是由前缀 attr
、点( .
)和 Attribute 名称组成。然后,您就可以使用能解析为字符串的表达式来设置该 Attribute 的值,或者当表达式解析为 null
时删除该 Attribute。
Attribute binding syntax resembles property binding, but instead of an element property between brackets, start with the prefix attr
, followed by a dot (.
), and the name of the attribute. You then set the attribute value, using an expression that resolves to a string, or remove the attribute when the expression resolves to null
.
attribute 绑定的主要用例之一是设置 ARIA attribute(译注:ARIA 指无障碍功能,用于给残障人士访问互联网提供便利), 就像这个例子中一样:
One of the primary use cases for attribute binding is to set ARIA attributes, as in this example:
<!-- create and set an aria attribute for assistive technology -->
<button [attr.aria-label]="actionName">{{actionName}} with Aria</button>
colspan
和 colSpan
colspan
and colSpan
注意 colspan
Attribute 和 colSpan
Property 之间的区别。
Notice the difference between the colspan
attribute and the colSpan
property.
如果您这样写:
If you wrote something like this:
<tr><td colspan="{{1 + 1}}">Three-Four</td></tr>
您会收到如下错误:
You'd get this error:
Template parse errors:
Can't bind to 'colspan' since it isn't a known native property
如错误消息所示,<td>
元素没有 colspan
这个 Property。这是正确的,因为 colspan
是一个 Attribute,而 colSpan
(colSpan
中的 S
是大写)则是相应的 Property。插值和 Property 绑定只能设置 Property ,不能设置 Attribute。
As the message says, the <td>
element does not have a colspan
property. This is true because colspan
is an attribute—colSpan
, with a capital S
, is the corresponding property. Interpolation and property binding can set only properties, not attributes.
相反,您可以使用 Property 绑定并将其改写为:
Instead, you'd use property binding and write it like this:
<!-- Notice the colSpan property is camel case -->
<tr><td [colSpan]="1 + 1">Three-Four</td></tr>
类绑定
Class binding
下面是在普通 HTML 中不用绑定来设置 class
Attribute 的方法:
Here's how to set the class
attribute without a binding in plain HTML:
<!-- standard class attribute setting -->
<div class="foo bar">Some text</div>
你还可以使用类绑定来为一个元素添加和移除 CSS 类。
You can also add and remove CSS class names from an element's class
attribute with a class binding.
要创建单个类的绑定,请使用 class
前缀,紧跟一个点(.
),再跟上 CSS 类名,比如 [class.foo]="hasFoo"
。 当绑定表达式为真值的时候,Angular 就会加上这个类,为假值则会移除,但 undefined
是假值中的例外,参见样式委派 部分。
To create a single class binding, start with the prefix class
followed by a dot (.
) and the name of the CSS class (for example, [class.foo]="hasFoo"
). Angular adds the class when the bound expression is truthy, and it removes the class when the expression is falsy (with the exception of undefined
, see styling delegation).
要想创建多个类的绑定,请使用通用的 [class]
形式来绑定类,而不要带点,比如 [class]="classExpr"
。 该表达式可以是空格分隔的类名字符串,或者用一个以类名为键、真假值表达式为值的对象。 当使用对象格式时,Angular 只会加上那些相关的值为真的类名。
To create a binding to multiple classes, use a generic [class]
binding without the dot (for example, [class]="classExpr"
). The expression can be a space-delimited string of class names, or you can format it as an object with class names as the keys and truthy/falsy expressions as the values. With object format, Angular will add a class only if its associated value is truthy.
一定要注意,在对象型表达式中(如 object
、Array
、Map
、Set
等),当这个类列表改变时,对象的引用也必须修改。仅仅修改其属性而不修改对象引用是无法生效的。
It's important to note that with any object-like expression (object
, Array
, Map
, Set
, etc), the identity of the object must change for the class list to be updated. Updating the property without changing object identity will have no effect.
如果有多处绑定到了同一个类名,出现的冲突将根据样式的优先级规则进行解决。
If there are multiple bindings to the same class name, conflicts are resolved using styling precedence.
绑定类型 Binding Type | 语法 Syntax | 输入类型 Input Type | 输入值范例 Example Input Values |
---|---|---|---|
单个类绑定 Single class binding | [class.foo]="hasFoo" | boolean | undefined | null | true , false |
多个类绑定 Multi-class binding | [class]="classExpr" | string | "my-class-1 my-class-2 my-class-3" |
{[key: string]: boolean | undefined | null} | {foo: true, bar: false} | ||
Array <string > | ['foo', 'bar'] |
尽管此技术适用于切换单个类名,但在需要同时管理多个类名时请考虑使用 NgClass
指令。
The NgClass directive can be used as an alternative to direct [class]
bindings. However, using the above class binding syntax without NgClass
is preferred because due to improvements in class binding in Angular, NgClass
no longer provides significant value, and might eventually be removed in the future.
样式绑定
Style binding
下面演示了如何不通过绑定在普通 HTML 中设置 style
属性:
Here's how to set the style
attribute without a binding in plain HTML:
<!-- standard style attribute setting -->
<div style="color: blue">Some text</div>
你还可以通过样式绑定来动态设置样式。
You can also set styles dynamically with a style binding.
要想创建单个样式的绑定,请以 style
前缀开头,紧跟一个点(.
),再跟着 CSS 样式的属性名,比如 [style.width]="width"
。 该属性将会被设置为绑定表达式的值,该值通常为字符串。 不过你还可以添加一个单位表达式,比如 em
或 %
,这时候该值就要是一个 number
类型。
To create a single style binding, start with the prefix style
followed by a dot (.
) and the name of the CSS style property (for example, [style.width]="width"
). The property will be set to the value of the bound expression, which is normally a string. Optionally, you can add a unit extension like em
or %
, which requires a number type.
注意,样式属性命名方法可以用中线命名法,像上面的一样 也可以用驼峰式命名法,如 fontSize
。
Note that a style property name can be written in either dash-case, as shown above, or camelCase, such as fontSize
.
如果要切换多个样式,你可以直接绑定到 [style]
属性而不用点(比如, [style]="styleExpr"
)。赋给 [style]
的绑定表达式通常是一系列样式组成的字符串,比如 "width: 100px; height: 100px;"
。
If there are multiple styles you'd like to toggle, you can bind to the [style]
property directly without the dot (for example, [style]="styleExpr"
). The expression attached to the [style]
binding is most often a string list of styles like "width: 100px; height: 100px;"
.
你也可以把该表达式格式化成一个以样式名为键、以样式值为值的对象,比如 {width: '100px', height: '100px'}
。一定要注意,对于任何对象型的表达式( 如 object
, Array
, Map
, Set
等),当这个样式列表改变时,对象的引用也必须修改。仅仅修改其属性而不修改对象引用是无法生效的。。
You can also format the expression as an object with style names as the keys and style values as the values, like {width: '100px', height: '100px'}
. It's important to note that with any object-like expression (object
, Array
, Map
, Set
, etc), the identity of the object must change for the class list to be updated. Updating the property without changing object identity will have no effect.
如果有多处绑定了同一个样式属性,则会使用样式的优先级规则来解决冲突。
If there are multiple bindings to the same style property, conflicts are resolved using styling precedence rules.
绑定类型 Binding Type | 语法 Syntax | 输入类型 Input Type | 输入值范例 Example Input Values |
---|---|---|---|
单一样式绑定 Single style binding | [style.width]="width" | string | undefined | null | "100px" |
带单位的单一样式绑定 Single style binding with units | [style.width.px]="width" | number | undefined | null | 100 |
多个样式绑定 Multi-style binding | [style]="styleExpr" | string | "width: 100px; height: 100px" |
{[key: string]: string | undefined | null} | {width: '100px', height: '100px'} | ||
Array <string > | ['width', '100px'] |
NgStyle 指令可以作为 [style]
绑定的替代指令。但是,应该把上面这种 [style]
样式绑定语法作为首选,因为随着 Angular 中样式绑定的改进,NgStyle
将不再提供重要的价值,并最终在未来的某个版本中删除。
The NgStyle directive can be used as an alternative to direct [style]
bindings. However, using the above style binding syntax without NgStyle
is preferred because due to improvements in style binding in Angular, NgStyle
no longer provides significant value, and might eventually be removed in the future.
样式的优先级规则
Styling Precedence
一个 HTML 元素可以把它的 CSS 类列表和样式值绑定到多个来源(例如,来自多个指令的宿主 host
绑定)。
A single HTML element can have its CSS class list and style values bound to a multiple sources (for example, host bindings from multiple directives).
当对同一个类名或样式属性存在多个绑定时,Angular 会使用一组优先级规则来解决冲突,并确定最终哪些类或样式会应用到该元素中。
When there are multiple bindings to the same class name or style property, Angular uses a set of precedence rules to resolve conflicts and determine which classes or styles are ultimately applied to the element.
样式的优先级规则(从高到低)
Styling precedence (highest to lowest)
模板绑定
Template bindings
属性绑定(例如
<div [class.foo]="hasFoo">
或<div [style.color]="color">
)Property binding (for example,
<div [class.foo]="hasFoo">
or<div [style.color]="color">
)Map 绑定(例如,
<div [class]="classExpr">
或<div [style]="styleExpr">
)Map binding (for example,
<div [class]="classExpr">
or<div [style]="styleExpr">
)静态值(例如
<div class="foo">
或<div style="color: blue">
)Static value (for example,
<div class="foo">
or<div style="color: blue">
)指令宿主绑定
Directive host bindings
属性绑定(例如,
host: {'[class.foo]': 'hasFoo'}
或host: {'[style.color]': 'color'}
)Property binding (for example,
host: {'[class.foo]': 'hasFoo'}
orhost: {'[style.color]': 'color'}
)Map 绑定(例如,
host: {'[class]': 'classExpr'}
或者host: {'[style]': 'styleExpr'}
)Map binding (for example,
host: {'[class]': 'classExpr'}
orhost: {'[style]': 'styleExpr'}
)静态值(例如,
host: {'class': 'foo'}
或host: {'style': 'color: blue'}
)Static value (for example,
host: {'class': 'foo'}
orhost: {'style': 'color: blue'}
)组件宿主绑定
Component host bindings
属性绑定(例如,
host: {'[class.foo]': 'hasFoo'}
或host: {'[style.color]': 'color'}
)Property binding (for example,
host: {'[class.foo]': 'hasFoo'}
orhost: {'[style.color]': 'color'}
)Map 绑定(例如,
host: {'[class]': 'classExpr'}
或者host: {'[style]': 'styleExpr'}
)Map binding (for example,
host: {'[class]': 'classExpr'}
orhost: {'[style]': 'styleExpr'}
)静态值(例如,
host: {'class': 'foo'}
或host: {'style': 'color: blue'}
)Static value (for example,
host: {'class': 'foo'}
orhost: {'style': 'color: blue'}
)
某个类或样式绑定越具体,它的优先级就越高。
The more specific a class or style binding is, the higher its precedence.
对具体类(例如 [class.foo]
)的绑定优先于一般化的 [class]
绑定,对具体样式(例如 [style.bar]
)的绑定优先于一般化的 [style]
绑定。
A binding to a specific class (for example, [class.foo]
) will take precedence over a generic [class]
binding, and a binding to a specific style (for example, [style.bar]
) will take precedence over a generic [style]
binding.
<h3>Basic specificity</h3>
<!-- The `class.special` binding will override any value for the `special` class in `classExpr`. -->
<div [class.special]="isSpecial" [class]="classExpr">Some text.</div>
<!-- The `style.color` binding will override any value for the `color` property in `styleExpr`. -->
<div [style.color]="color" [style]="styleExpr">Some text.</div>
当处理不同来源的绑定时,也适用这种基于具体度的规则。 某个元素可能在声明它的模板中有一些绑定、在所匹配的指令中有一些宿主绑定、在所匹配的组件中有一些宿主绑定。
Specificity rules also apply when it comes to bindings that originate from different sources. It's possible for an element to have bindings in the template where it's declared, from host bindings on matched directives, and from host bindings on matched components.
模板中的绑定是最具体的,因为它们直接并且唯一地应用于该元素,所以它们具有最高的优先级。
Template bindings are the most specific because they apply to the element directly and exclusively, so they have the highest precedence.
指令的宿主绑定被认为不太具体,因为指令可以在多个位置使用,所以它们的优先级低于模板绑定。
Directive host bindings are considered less specific because directives can be used in multiple locations, so they have a lower precedence than template bindings.
指令经常会增强组件的行为,所以组件的宿主绑定优先级最低。
Directives often augment component behavior, so host bindings from components have the lowest precedence.
<h3>Source specificity</h3>
<!-- The `class.special` template binding will override any host binding to the `special` class set by `dirWithClassBinding` or `comp-with-host-binding`.-->
<comp-with-host-binding [class.special]="isSpecial" dirWithClassBinding>Some text.</comp-with-host-binding>
<!-- The `style.color` template binding will override any host binding to the `color` property set by `dirWithStyleBinding` or `comp-with-host-binding`. -->
<comp-with-host-binding [style.color]="color" dirWithStyleBinding>Some text.</comp-with-host-binding>
另外,绑定总是优先于静态属性。
In addition, bindings take precedence over static attributes.
在下面的例子中, class
和 [class]
具有相似的具体度,但 [class]
绑定优先,因为它是动态的。
In the following case, class
and [class]
have similar specificity, but the [class]
binding will take precedence because it is dynamic.
<h3>Dynamic vs static</h3>
<!-- If `classExpr` has a value for the `special` class, this value will override the `class="special"` below -->
<div class="special" [class]="classExpr">Some text.</div>
<!-- If `styleExpr` has a value for the `color` property, this value will override the `style="color: blue"` below -->
<div style="color: blue" [style]="styleExpr">Some text.</div>
委托优先级较低的样式
Delegating to styles with lower precedence
更高优先级的样式可以使用 undefined
值“委托”给低级的优先级样式。虽然把 style 属性设置为 null
可以确保该样式被移除,但把它设置为 undefined
会导致 Angular 回退到该样式的次高优先级。
It is possible for higher precedence styles to "delegate" to lower precedence styles using undefined
values. Whereas setting a style property to null
ensures the style is removed, setting it to undefined
will cause Angular to fall back to the next-highest precedence binding to that style.
例如,考虑以下模板:
For example, consider the following template:
<comp-with-host-binding dirWithHostBinding></comp-with-host-binding>
想象一下, dirWithHostBinding
指令和 comp-with-host-binding
组件都有 [style.width]
宿主绑定。在这种情况下,如果 dirWithHostBinding
把它的绑定设置为 undefined
,则 width
属性将回退到 comp-with-host-binding
主机绑定的值。但是,如果 dirWithHostBinding
把它的绑定设置为 null
,那么 width
属性就会被完全删除。
Imagine that the dirWithHostBinding
directive and the comp-with-host-binding
component both have a [style.width]
host binding. In that case, if dirWithHostBinding
sets its binding to undefined
, the width
property will fall back to the value of the comp-with-host-binding
host binding. However, if dirWithHostBinding
sets its binding to null
, the width
property will be removed entirely.
事件绑定 (event)
Event binding (event)
事件绑定允许你监听某些事件,比如按键、鼠标移动、点击和触屏。要查看本节中所有要点的演示,请参见
Event binding allows you to listen for certain events such as keystrokes, mouse movements, clicks, and touches. For an example demonstrating all of the points in this section, see the
Angular 的事件绑定语法由等号左侧带圆括号的目标事件和右侧引号中的模板语句组成。 下面事件绑定监听按钮的点击事件。每当点击发生时,都会调用组件的 onSave()
方法。
Angular event binding syntax consists of a target event name within parentheses on the left of an equal sign, and a quoted template statement on the right. The following event binding listens for the button's click events, calling the component's onSave()
method whenever a click occurs:
目标事件
Target event
如前所述,其目标就是此按钮的单击事件。
As above, the target is the button's click event.
<button (click)="onSave($event)">Save</button>
有些人更喜欢带 on-
前缀的备选形式,称之为规范形式:
Alternatively, use the on-
prefix, known as the canonical form:
<button on-click="onSave($event)">on-click Save</button>
元素事件可能是更常见的目标,但 Angular 会先看这个名字是否能匹配上已知指令的事件属性,就像下面这个例子:
Element events may be the more common targets, but Angular looks first to see if the name matches an event property of a known directive, as it does in the following example:
<h4>myClick is an event on the custom ClickDirective:</h4>
<button (myClick)="clickMessage=$event" clickable>click with myClick</button>
{{clickMessage}}
如果这个名字没能匹配到元素事件或已知指令的输出属性,Angular 就会报“未知指令”错误。
If the name fails to match an element event or an output property of a known directive, Angular reports an “unknown directive” error.
$event 和事件处理语句
$event and event handling statements
在事件绑定中,Angular 会为目标事件设置事件处理器。
In an event binding, Angular sets up an event handler for the target event.
当事件发生时,这个处理器会执行模板语句。 典型的模板语句通常涉及到响应事件执行动作的接收器,例如从 HTML 控件中取得值,并存入模型。
When the event is raised, the handler executes the template statement. The template statement typically involves a receiver, which performs an action in response to the event, such as storing a value from the HTML control into a model.
绑定会通过名叫 $event
的事件对象传递关于此事件的信息(包括数据值)。
The binding conveys information about the event. This information can include data values such as an event object, string, or number named $event
.
事件对象的形态取决于目标事件。如果目标事件是原生 DOM 元素事件, $event
就是 DOM 事件对象,它有像 target
和 target.value
这样的属性。
The target event determines the shape of the $event
object. If the target event is a native DOM element event, then $event
is a DOM event object, with properties such as target
and target.value
.
考虑这个范例:
Consider this example:
<input [value]="currentItem.name"
(input)="currentItem.name=$event.target.value" >
without NgModel
上面的代码在把输入框的 value
属性绑定到 name
属性。 要监听对值的修改,代码绑定到输入框的 input
事件。 当用户造成更改时,input
事件被触发,并在包含了 DOM 事件对象 ($event
) 的上下文中执行这条语句。
This code sets the <input>
value
property by binding to the name
property. To listen for changes to the value, the code binds to the input
event of the <input>
element. When the user makes changes, the input
event is raised, and the binding executes the statement within a context that includes the DOM event object, $event
.
要更新 name
属性,就要通过路径 $event.target.value
来获取更改后的值。
To update the name
property, the changed text is retrieved by following the path $event.target.value
.
如果事件属于指令(回想一下,组件是指令的一种),那么 $event
具体是什么由指令决定。
If the event belongs to a directive—recall that components are directives—$event
has whatever shape the directive produces.
使用 EventEmitter
实现自定义事件
Custom events with EventEmitter
通常,指令使用 Angular EventEmitter 来触发自定义事件。 指令创建一个 EventEmitter
实例,并且把它作为属性暴露出来。 指令调用 EventEmitter.emit(payload)
来触发事件,可以传入任何东西作为消息载荷。 父指令通过绑定到这个属性来监听事件,并通过 $event
对象来访问载荷。
Directives typically raise custom events with an Angular EventEmitter. The directive creates an EventEmitter
and exposes it as a property. The directive calls EventEmitter.emit(payload)
to fire an event, passing in a message payload, which can be anything. Parent directives listen for the event by binding to this property and accessing the payload through the $event
object.
假设 ItemDetailComponent
用于显示英雄的信息,并响应用户的动作。 虽然 ItemDetailComponent
包含删除按钮,但它自己并不知道该如何删除这个英雄。 最好的做法是触发事件来报告“删除用户”的请求。
Consider an ItemDetailComponent
that presents item information and responds to user actions. Although the ItemDetailComponent
has a delete button, it doesn't know how to delete the hero. It can only raise an event reporting the user's delete request.
下面的代码节选自 ItemDetailComponent
:
Here are the pertinent excerpts from that ItemDetailComponent
:
<img src="{{itemImageUrl}}" [style.display]="displayNone">
<span [style.text-decoration]="lineThrough">{{ item.name }}
</span>
<button (click)="delete()">Delete</button>
// This component makes a request but it can't actually delete a hero.
@Output() deleteRequest = new EventEmitter<Item>();
delete() {
this.deleteRequest.emit(this.item);
this.displayNone = this.displayNone ? '' : 'none';
this.lineThrough = this.lineThrough ? '' : 'line-through';
}
组件定义了 deleteRequest
属性,它是 EventEmitter
实例。 当用户点击删除时,组件会调用 delete()
方法,让 EventEmitter
发出一个 Item
对象。
The component defines a deleteRequest
property that returns an EventEmitter
. When the user clicks delete, the component invokes the delete()
method, telling the EventEmitter
to emit an Item
object.
现在,假设有个宿主的父组件,它绑定了 ItemDetailComponent
的 deleteRequest
事件。
Now imagine a hosting parent component that binds to the deleteRequest
event of the ItemDetailComponent
.
<app-item-detail (deleteRequest)="deleteItem($event)" [item]="currentItem"></app-item-detail>
当 deleteRequest
事件触发时,Angular 调用父组件的 deleteItem
方法, 在 $event
变量中传入要删除的英雄(来自 ItemDetail
)。
When the deleteRequest
event fires, Angular calls the parent component's deleteItem()
method, passing the item-to-delete (emitted by ItemDetail
) in the $event
variable.
模板语句有副作用
Template statements have side effects
虽然模板表达式不应该有副作用,但是模板语句通常会有。这里的 deleteItem()
方法就有一个副作用:它删除了一个条目。
Though template expressions shouldn't have side effects, template statements usually do. The deleteItem()
method does have a side effect: it deletes an item.
删除这个英雄会更新模型,还可能触发其它修改,包括向远端服务器的查询和保存。 这些变更通过系统进行扩散,并最终显示到当前以及其它视图中。
Deleting an item updates the model, and depending on your code, triggers other changes including queries and saving to a remote server. These changes propagate through the system and ultimately display in this and other views.
双向绑定 [(...)]
Two-way binding [(...)]
双向绑定为您的应用程序提供了一种在组件类及其模板之间共享数据的方式。
Two-way binding gives your app a way to share data between a component class and its template.
有关本节中语法和代码段的演示,请参见
For a demonstration of the syntax and code snippets in this section, see the
双向绑定的基础知识
Basics of two-way binding
双向绑定会做两件事:
Two-way binding does two things:
设置特定的元素属性。
Sets a specific element property.
监听元素的变更事件。
Listens for an element change event.
Angular 为此提供了一种特殊的双向数据绑定语法 [()]
。[()]
语法将属性绑定的括号 []
与事件绑定的括号 ()
组合在一起。
Angular offers a special two-way data binding syntax for this purpose, [()]
. The [()]
syntax combines the brackets of property binding, []
, with the parentheses of event binding, ()
.
想象盒子里的香蕉来记住方括号套圆括号。
Visualize a banana in a box to remember that the parentheses go inside the brackets.
[()]
语法很容易想明白:该元素具有名为 x
的可设置属性和名为 xChange
的相应事件。 SizerComponent
就是用的这种模式。它具有一个名为 size
的值属性和一个与之相伴的 sizeChange
事件:
The [()]
syntax is easy to demonstrate when the element has a settable property called x
and a corresponding event named xChange
. Here's a SizerComponent
that fits this pattern. It has a size
value property and a companion sizeChange
event:
import { Component, Input, Output, EventEmitter } from '@angular/core';
@Component({
selector: 'app-sizer',
templateUrl: './sizer.component.html',
styleUrls: ['./sizer.component.css']
})
export class SizerComponent {
@Input() size: number | string;
@Output() sizeChange = new EventEmitter<number>();
dec() { this.resize(-1); }
inc() { this.resize(+1); }
resize(delta: number) {
this.size = Math.min(40, Math.max(8, +this.size + delta));
this.sizeChange.emit(this.size);
}
}
<div>
<button (click)="dec()" title="smaller">-</button>
<button (click)="inc()" title="bigger">+</button>
<label [style.font-size.px]="size">FontSize: {{size}}px</label>
</div>
size
的初始值来自属性绑定的输入值。单击按钮可在最小值/最大值范围内增大或减小 size
,然后带上调整后的大小发出 sizeChange
事件。
The initial size
is an input value from a property binding. Clicking the buttons increases or decreases the size
, within min/max value constraints, and then raises, or emits, the sizeChange
event with the adjusted size.
下面的例子中,AppComponent.fontSize
被双向绑定到 SizerComponent
:
Here's an example in which the AppComponent.fontSizePx
is two-way bound to the SizerComponent
:
<app-sizer [(size)]="fontSizePx"></app-sizer>
<div [style.font-size.px]="fontSizePx">Resizable Text</div>
AppComponent.fontSizePx
建立初始 SizerComponent.size
值。
The AppComponent.fontSizePx
establishes the initial SizerComponent.size
value.
fontSizePx = 16;
单击按钮就会通过双向绑定更新 AppComponent.fontSizePx
。修改后的 AppComponent.fontSizePx
值将传递到样式绑定,从而使显示的文本更大或更小。
Clicking the buttons updates the AppComponent.fontSizePx
via the two-way binding. The revised AppComponent.fontSizePx
value flows through to the style binding, making the displayed text bigger or smaller.
双向绑定语法实际上是属性绑定和事件绑定的语法糖。 Angular 将 SizerComponent
的绑定分解成这样:
The two-way binding syntax is really just syntactic sugar for a property binding and an event binding. Angular desugars the SizerComponent
binding into this:
<app-sizer [size]="fontSizePx" (sizeChange)="fontSizePx=$event"></app-sizer>
$event
变量包含了 SizerComponent.sizeChange
事件的荷载。 当用户点击按钮时,Angular 将 $event
赋值给 AppComponent.fontSizePx
。
The $event
variable contains the payload of the SizerComponent.sizeChange
event. Angular assigns the $event
value to the AppComponent.fontSizePx
when the user clicks the buttons.
表单中的双向绑定
Two-way binding in forms
与单独的属性绑定和事件绑定相比,双向绑定语法非常方便。将双向绑定与 HTML 表单元素(例如 <input>
和 <select>
)一起使用会很方便。但是,没有哪个原生 HTML 元素会遵循 x
值和 xChange
事件的命名模式。
The two-way binding syntax is a great convenience compared to separate property and event bindings. It would be convenient to use two-way binding with HTML form elements like <input>
and <select>
. However, no native HTML element follows the x
value and xChange
event pattern.
要了解如何在表单中使用双向绑定的更多信息,请参见 Angular NgModel 。
For more on how to use two-way binding in forms, see Angular NgModel.
内置指令
Built-in directives
Angular 提供了两种内置指令:属性型指令和结构型指令。本节会回顾一些最常见的内置指令,分为属性型指令或结构型指令,并有相应的
Angular offers two kinds of built-in directives: attribute directives and structural directives. This segment reviews some of the most common built-in directives, classified as either attribute directives or structural directives and has its own
欲知详情,包括如何构建您自己的自定义指令,请参阅属性型指令和结构型指令 。
For more detail, including how to build your own custom directives, see Attribute Directives and Structural Directives.
内置属性型指令
Built-in attribute directives
属性型指令会监听并修改其他 HTML 元素和组件的行为、Attribute 和 Property。 它们通常被应用在元素上,就好像它们是 HTML 属性一样,因此得名属性型指令。
Attribute directives listen to and modify the behavior of other HTML elements, attributes, properties, and components. You usually apply them to elements as if they were HTML attributes, hence the name.
许多 NgModule(例如 RouterModule
和 FormsModule
都定义了自己的属性型指令。最常见的属性型指令如下:
Many NgModules such as the RouterModule
and the FormsModule
define their own attribute directives. The most common attribute directives are as follows:
NgClass
—— 添加和删除一组 CSS 类。NgClass
—adds and removes a set of CSS classes.NgStyle
—— 添加和删除一组 HTML 样式。NgStyle
—adds and removes a set of HTML styles.NgModel
—— 将数据双向绑定添加到 HTML 表单元素。NgModel
—adds two-way data binding to an HTML form element.
NgClass
用 ngClass
同时添加或删除几个 CSS 类。
Add or remove several CSS classes simultaneously with ngClass
.
<!-- toggle the "special" class on/off with a property -->
<div [ngClass]="isSpecial ? 'special' : ''">This div is special</div>
To add or remove a single class, use class binding rather than NgClass
.
考虑一个 setCurrentClasses()
组件方法,该方法设置一个组件属性 currentClasses
,该对象具有一个根据其他三个组件属性的 true
/ false
状态来添加或删除三个 CSS 类的对象。该对象的每个键(key)都是一个 CSS 类名。如果要添加上该类,则其值为 true
,反之则为 false
。
Consider a setCurrentClasses()
component method that sets a component property, currentClasses
, with an object that adds or removes three classes based on the true
/false
state of three other component properties. Each key of the object is a CSS class name; its value is true
if the class should be added, false
if it should be removed.
currentClasses: {};
setCurrentClasses() {
// CSS classes: added/removed per current state of component properties
this.currentClasses = {
'saveable': this.canSave,
'modified': !this.isUnchanged,
'special': this.isSpecial
};
}
把 NgClass
属性绑定到 currentClasses
,根据它来设置此元素的 CSS 类:
Adding an ngClass
property binding to currentClasses
sets the element's classes accordingly:
<div [ngClass]="currentClasses">This div is initially saveable, unchanged, and special.</div>
请记住,在这种情况下,您要在初始化时和它依赖的属性发生变化时调用 setCurrentClasses()
。
Remember that in this situation you'd call setCurrentClasses()
, both initially and when the dependent properties change.
NgStyle
使用 NgStyle
根据组件的状态同时动态设置多个内联样式。
Use NgStyle
to set many inline styles simultaneously and dynamically, based on the state of the component.
不用 NgStyle
Without NgStyle
有些情况下,要考虑使用样式绑定来设置单个样式值,而不使用 NgStyle
。
For context, consider setting a single style value with style binding, without NgStyle
.
<div [style.font-size]="isSpecial ? 'x-large' : 'smaller'">
This div is x-large or smaller.
</div>
但是,如果要同时设置多个内联样式,请使用 NgStyle
指令。
However, to set many inline styles at the same time, use the NgStyle
directive.
下面的例子是一个 setCurrentStyles()
方法,它基于该组件另外三个属性的状态,用一个定义了三个样式的对象设置了 currentStyles
属性。
The following is a setCurrentStyles()
method that sets a component property, currentStyles
, with an object that defines three styles, based on the state of three other component properties:
currentStyles: {};
setCurrentStyles() {
// CSS styles: set per current state of component properties
this.currentStyles = {
'font-style': this.canSave ? 'italic' : 'normal',
'font-weight': !this.isUnchanged ? 'bold' : 'normal',
'font-size': this.isSpecial ? '24px' : '12px'
};
}
把 ngStyle
属性绑定到 currentStyles
,来根据它设置此元素的样式:
Adding an ngStyle
property binding to currentStyles
sets the element's styles accordingly:
<div [ngStyle]="currentStyles">
This div is initially italic, normal weight, and extra large (24px).
</div>
请记住,无论是在初始时还是其依赖的属性发生变化时,都要调用 setCurrentStyles()
。
Remember to call setCurrentStyles()
, both initially and when the dependent properties change.
[(ngModel)]
:双向绑定
[(ngModel)]
: Two-way binding
NgModel
指令允许您显示数据属性并在用户进行更改时更新该属性。这是一个例子:
The NgModel
directive allows you to display a data property and update that property when the user makes changes. Here's an example:
<label for="example-ngModel">[(ngModel)]:</label>
<input [(ngModel)]="currentItem.name" id="example-ngModel">
导入 FormsModule
以使用 ngModel
Import FormsModule
to use ngModel
要想在双向数据绑定中使用 ngModel
指令,必须先导入 FormsModule
并将其添加到 NgModule 的 imports
列表中。要了解关于 FormsModule
和 ngModel
的更多信息,参见表单一章。
Before using the ngModel
directive in a two-way data binding, you must import the FormsModule
and add it to the NgModule's imports
list. Learn more about the FormsModule
and ngModel
in Forms.
记住,要导入 FormsModule
才能让 [(ngModel)]
可用,如下所示:
Remember to import the FormsModule
to make [(ngModel)]
available as follows:
import { FormsModule } from '@angular/forms'; // <--- JavaScript import from Angular
/* . . . */
@NgModule({
/* . . . */
imports: [
BrowserModule,
FormsModule // <--- import into the NgModule
],
/* . . . */
})
export class AppModule { }
通过分别绑定到 <input>
元素的 value
属性和 input
事件,可以达到同样的效果:
You could achieve the same result with separate bindings to the <input>
element's value
property and input
event:
<label for="without">without NgModel:</label>
<input [value]="currentItem.name" (input)="currentItem.name=$event.target.value" id="without">
为了简化语法, ngModel
指令把技术细节隐藏在其输入属性 ngModel
和输出属性 ngModelChange
的后面:
To streamline the syntax, the ngModel
directive hides the details behind its own ngModel
input and ngModelChange
output properties:
<label for="example-change">(ngModelChange)="...name=$event":</label>
<input [ngModel]="currentItem.name" (ngModelChange)="currentItem.name=$event" id="example-change">
ngModel
输入属性会设置该元素的值,并通过 ngModelChange
的输出属性来监听元素值的变化。
The ngModel
data property sets the element's value property and the ngModelChange
event property listens for changes to the element's value.
NgModel
和值访问器
NgModel
and value accessors
这些技术细节是针对每种具体元素的,因此 NgModel
指令仅适用于通过 ControlValueAccessor 适配过这种协议的元素。 Angular 已经为所有基本的 HTML 表单元素提供了值访问器,表单一章示范了如何绑定到它们。
The details are specific to each kind of element and therefore the NgModel
directive only works for an element supported by a ControlValueAccessor that adapts an element to this protocol. Angular provides value accessors for all of the basic HTML form elements and the Forms guide shows how to bind to them.
在编写适当的值访问器之前,不能将 [(ngModel)]
应用于非表单的原生元素或第三方自定义组件。欲知详情,参见DefaultValueAccessor上的 API 文档。
You can't apply [(ngModel)]
to a non-form native element or a third-party custom component until you write a suitable value accessor. For more information, see the API documentation on DefaultValueAccessor.
您不一定非用为所编写的 Angular 组件提供值访问器,因为您还可以把值属性和事件属性命名为符合 Angular 的基本双向绑定语法的形式,并完全跳过 NgModel
。双向绑定部分的 sizer
是此技术的一个示例。
You don't need a value accessor for an Angular component that you write because you can name the value and event properties to suit Angular's basic two-way binding syntax and skip NgModel
altogether. The sizer
in the Two-way Binding section is an example of this technique.
单独的 ngModel
绑定是对绑定到元素的原生属性方式的一种改进,但您可以使用 [(ngModel)]
语法来通过单个声明简化绑定:
Separate ngModel
bindings are an improvement over binding to the element's native properties, but you can streamline the binding with a single declaration using the [(ngModel)]
syntax:
<label for="example-ngModel">[(ngModel)]:</label>
<input [(ngModel)]="currentItem.name" id="example-ngModel">
此 [(ngModel)]
语法只能设置数据绑定属性。如果您要做得更多,可以编写扩展表单。例如,下面的代码将 <input>
值更改为大写:
This [(ngModel)]
syntax can only set a data-bound property. If you need to do something more, you can write the expanded form; for example, the following changes the <input>
value to uppercase:
<input [ngModel]="currentItem.name" (ngModelChange)="setUppercaseName($event)" id="example-uppercase">
这里是所有这些变体的动画,包括这个大写转换的版本:
Here are all variations in action, including the uppercase version:
内置结构型指令
Built-in structural directives
结构型指令的职责是 HTML 布局。 它们塑造或重塑 DOM 的结构,这通常是通过添加、移除和操纵它们所附加到的宿主元素来实现的。
Structural directives are responsible for HTML layout. They shape or reshape the DOM's structure, typically by adding, removing, and manipulating the host elements to which they are attached.
本节会介绍常见的内置结构型指令:
This section is an introduction to the common built-in structural directives:
NgIf
—— 从模板中创建或销毁子视图。NgIf
—conditionally creates or destroys subviews from the template.NgFor
—— 为列表中的每个条目重复渲染一个节点。NgFor
—repeat a node for each item in a list.NgSwitch
—— 一组在备用视图之间切换的指令。NgSwitch
—a set of directives that switch among alternative views.
结构型指令一章涵盖了结构型指令的详细内容,它解释了以下内容:
The deep details of structural directives are covered in the Structural Directives guide, which explains the following:
为什么在要指令名称前加上星号(*) 。
当指令没有合适的宿主元素时,使用
<ng-container>
对元素进行分组。Using
<ng-container>
to group elements when there is no suitable host element for the directive.如何写自己的结构型指令。
How to write your own structural directive.
你只能往一个元素上应用一个结构型指令。
That you can only apply one structural directive to an element.
NgIf
您可以通过将 NgIf
指令应用在宿主元素上来从 DOM 中添加或删除元素。在此示例中,将指令绑定到了条件表达式,例如 isActive
。
You can add or remove an element from the DOM by applying an NgIf
directive to a host element. Bind the directive to a condition expression like isActive
in this example.
<app-item-detail *ngIf="isActive" [item]="item"></app-item-detail>
不要忘了 ngIf
前面的星号(*
)。有关星号的更多信息,请参见 结构型指令中的星号(*)前缀部分。
Don't forget the asterisk (*
) in front of ngIf
. For more information on the asterisk, see the asterisk (*) prefix section of Structural Directives.
当 isActive
表达式返回真值时,NgIf
会把 ItemDetailComponent
添加到 DOM 中。当表达式为假值时,NgIf
将从 DOM 中删除 ItemDetailComponent
,从而销毁该组件及其所有子组件。
When the isActive
expression returns a truthy value, NgIf
adds the ItemDetailComponent
to the DOM. When the expression is falsy, NgIf
removes the ItemDetailComponent
from the DOM, destroying that component and all of its sub-components.
显示/隐藏与 NgIf
Show/hide vs. NgIf
隐藏元素与使用 NgIf
删除元素不同。为了进行比较,下面的示例演示如何使用类或样式绑定来控制元素的可见性。
Hiding an element is different from removing it with NgIf
. For comparison, the following example shows how to control the visibility of an element with a class or style binding.
<!-- isSpecial is true -->
<div [class.hidden]="!isSpecial">Show with class</div>
<div [class.hidden]="isSpecial">Hide with class</div>
<p>ItemDetail is in the DOM but hidden</p>
<app-item-detail [class.hidden]="isSpecial"></app-item-detail>
<div [style.display]="isSpecial ? 'block' : 'none'">Show with style</div>
<div [style.display]="isSpecial ? 'none' : 'block'">Hide with style</div>
隐藏元素时,该元素及其所有后代仍保留在 DOM 中。这些元素的所有组件都保留在内存中,Angular 会继续做变更检查。它可能会占用大量计算资源,并且会不必要地降低性能。
When you hide an element, that element and all of its descendants remain in the DOM. All components for those elements stay in memory and Angular may continue to check for changes. You could be holding onto considerable computing resources and degrading performance unnecessarily.
NgIf
工作方式有所不同。如果 NgIf
为 false
,则 Angular 将从 DOM 中删除该元素及其后代。这销毁了它们的组件,释放了资源,从而带来更好的用户体验。
NgIf
works differently. When NgIf
is false
, Angular removes the element and its descendants from the DOM. It destroys their components, freeing up resources, which results in a better user experience.
如果要隐藏大型组件树,请考虑使用 NgIf
作为显示/隐藏的更有效替代方法。
If you are hiding large component trees, consider NgIf
as a more efficient alternative to showing/hiding.
有关 NgIf
和 ngIfElse
的更多信息,请参阅 关于 NgIf 的 API 文档。
For more information on NgIf
and ngIfElse
, see the API documentation about NgIf.
防范空指针错误
Guard against null
ngIf
另一个优点是您可以使用它来防范空指针错误。显示/隐藏就是最合适的极简用例,当您需要防范时,请改用 ngIf
代替。如果其中嵌套的表达式尝试访问 null
的属性,Angular 将引发错误。
Another advantage of ngIf
is that you can use it to guard against null. Show/hide is best suited for very simple use cases, so when you need a guard, opt instead for ngIf
. Angular will throw an error if a nested expression tries to access a property of null
.
下面的例子中 NgIf
保护着两个 <div>
。仅当存在 currentCustomer
时,才会显示 currentCustomer
名称。除非它为 null
否则不会显示 nullCustomer
。
The following shows NgIf
guarding two <div>
s. The currentCustomer
name appears only when there is a currentCustomer
. The nullCustomer
will not be displayed as long as it is null
.
<div *ngIf="currentCustomer">Hello, {{currentCustomer.name}}</div>
<div *ngIf="nullCustomer">Hello, <span>{{nullCustomer}}</span></div>
另请参见下面的安全导航运算符 。
See also the safe navigation operator below.
NgFor
NgFor
是一个重复器指令 —— 一种用来显示条目列表的方法。您定义了一个 HTML 块,该 HTML 块定义了应如何显示单个条目,然后告诉 Angular 以该块为模板来渲染列表中的每个条目。赋值给 *ngFor
的文本是用来指导重复器工作过程的指令。
NgFor
is a repeater directive—a way to present a list of items. You define a block of HTML that defines how a single item should be displayed and then you tell Angular to use that block as a template for rendering each item in the list. The text assigned to *ngFor
is the instruction that guides the repeater process.
以下示例显示了如何将 NgFor
应用于简单的 <div>
。 (不要忘了 ngFor
前面的星号(*
)。)
The following example shows NgFor
applied to a simple <div>
. (Don't forget the asterisk (*
) in front of ngFor
.)
<div *ngFor="let item of items">{{item.name}}</div>
您还可以将 NgFor
应用于组件元素,如以下示例所示。
You can also apply an NgFor
to a component element, as in the following example.
<app-item-detail *ngFor="let item of items" [item]="item"></app-item-detail>
赋值给 *ngFor
的字符串不是模板表达式 。而是一个微语法 —— 由 Angular 解释的一种小型语言。字符串 "let item of items"
的意思是:
The string assigned to *ngFor
is not a template expression. Rather, it's a microsyntax—a little language of its own that Angular interprets. The string "let item of items"
means:
将
items
数组中的每个条目存储在局部循环变量item
中,并使其可用于每次迭代的模板 HTML 中。Take each item in the
items
array, store it in the localitem
looping variable, and make it available to the templated HTML for each iteration.
Angular 将该指令转换为包裹着宿主元素的 <ng-template>
,然后反复使用此模板为列表中的每个 item
创建一组新的元素和绑定。有关微语法的更多信息,请参见结构型指令一章。
Angular translates this instruction into an <ng-template>
around the host element, then uses this template repeatedly to create a new set of elements and bindings for each item
in the list. For more information about microsyntax, see the Structural Directives guide.
模板输入变量
Template input variables
item
前面的 let
关键字创建了一个名为 item
的模板输入变量。 ngFor
指令迭代父组件的 items
属性所返回的 items
数组,并在每次迭代期间将 item
设置为该数组中的当前条目。
The let
keyword before item
creates a template input variable called item
. The ngFor
directive iterates over the items
array returned by the parent component's items
property and sets item
to the current item from the array during each iteration.
ngFor
的宿主元素及其后代中可引用 item
,来访问该条目的属性。以下示例首先在插值中引用 item
,然后把一个绑定表达式传入 <app-item-detail>
组件的 item
属性。
Reference item
within the ngFor
host element as well as within its descendants to access the item's properties. The following example references item
first in an interpolation and then passes in a binding to the item
property of the <app-item-detail>
component.
<div *ngFor="let item of items">{{item.name}}</div>
<!-- . . . -->
<app-item-detail *ngFor="let item of items" [item]="item"></app-item-detail>
有关模板输入变量的更多信息,请参见结构型指令 。
For more information about template input variables, see Structural Directives.
*ngFor
与 index
*ngFor
with index
NgFor
指令上下文中的 index
属性在每次迭代中返回该条目的从零开始的索引。 您可以在模板输入变量中捕获 index
,并在模板中使用它。
The index
property of the NgFor
directive context returns the zero-based index of the item in each iteration. You can capture the index
in a template input variable and use it in the template.
下面的例子在名为 i
的变量中捕获 index
,并将其与条目名称一起显示。
The next example captures the index
in a variable named i
and displays it with the item name.
<div *ngFor="let item of items; let i=index">{{i + 1}} - {{item.name}}</div>
要学习更多的类似 index 的值,例如 last
、even
和 odd
,请参阅 NgFor API 参考。
NgFor
is implemented by the NgForOf
directive. Read more about the other NgForOf
context values such as last
, even
, and odd
in the NgForOf API reference.
带 trackBy
的 *ngFor
*ngFor with trackBy
如果将 NgFor
与大型列表一起使用,则对某个条目的较小更改(例如删除或添加一项)就会触发一系列 DOM 操作。 例如,重新查询服务器可能会重置包含所有新条目对象的列表,即使先前已显示这些条目也是如此。在这种情况下,Angular 只能看到由新的对象引用组成的新列表,它别无选择,只能用所有新的 DOM 元素替换旧的 DOM 元素。
If you use NgFor
with large lists, a small change to one item, such as removing or adding an item, can trigger a cascade of DOM manipulations. For example, re-querying the server could reset a list with all new item objects, even when those items were previously displayed. In this case, Angular sees only a fresh list of new object references and has no choice but to replace the old DOM elements with all new DOM elements.
您可以使用 trackBy
来让它更加高效。向该组件添加一个方法,该方法返回 NgFor
应该跟踪的值。这个例子中,该值是英雄的 id
。如果 id
已经被渲染,Angular 就会跟踪它,而不会重新向服务器查询相同的 id
。
You can make this more efficient with trackBy
. Add a method to the component that returns the value NgFor
should track. In this case, that value is the hero's id
. If the id
has already been rendered, Angular keeps track of it and doesn't re-query the server for the same id
.
trackByItems(index: number, item: Item): number { return item.id; }
在微语法表达式中,将 trackBy
设置为 trackByItems()
方法。
In the microsyntax expression, set trackBy
to the trackByItems()
method.
<div *ngFor="let item of items; trackBy: trackByItems">
({{item.id}}) {{item.name}}
</div>
这就是 trackBy
效果的说明。 “Reset items” 将创建具有相同 item.id
的新条目。 “Change ids” 将使用新的 item.id
创建新条目。
Here is an illustration of the trackBy
effect. "Reset items" creates new items with the same item.id
s. "Change ids" creates new items with new item.id
s.
如果没有
trackBy
,这些按钮都会触发完全的 DOM 元素替换。With no
trackBy
, both buttons trigger complete DOM element replacement.有了
trackBy
,则只有修改了id
的按钮才会触发元素替换。With
trackBy
, only changing theid
triggers element replacement.
内置指令仅仅使用了公共 API。也就是说,它们没有用到任何其他指令无权访问的私有 API。
Built-in directives use only public APIs; that is, they do not have special access to any private APIs that other directives can't access.
NgSwitch
指令
The NgSwitch
directives
NgSwitch 类似于 JavaScript switch
语句。它根据切换条件显示几个可能的元素中的一个。 Angular 只会将选定的元素放入 DOM。
NgSwitch is like the JavaScript switch
statement. It displays one element from among several possible elements, based on a switch condition. Angular puts only the selected element into the DOM.
NgSwitch
实际上是三个协作指令的集合: NgSwitch
, NgSwitchCase
和 NgSwitchDefault
,如以下示例所示。
NgSwitch
is actually a set of three, cooperating directives: NgSwitch
, NgSwitchCase
, and NgSwitchDefault
as in the following example.
<div [ngSwitch]="currentItem.feature">
<app-stout-item *ngSwitchCase="'stout'" [item]="currentItem"></app-stout-item>
<app-device-item *ngSwitchCase="'slim'" [item]="currentItem"></app-device-item>
<app-lost-item *ngSwitchCase="'vintage'" [item]="currentItem"></app-lost-item>
<app-best-item *ngSwitchCase="'bright'" [item]="currentItem"></app-best-item>
<!-- . . . -->
<app-unknown-item *ngSwitchDefault [item]="currentItem"></app-unknown-item>
</div>
NgSwitch
是控制器指令。把它绑定到一个返回开关值的表达式,例如 feature
。尽管此示例中的 feature
值是字符串,但开关值可以是任何类型。
NgSwitch
is the controller directive. Bind it to an expression that returns the switch value, such as feature
. Though the feature
value in this example is a string, the switch value can be of any type.
绑定到 [ngSwitch]
。如果试图写成 *ngSwitch
,就会出现错误,因为 NgSwitch
是属性型指令,而不是结构型指令。它不会直接接触 DOM,而是会更改与之相伴的指令的行为。
Bind to [ngSwitch]
. You'll get an error if you try to set *ngSwitch
because NgSwitch
is an attribute directive, not a structural directive. Rather than touching the DOM directly, it changes the behavior of its companion directives.
绑定到 *ngSwitchCase
和 *ngSwitchDefault
NgSwitchCase
和 NgSwitchDefault
指令都是结构型指令,因为它们会从 DOM 中添加或移除元素。
Bind to *ngSwitchCase
and *ngSwitchDefault
. The NgSwitchCase
and NgSwitchDefault
directives are structural directives because they add or remove elements from the DOM.
当
NgSwitchCase
的绑定值等于开关值时,就将其元素添加到 DOM 中;否则从 DOM 中删除。NgSwitchCase
adds its element to the DOM when its bound value equals the switch value and removes its bound value when it doesn't equal the switch value.
NgSwitchDefault
会在没有任何一个NgSwitchCase
被选中时把它所在的元素加入 DOM 中。NgSwitchDefault
adds its element to the DOM when there is no selectedNgSwitchCase
.
开关指令对于添加和删除组件元素特别有用。本示例在 item-switch.components.ts
文件中定义的四个 item
组件之间切换。每个组件都有一个名叫 item
的输入属性 ,它会绑定到父组件的 currentItem
。
The switch directives are particularly useful for adding and removing component elements. This example switches among four item
components defined in the item-switch.components.ts
file. Each component has an item
input property which is bound to the currentItem
of the parent component.
开关指令也同样适用于原生元素和 Web Component。 比如,你可以把 <app-best-item>
分支替换为如下代码。
Switch directives work as well with native elements and web components too. For example, you could replace the <app-best-item>
switch case with the following.
<div *ngSwitchCase="'bright'"> Are you as bright as {{currentItem.name}}?</div>
模板引用变量( #var
)
Template reference variables (#var
)
模板引用变量通常是对模板中 DOM 元素的引用。它还可以引用指令(包含组件)、元素、TemplateRef 或 Web Component 。
A template reference variable is often a reference to a DOM element within a template. It can also refer to a directive (which contains a component), an element, TemplateRef, or a web component.
有关本节中语法和代码段的演示,请参见
For a demonstration of the syntax and code snippets in this section, see the
使用井号(#)声明模板引用变量。以下模板引用变量 #phone
会在 <input>
元素上声明了一个 phone
变量。
Use the hash symbol (#) to declare a reference variable. The following reference variable, #phone
, declares a phone
variable on an <input>
element.
<input #phone placeholder="phone number" />
您可以在组件模板中的任何位置引用模板引用变量。这个例子中,模板下方的 <button>
就引用了 phone
变量。
You can refer to a template reference variable anywhere in the component's template. Here, a <button>
further down the template refers to the phone
variable.
<input #phone placeholder="phone number" />
<!-- lots of other elements -->
<!-- phone refers to the input element; pass its `value` to an event handler -->
<button (click)="callPhone(phone.value)">Call</button>
模板引用变量怎么得到它的值?
How a reference variable gets its value
在大多数情况下,Angular 会将模板引用变量的值设置为声明该变量的元素。在上一个示例中,phone
指的是电话号码的 <input>
。按钮的单击处理程序将把这个 <input>
的值传给组件的 callPhone()
方法。
In most cases, Angular sets the reference variable's value to the element on which it is declared. In the previous example, phone
refers to the phone number <input>
. The button's click handler passes the <input>
value to the component's callPhone()
method.
NgForm
指令可以更改该行为并将该值设置为其他值。在以下示例中,模板引用变量 itemForm
出现了 3 次,由 HTML 分隔。
The NgForm
directive can change that behavior and set the value to something else. In the following example, the template reference variable, itemForm
, appears three times separated by HTML.
<form #itemForm="ngForm" (ngSubmit)="onSubmit(itemForm)">
<label for="name"
>Name <input class="form-control" name="name" ngModel required />
</label>
<button type="submit">Submit</button>
</form>
<div [hidden]="!itemForm.form.valid">
<p>{{ submitMessage }}</p>
</div>
当 itemForm 的引用没有 "ngForm"
值时,它将是 HTMLFormElement 。不过,组件和指令之间的区别在于,在不指定属性值的情况下组件将引用自身(隐式引用),而指令不会更改隐式引用(仍为所在元素)。
The reference value of itemForm, without the ngForm attribute value, would be the HTMLFormElement. There is, however, a difference between a Component and a Directive in that a Component
will be referenced without specifying the attribute value, and a Directive
will not change the implicit reference (that is, the element).
但是,带有 NgForm
时, itemForm
就是对 NgForm 指令的引用,它能够跟踪表单中每个控件的值和有效性。
However, with NgForm
, itemForm
is a reference to the NgForm directive with the ability to track the value and validity of every control in the form.
原生 <form>
元素没有 form
属性,但 NgForm
指令有,这样就能在 itemForm.form.valid
无效的情况下禁用提交按钮,并将整个表单控制树传给父组件的 onSubmit()
方法。 。
The native <form>
element doesn't have a form
property, but the NgForm
directive does, which allows disabling the submit button if the itemForm.form.valid
is invalid and passing the entire form control tree to the parent component's onSubmit()
method.
对模板引用变量的思考
Template reference variable considerations
模板引用变量(#phone
)与模板输入变量(let phone
)不同,例如 *ngFor
中。欲知详情,请参见结构型指令 。
A template reference variable (#phone
) is not the same as a template input variable (let phone
) such as in an *ngFor
. See Structural Directives for more information.
模板引用变量的范围是整个模板。因此,不要在同一模板中多次定义相同的变量名,因为它在运行时的值将不可预测。
The scope of a reference variable is the entire template. So, don't define the same variable name more than once in the same template as the runtime value will be unpredictable.
替代语法
Alternative syntax
你也可以用 ref-
前缀代替 #
。 下面的例子中就用把 fax
变量声明成了 ref-fax
而不是 #fax
。
You can use the ref-
prefix alternative to #
. This example declares the fax
variable as ref-fax
instead of #fax
.
<input ref-fax placeholder="fax number" />
<button (click)="callFax(fax.value)">Fax</button>
输入和输出属性
@Input()
and @Output()
properties
@Input()
和 @Output()
允许 Angular 在其父上下文和子指令或组件之间共享数据。@Input()
属性是可写的,而 @Output()
属性是可观察对象。
@Input()
and @Output()
allow Angular to share data between the parent context and child directives or components. An @Input()
property is writable while an @Output()
property is observable.
考虑以下父子关系示例:
Consider this example of a child/parent relationship:
<parent-component>
<child-component></child-component>
</parent-component>
在这里,<child-component>
选择器或子指令嵌入在 <parent-component>
中,用作子级上下文。
Here, the <child-component>
selector, or child directive, is embedded within a <parent-component>
, which serves as the child's context.
@Input()
和 @Output()
充当子组件的 API 或应用编程接口,因为它们允许子组件与父组件进行通信。可以把 @Input()
和 @Output()
看做港口或门,@Input()
是进入组件的门,允许数据流入,而 @Output()
是离开组件的门,允许子组件向外发出数据。
@Input()
and @Output()
act as the API, or application programming interface, of the child component in that they allow the child to communicate with the parent. Think of @Input()
and @Output()
like ports or doorways—@Input()
is the doorway into the component allowing data to flow in while @Output()
is the doorway out of the component, allowing the child component to send data out.
关于 @Input()
和 @Output()
这一部分有其自己的
This section about @Input()
and @Output()
has its own
@Input()
和 @Output()
是独立的
@Input()
and @Output()
are independent
尽管 @Input()
和 @Output()
通常在应用程序中同时出现,但是您可以单独使用它们。如果嵌套组件只需要向其父级发送数据,则不需要 @Input()
,而只需 @Output()
。反之亦然,如果子级只需要从父级接收数据,则只需要 @Input()
。
Though @Input()
and @Output()
often appear together in apps, you can use them separately. If the nested component is such that it only needs to send data to its parent, you wouldn't need an @Input()
, only an @Output()
. The reverse is also true in that if the child only needs to receive data from the parent, you'd only need @Input()
.
如何使用 @Input()
How to use @Input()
在子组件或指令中使用 @Input()
装饰器,可以让 Angular 知道该组件中的属性可以从其父组件中接收值。这很好记,因为这种数据流是从子组件的角度来看就是输入。因此,@Input()
允许将数据从父组件输入到子组件中。
Use the @Input()
decorator in a child component or directive to let Angular know that a property in that component can receive its value from its parent component. It helps to remember that the data flow is from the perspective of the child component. So an @Input()
allows data to be input into the child component from the parent component.
为了说明 @Input()
的用法,请编辑应用程序的以下部分:
To illustrate the use of @Input()
, edit these parts of your app:
子组件类及其模板
The child component class and template
父组件类及其模板
The parent component class and template
在子组件中
In the child
要在子组件类中使用 @Input()
装饰器,请首先导入 Input
,然后使用 @Input()
来装饰一个属性:
To use the @Input()
decorator in a child component class, first import Input
and then decorate the property with @Input()
:
import { Component, Input } from '@angular/core'; // First, import Input
export class ItemDetailComponent {
@Input() item: string; // decorate the property with @Input()
}
在这个例子中,@Input()
装饰具有 string
类型的属性 item
,但是,@Input()
属性可以具有任何类型,例如 number
, string
, boolean
或 object
。 item
的值会来自下一部分要介绍的父组件。
In this case, @Input()
decorates the property item
, which has a type of string
, however, @Input()
properties can have any type, such as number
, string
, boolean
, or object
. The value for item
will come from the parent component, which the next section covers.
接下来,在子组件模板中,添加以下内容:
Next, in the child component template, add the following:
<p>
Today's item: {{item}}
</p>
在父组件中
In the parent
下一步是在父组件的模板中绑定该属性。在此示例中,父组件模板是 app.component.html
。
The next step is to bind the property in the parent component's template. In this example, the parent component template is app.component.html
.
首先,使用子组件的选择器(这里是 <app-item-detail>
)作为父组件模板中的指令。然后,使用属性绑定将子组件中的属性绑定到父组件中的属性。
First, use the child's selector, here <app-item-detail>
, as a directive within the parent component template. Then, use property binding to bind the property in the child to the property of the parent.
<app-item-detail [item]="currentItem"></app-item-detail>
接下来,在父组件类 app.component.ts
中,为 currentItem
指定一个值:
Next, in the parent component class, app.component.ts
, designate a value for currentItem
:
export class AppComponent {
currentItem = 'Television';
}
借助 @Input()
,Angular 将 currentItem
的值传给子级,以便该 item
渲染为 Television
。
With @Input()
, Angular passes the value for currentItem
to the child so that item
renders as Television
.
下图显示了这种结构:
The following diagram shows this structure:
方括号 []
中的目标是子组件中带有 @Input()
装饰器的属性。绑定源(等号右边的部分)是父组件要传给内嵌组件的数据。
The target in the square brackets, []
, is the property you decorate with @Input()
in the child component. The binding source, the part to the right of the equal sign, is the data that the parent component passes to the nested component.
关键是,当要在父组件中绑定到子组件中的属性(即方括号中的内容)时,必须在子组件中使用 @Input()
来装饰该属性。
The key takeaway is that when binding to a child component's property in a parent component—that is, what's in square brackets—you must decorate the property with @Input()
in the child component.
OnChanges
和 @Input()
OnChanges
and @Input()
要监视 @Input()
属性的更改,请使用 Angular 的生命周期钩子之一 OnChanges
。 OnChanges
是专门设计用于具有 @Input()
装饰器的属性的。欲知详情,请参见生命周期钩子指南的OnChanges
部分。
To watch for changes on an @Input()
property, use OnChanges
, one of Angular's lifecycle hooks. OnChanges
is specifically designed to work with properties that have the @Input()
decorator. See the OnChanges
section of the Lifecycle Hooks guide for more details and examples.
如何使用 @Output()
How to use @Output()
在子组件或指令中使用 @Output()
装饰器,允许数据从子级流出到父级。
Use the @Output()
decorator in the child component or directive to allow data to flow from the child out to the parent.
通常应将 @Output()
属性初始化为 Angular EventEmitter
,并将值作为事件从组件中向外流出。
An @Output()
property should normally be initialized to an Angular EventEmitter
with values flowing out of the component as events.
就像 @Input()
一样,您也要在子组件的属性上使用 @Output()
,但其类型为 EventEmitter
。
Just like with @Input()
, you can use @Output()
on a property of the child component but its type should be EventEmitter
.
@Output()
将子组件中的属性标记为一扇门,数据可以通过这扇门从子组件传到父组件。 然后,子组件必须引发一个事件,以便父组件知道发生了某些变化。为了引发事件,@Output()
要和 EventEmitter
配合使用,EventEmitter
是 @angular/core
中的一个类,用于发出自定义事件。
@Output()
marks a property in a child component as a doorway through which data can travel from the child to the parent. The child component then has to raise an event so the parent knows something has changed. To raise an event, @Output()
works hand in hand with EventEmitter
, which is a class in @angular/core
that you use to emit custom events.
要使用 @Output()
,请编辑应用程序的以下部分:
When you use @Output()
, edit these parts of your app:
子组件类及其模板
The child component class and template
父组件类及其模板
The parent component class and template
下面的示例演示了如何在子组件中设置 @Output()
,以将您在 HTML 的 <input>
中输入数据,并将其追加到父组件中的数组里。
The following example shows how to set up an @Output()
in a child component that pushes data you enter in an HTML <input>
to an array in the parent component.
HTML 元素 <input>
和 Angular 装饰器 @Input()
是不同的。本文档是讲 Angular 中的组件通信的,因此讲的是 @Input()
和 @Output()
。关于 HTML 元素 <input>
的更多信息,请参见 W3C Recommendation 。
The HTML element <input>
and the Angular decorator @Input()
are different. This documentation is about component communication in Angular as it pertains to @Input()
and @Output()
. For more information on the HTML element <input>
, see the W3C Recommendation.
在子组件中
In the child
此示例有一个 <input>
,用户可以在其中输入一个值并单击引发事件的 <button>
。然后,通过 EventEmitter
将数据转给父组件。
This example features an <input>
where a user can enter a value and click a <button>
that raises an event. The EventEmitter
then relays the data to the parent component.
首先,请确保在子组件类中导入 Output
和 EventEmitter
:
First, be sure to import Output
and EventEmitter
in the child component class:
import { Output, EventEmitter } from '@angular/core';
接下来,仍然在子组件中,使用组件类中的 @Output()
装饰属性。下面例子中的 @Output()
名叫 newItemEvent
,其类型是 EventEmitter
,这表示它是一个事件。
Next, still in the child, decorate a property with @Output()
in the component class. The following example @Output()
is called newItemEvent
and its type is EventEmitter
, which means it's an event.
@Output() newItemEvent = new EventEmitter<string>();
上述声明的不同之处如下:
The different parts of the above declaration are as follows:
@Output()
—— 一个装饰器函数,它将该属性标记为把数据从子级传递到父级的一种方式@Output()
—a decorator function marking the property as a way for data to go from the child to the parentnewItemEvent
—@Output()
的名字newItemEvent
—the name of the@Output()
EventEmitter<string>
—@Output()
的类型EventEmitter<string>
—the@Output()
's typenew EventEmitter<string>()
告诉 Angular 创建一个新的事件发射器,并且它发射的数据为string
类型。该类型也可以是任何类型,例如number
,boolean
等。有关EventEmitter
的更多信息,请参阅 EventEmitter API 文档 。new EventEmitter<string>()
—tells Angular to create a new event emitter and that the data it emits is of type string. The type could be any type, such asnumber
,boolean
, and so on. For more information onEventEmitter
, see the EventEmitter API documentation.
接下来,在同一个组件类中创建一个 addNewItem()
方法:
Next, create an addNewItem()
method in the same component class:
export class ItemOutputComponent {
@Output() newItemEvent = new EventEmitter<string>();
addNewItem(value: string) {
this.newItemEvent.emit(value);
}
}
addNewItem()
函数使用 @Output()
newItemEvent
引发一个事件,在该事件中它将发出用户键入到 <input>
中的内容。换句话说,当用户单击 UI 中的 “Add” 按钮时,子组件会让父组件知道该事件,并将该数据传给父组件。
The addNewItem()
function uses the @Output()
, newItemEvent
, to raise an event in which it emits the value the user types into the <input>
. In other words, when the user clicks the add button in the UI, the child lets the parent know about the event and gives that data to the parent.
在子组件的模板中
In the child's template
子组件的模板中有两个控件。第一个是带有模板引用变量 #newItem
的 HTML <input>
,用户可在其中键入条目名称。用户键入到 <input>
中的内容都存储在 #newItem
变量中。
The child's template has two controls. The first is an HTML <input>
with a template reference variable , #newItem
, where the user types in an item name. Whatever the user types into the <input>
gets stored in the #newItem
variable.
<label>Add an item: <input #newItem></label>
<button (click)="addNewItem(newItem.value)">Add to parent's list</button>
第二个元素是带有事件绑定的 <button>
。之所以知道这是事件绑定,是因为等号的左侧部分在圆括号中 (click)
。
The second element is a <button>
with an event binding. You know it's an event binding because the part to the left of the equal sign is in parentheses, (click)
.
(click)
事件绑定到子组件类中的 addNewItem()
方法,无论 #newItem
的值如何,该子组件类均将其作为参数。
The (click)
event is bound to the addNewItem()
method in the child component class which takes as its argument whatever the value of #newItem
is.
现在,子组件已经有了用于将数据发送到父组件的 @Output()
和引发事件的方法。下一步是在父组件中。
Now the child component has an @Output()
for sending data to the parent and a method for raising an event. The next step is in the parent.
在父组件中
In the parent
在此示例中,父组件是 AppComponent
,但是您可以使用任何能嵌套子组件的组件。
In this example, the parent component is AppComponent
, but you could use any component in which you could nest the child.
此示例中的 AppComponent
具有数组型的 items
列表以及将更多条目添加到数组中的方法。
The AppComponent
in this example features a list of items
in an array and a method for adding more items to the array.
export class AppComponent {
items = ['item1', 'item2', 'item3', 'item4'];
addItem(newItem: string) {
this.items.push(newItem);
}
}
addItem()
方法接收字符串形式的参数,然后将该字符串添加到 items
数组中。
The addItem()
method takes an argument in the form of a string and then pushes, or adds, that string to the items
array.
在父组件的模板中
In the parent's template
接下来,在父组件的模板中,将父组件的方法绑定到子组件的事件。将子组件选择器(这里是 <app-item-output>
)放在父组件的模板 app.component.html
中。
Next, in the parent's template, bind the parent's method to the child's event. Put the child selector, here <app-item-output>
, within the parent component's template, app.component.html
.
<app-item-output (newItemEvent)="addItem($event)"></app-item-output>
事件绑定 (newItemEvent)='addItem($event)'
告诉 Angular 将子组件的 newItemEvent
事件连接到父组件中的方法 addItem()
,以及将子组件通知父组件的事件作为 addItem()
的参数。换句话说,这是实际传递数据的地方。$event
包含用户在子模板 UI 中键入到 <input>
中的数据。
The event binding, (newItemEvent)='addItem($event)'
, tells Angular to connect the event in the child, newItemEvent
, to the method in the parent, addItem()
, and that the event that the child is notifying the parent about is to be the argument of addItem()
. In other words, this is where the actual hand off of data takes place. The $event
contains the data that the user types into the <input>
in the child template UI.
现在,为了查看 @Output()
工作情况,请将以下内容添加到父组件的模板中:
Now, in order to see the @Output()
working, add the following to the parent's template:
<ul>
<li *ngFor="let item of items">
{{item}}
</li>
</ul>
*ngFor
会遍历 items
数组中的条目。当您在子组件的 <input>
中输入值并单击按钮时,子组件将发出事件,父组件的 addItem()
方法将值推送到 items
数组,并将其呈现在列表中。
The *ngFor
iterates over the items in the items
array. When you enter a value in the child's <input>
and click the button, the child emits the event and the parent's addItem()
method pushes the value to the items
array and it renders in the list.
@Input()
和 @Output()
在一起
@Input()
and @Output()
together
您可以在和下面代码相同的子组件上使用 @Input()
和 @Output()
:
You can use @Input()
and @Output()
on the same child component as in the following:
<app-input-output [item]="currentItem" (deleteRequest)="crossOffItem($event)"></app-input-output>
目标 item
是子组件类中的 @Input()
属性,它从父组件的属性 currentItem
中接收值。当您单击删除时,子组件将引发事件 deleteRequest
,它携带的值将作为父组件的 crossOffItem()
方法的参数。
The target, item
, which is an @Input()
property in the child component class, receives its value from the parent's property, currentItem
. When you click delete, the child component raises an event, deleteRequest
, which is the argument for the parent's crossOffItem()
method.
下图是同一子组件上的 @Input()
和 @Output()
,并显示了每个子组件的不同部分:
The following diagram is of an @Input()
and an @Output()
on the same child component and shows the different parts of each:
如图所示,像分别使用它们那样同时使用输入和输出。在这里,子选择器是 <app-input-output>
,其中 item
和 deleteRequest
是子组件类中的 @Input()
和 @Output()
属性。属性 currentItem
和方法 crossOffItem()
都位于父组件类中。
As the diagram shows, use inputs and outputs together in the same manner as using them separately. Here, the child selector is <app-input-output>
with item
and deleteRequest
being @Input()
and @Output()
properties in the child component class. The property currentItem
and the method crossOffItem()
are both in the parent component class.
要使用“盒子里的香蕉”语法 [()]
组合属性和事件绑定,请参见双向绑定 。
To combine property and event bindings using the banana-in-a-box syntax, [()]
, see Two-way Binding.
关于这些工作原理的更多详细信息,请参见前面有关 Input 和 Output 的部分 。要查看实际效果,参见
For more detail on how these work, see the previous sections on Input and Output. To see it in action, see the
@Input()
和 @Output()
声明
@Input()
and @Output()
declarations
您还可以在指令元数据的 inputs
和 outputs
数组中标出这些成员,而不是使用 @Input()
和 @Output()
装饰器来声明输入和输出,如本例所示:
Instead of using the @Input()
and @Output()
decorators to declare inputs and outputs, you can identify members in the inputs
and outputs
arrays of the directive metadata, as in this example:
// tslint:disable: no-inputs-metadata-property no-outputs-metadata-property
inputs: ['clearanceItem'],
outputs: ['buyEvent']
// tslint:enable: no-inputs-metadata-property no-outputs-metadata-property
固然可以在 @Directive
和 @Component
元数据中声明 inputs
和 outputs
,但最好使用 @Input()
和 @Output()
类修饰符,如下所示:
While declaring inputs
and outputs
in the @Directive
and @Component
metadata is possible, it is a better practice to use the @Input()
and @Output()
class decorators instead, as follows:
@Input() item: string;
@Output() deleteRequest = new EventEmitter<string>();
欲知详情,请参见风格指南的给输入和输出属性加装饰器部分。
See the Decorate input and output properties section of the Style Guide for details.
如果在尝试使用输入或输出时收到了模板解析错误,但是您知道该属性一定存在,请仔细检查您的属性是否使用 @Input()
/ @Output()
进行了注解,或者是否已在 inputs
/ outputs
数组中声明了它们:
If you get a template parse error when trying to use inputs or outputs, but you know that the properties do indeed exist, double check that your properties are annotated with @Input()
/ @Output()
or that you've declared them in an inputs
/outputs
array:
Uncaught Error: Template parse errors:
Can't bind to 'item' since it isn't a known property of 'app-item-detail'
为输入和输出指定别名
Aliasing inputs and outputs
有时,输入/输出属性的公共名称应与内部名称不同。虽然最好的方法是避免这种情况,但 Angular 确实提供了一种解决方案。
Sometimes the public name of an input/output property should be different from the internal name. While it is a best practice to avoid this situation, Angular does offer a solution.
元数据中的别名
Aliasing in the metadata
要在元数据中为输入和输出指定别名,请使用冒号分隔(:
)的字符串,其左边是属性名,右边是别名:
Alias inputs and outputs in the metadata using a colon-delimited (:
) string with the directive property name on the left and the public alias on the right:
// tslint:disable: no-inputs-metadata-property no-outputs-metadata-property
inputs: ['input1: saveForLaterItem'], // propertyName:alias
outputs: ['outputEvent1: saveForLaterEvent']
// tslint:disable: no-inputs-metadata-property no-outputs-metadata-property
使用 @Input()
/ @Output()
装饰器指定别名
Aliasing with the @Input()
/@Output()
decorator
您可以通过将别名传给 @Input()
/ @Output()
装饰器来为属性名指定别名。其内部名称保持不变。
You can specify the alias for the property name by passing the alias name to the @Input()
/@Output()
decorator. The internal name remains as usual.
@Input('wishListItem') input2: string; // @Input(alias)
@Output('wishEvent') outputEvent2 = new EventEmitter<string>(); // @Output(alias) propertyName = ...
模板表达式中的运算符
Template expression operators
Angular 模板表达式的语言是 JavaScript 语法的子集,并为特定情况添加了一些特殊的运算符。接下来将介绍其中的三个运算符:
The Angular template expression language employs a subset of JavaScript syntax supplemented with a few special operators for specific scenarios. The next sections cover three of these operators:
管道运算符( |
)
The pipe operator (|
)
在准备将其用于绑定之前,表达式的结果可能需要进行一些转换。例如,您可以将数字显示为货币,将文本更改为大写,或过滤列表并对其进行排序。
The result of an expression might require some transformation before you're ready to use it in a binding. For example, you might display a number as a currency, change text to uppercase, or filter a list and sort it.
管道是简单的函数,它们接受输入值并返回转换后的值。使用管道运算符(|
),很容易在模板表达式中使用它们:
Pipes are simple functions that accept an input value and return a transformed value. They're easy to apply within template expressions, using the pipe operator (|
):
<p>Title through uppercase pipe: {{title | uppercase}}</p>
管道运算符会把它左侧的表达式结果传给它右侧的管道函数。
The pipe operator passes the result of an expression on the left to a pipe function on the right.
还可以通过多个管道串联表达式:
You can chain expressions through multiple pipes:
<!-- convert title to uppercase, then to lowercase -->
<p>Title through a pipe chain: {{title | uppercase | lowercase}}</p>
您还可以对管道使用参数:
And you can also apply parameters to a pipe:
<!-- pipe with configuration argument => "February 25, 1980" -->
<p>Manufacture date with date format pipe: {{item.manufactureDate | date:'longDate'}}</p>
json
管道对调试绑定特别有用:
The json
pipe is particularly helpful for debugging bindings:
<p>Item json pipe: {{item | json}}</p>
生成的输出如下所示:
The generated output would look something like this:
{ "name": "Telephone",
"manufactureDate": "1980-02-25T05:00:00.000Z",
"price": 98 }
管道运算符的优先级比三元运算符( ?:
)高,这意味着 a ? b : c | x
将被解析为 a ? b : (c | x)
。但是,由于多种原因,如果在 ?:
的第一和第二操作数中没有括号,则不能使用管道运算符。一个较好的做法是在第三个操作数中也使用括号。
The pipe operator has a higher precedence than the ternary operator (?:
), which means a ? b : c | x
is parsed as a ? b : (c | x)
. Nevertheless, for a number of reasons, the pipe operator cannot be used without parentheses in the first and second operands of ?:
. A good practice is to use parentheses in the third operand too.
安全导航运算符( ?
)和空属性路径
The safe navigation operator ( ?
) and null property paths
Angular 安全导航运算符 ?
可以对在属性路径中出现 null
和 undefined
值进行保护。在这里,如果 item
为 null
,它可以防止视图渲染失败。
The Angular safe navigation operator, ?
, guards against null
and undefined
values in property paths. Here, it protects against a view render failure if item
is null
.
<p>The item name is: {{item?.name}}</p>
如果 item
为 null
,则视图仍然渲染,但显示的值为空白;您只会看到 “The item name is:” ,后面没有任何内容。
If item
is null
, the view still renders but the displayed value is blank; you see only "The item name is:" with nothing after it.
考虑接下来这个带有 nullItem
的例子。
Consider the next example, with a nullItem
.
The null item name is {{nullItem.name}}
由于没有安全导航运算符,并且 nullItem
为 null
,因此 JavaScript 和 Angular 会引发空指针错误并中断 Angular 的渲染过程:
Since there is no safe navigation operator and nullItem
is null
, JavaScript and Angular would throw a null
reference error and break the rendering process of Angular:
TypeError: Cannot read property 'name' of null.
但是,有时在某些情况下,属性路径中的 null
值可能是可接受的,尤其是当该值开始时为空但数据最终会到达时。
Sometimes however, null
values in the property path may be OK under certain circumstances, especially when the value starts out null but the data arrives eventually.
使用安全导航运算符 ?
,当 Angular 表达式遇到第一个空值时,它将停止对表达式的求值,并渲染出无错误的视图。
With the safe navigation operator, ?
, Angular stops evaluating the expression when it hits the first null
value and renders the view without errors.
在像 a?.b?.c?.d
这样的长属性路径中,它工作得很完美。
It works perfectly with long property paths such as a?.b?.c?.d
.
非空断言运算符(!
)
The non-null assertion operator ( !
)
在 TypeScript 2.0 中,你可以使用 --strictNullChecks
标志强制开启严格空值检查。TypeScript 就会确保不存在意料之外的 null 或 undefined。
As of Typescript 2.0, you can enforce strict null checking with the --strictNullChecks
flag. TypeScript then ensures that no variable is unintentionally null or undefined.
在这种模式下,有类型的变量默认是不允许 null
或 undefined
值的,如果有未赋值的变量,或者试图把 null
或 undefined
赋值给不允许为空的变量,类型检查器就会抛出一个错误。
In this mode, typed variables disallow null
and undefined
by default. The type checker throws an error if you leave a variable unassigned or try to assign null
or undefined
to a variable whose type disallows null
and undefined
.
如果无法在运行类型检查器期间确定变量是否 null
或 undefined
,则会抛出错误。您可以通过应用后缀非空断言运算符!来告诉类型检查器不要抛出错误。
The type checker also throws an error if it can't determine whether a variable will be null
or undefined at runtime. You tell the type checker not to throw an error by applying the postfix non-null assertion operator, !.
Angular 的非空断言运算符 !
在 Angular 模板中具有相同的目的。例如,在使用 *ngIf
检查过 item
是否已定义之后,就可以断言 item
属性也已定义。
The Angular non-null assertion operator, !
, serves the same purpose in an Angular template. For example, after you use *ngIf to check that item
is defined, you can assert that item
properties are also defined.
<!--No color, no error -->
<p *ngIf="item">The item's color is: {{item!.color}}</p>
当 Angular 编译器把你的模板转换成 TypeScript 代码时,它会防止 TypeScript 不要报告此 item
可能为 null
或 undefined
的错误。
When the Angular compiler turns your template into TypeScript code, it prevents TypeScript from reporting that item
might be null
or undefined
.
与安全导航运算符不同的是,非空断言运算符不会防止出现 null 或 undefined。 它只是告诉 TypeScript 的类型检查器对特定的属性表达式,不做 "严格空值检测"。
Unlike the safe navigation operator, the non-null assertion operator does not guard against null
or undefined
. Rather, it tells the TypeScript type checker to suspend strict null
checks for a specific property expression.
非空断言运算符 !
,是可选的,但在打开严格空检查选项时必须使用它。
The non-null assertion operator, !
, is optional with the exception that you must use it when you turn on strict null checks.
内置模板函数
Built-in template functions
类型转换函数 $any()
The $any()
type cast function
有时候,绑定表达式可能会在 AOT 编译时报类型错误,并且它不能或很难指定类型。要消除这种报错,你可以使用 $any()
转换函数来把表达式转换成 any
类型,范例如下:
Sometimes a binding expression triggers a type error during AOT compilation and it is not possible or difficult to fully specify the type. To silence the error, you can use the $any()
cast function to cast the expression to the any
type as in the following example:
<p>The item's undeclared best by date is: {{$any(item).bestByDate}}</p>
当 Angular 编译器把模板转换成 TypeScript 代码时,$any
表达式可以防止 TypeScript 编译器在进行类型检查时报错说 bestByDate
不是 item
对象的成员。
When the Angular compiler turns this template into TypeScript code, it prevents TypeScript from reporting that bestByDate
is not a member of the item
object when it runs type checking on the template.
$any()
转换函数可以和 this
联合使用,以便访问组件中未声明过的成员。
The $any()
cast function also works with this
to allow access to undeclared members of the component.
<p>The item's undeclared best by date is: {{$any(this).bestByDate}}</p>
$any()
转换函数可以用在绑定表达式中任何可以进行方法调用的地方。
The $any()
cast function works anywhere in a binding expression where a method call is valid.
模板中的 SVG
SVG in templates
可以将 SVG 用作 Angular 中的有效模板。以下所有模板语法均适用于 SVG 和 HTML。在 SVG 1.1和2.0 规范中了解更多信息。
It is possible to use SVG as valid templates in Angular. All of the template syntax below is applicable to both SVG and HTML. Learn more in the SVG 1.1 and 2.0 specifications.
为什么要用 SVG 作为模板,而不是简单地将其作为图像添加到应用程序中?
Why would you use SVG as template, instead of simply adding it as image to your application?
当您使用 SVG 作为模板时,就可以像 HTML 模板一样使用指令和绑定。这意味着您将能够动态生成交互式图形。
When you use an SVG as the template, you are able to use directives and bindings just like with HTML templates. This means that you will be able to dynamically generate interactive graphics.
有关语法示例,请参见下面的示例代码片段:
Refer to the sample code snippet below for a syntax example:
import { Component } from '@angular/core';
@Component({
selector: 'app-svg',
templateUrl: './svg.component.svg',
styleUrls: ['./svg.component.css']
})
export class SvgComponent {
fillColor = 'rgb(255, 0, 0)';
changeColor() {
const r = Math.floor(Math.random() * 256);
const g = Math.floor(Math.random() * 256);
const b = Math.floor(Math.random() * 256);
this.fillColor = `rgb(${r}, ${g}, ${b})`;
}
}
将以下代码添加到您的 svg.component.svg
文件中:
Add the following code to your svg.component.svg
file:
<svg>
<g>
<rect x="0" y="0" width="100" height="100" [attr.fill]="fillColor" (click)="changeColor()" />
<text x="120" y="50">click the rectangle to change the fill color</text>
</g>
</svg>
在这里,您可以看到事件绑定语法 click()
和属性绑定语法([attr.fill]="fillColor"
)的用法。
Here you can see the use of a click()
event binding and the property binding syntax ([attr.fill]="fillColor"
).