概述
Angular中的输入输出是通过注解@Input
和@Output
来标识,它位于组件控制器的属性上方。
演示
Input
- 新建项目
connInComponents
:ng new connInComponents
. - 新增组件
stock
:ng g component stock
. - 在
stock.component.ts
中新增属性stockName
并将其标记为输入@Input()
:
@Input() protected stockName: string;
- 既然有
@Input()
则应有对应的父组件,此处使用默认生成的主组件app
. 在父组件中定义属性keyWork
并通过视图文件app.component.html
中的标签<input>
来进行双向绑定,最后,在视图文件app.component.html
中嵌入子组件并进行赋值:
//tsprotected keyWord: string;//html
注意,[(ngModel)]
需要在app.module.ts
中引入模块FormsModule
。
- 在子组件中进行展示
stock works!
股票名称:{ {stockName}}
Output
Output
的赋值操作不像Input
那样简单,它需要通过位于@angular/core
包下的EventEmitter
对象来监听并处理数据。并且需要传入泛型类来规定参数类型。
需求
在父子组件中各自定义一个表示股票价格的属性,并通过Output
将子组件中的价格信息传给父组件。
- 由于
EventEmitter
需要传入泛型类,因此我们首先定义一个股票信息类:
export class StockInfo { constructor(public name: string, public price: number) { this.name = name; this.price = price; }}
- 在子组件
stock.component.ts
中新增属性stockPrice
和event
,并在初始化方法中为stockPrice
赋值并通过event
将当前绑定对象发射出去:
protected stockPrice: number; @Output() protected event: EventEmitter= new EventEmitter(); ngOnInit() { setInterval(() => { const stock: StockInfo = new StockInfo(this.stockName, 100 * Math.random()); this.stockPrice = stock.price; this.event.emit(stock); }, 3000); }
此时子组件的发射动作已完成,那么如何接收发射的数据呢?
- 在父组件中定义价格属性
currentPrice
和接收方法eventHandler
:
protected currentPrice: number; eventHandler(stock: StockInfo) { this.currentPrice = stock.price; }
- 在嵌入的子组件视图元素
<app-stock>
上添加绑定关系:
其中event
对应子组件属性,eventHandler
对应父组件接收并处理子组件传来的方法,$event
代表泛型类参数,此处是一个类型为StockInfo
的实例。
此时赋值操作已经完成,在父子组件的视图文件中添加显示接收到的信息(股票价格)即可:
stock.component.html股票名称:{ {stockName}} 当前价格:{ {stockPrice | number:'2.1-2'}}
app.component.html
股票名称:{ {keyWord}} 当前价格:{ {currentPrice | number:'2.1-2'}}
tips
@Output
可以传递参数,其值与嵌入的子组件视图元素<app-stock>
上绑定的数据名称统一。
@Output('lastPrice')
,那么 相应改为: