


Take you through several methods of communication between Angular components
AngularHow to communicate between components? The following article will take you through the method of component communication in Angular. I hope it will be helpful to you!
In the previous article, we talked about Angular combined with NG-ZORRO rapid development. Front-end development is largely component-based development and is always inseparable from communication between components. So, in Angular
development, what is the communication between its components like? [Related tutorial recommendations: "angular tutorial"]
Draw inferences from one example,
Vue
andReact
are similar with minor differences
This article is pure text and relatively boring. Because the things printed by the console are relatively useless, I don’t include pictures. Hmm~ I hope readers can more easily absorb it by following the explanation code~
1. The parent component passes the value to the child component through attributes
It is equivalent to you customizing a property and passing the value to the sub-component through the introduction of the component. Show you the CODE
.
<!-- parent.component.html --> <app-child [parentProp]="'My kid.'"></app-child>
Call the child component in the parent component, here name a parentProp
attribute.
// child.component.ts import { Component, OnInit, Input } from '@angular/core'; @Component({ selector: 'app-child', templateUrl: './child.component.html', styleUrls: ['./child.component.scss'] }) export class ChildComponent implements OnInit { // 输入装饰器 @Input() parentProp!: string; constructor() { } ngOnInit(): void { } }
The child component accepts the variable parentProp
passed in by the parent component and backfills it to the page.
<!-- child.component.html --> <h1>Hello! {{ parentProp }}</h1>
2. The child component passes information to the parent component through the Emitter event
Passes the data of the child component to the parent through new EventEmitter()
components.
// child.component.ts import { Component, OnInit, Output, EventEmitter } from '@angular/core'; @Component({ selector: 'app-child', templateUrl: './child.component.html', styleUrls: ['./child.component.scss'] }) export class ChildComponent implements OnInit { // 输出装饰器 @Output() private childSayHi = new EventEmitter() constructor() { } ngOnInit(): void { this.childSayHi.emit('My parents'); } }
Notifies the parent component through emit
, and the parent component monitors the event.
// parent.component.ts import { Component, OnInit } from '@angular/core'; @Component({ selector: 'app-communicate', templateUrl: './communicate.component.html', styleUrls: ['./communicate.component.scss'] }) export class CommunicateComponent implements OnInit { public msg:string = '' constructor() { } ngOnInit(): void { } fromChild(data: string) { // 这里使用异步 setTimeout(() => { this.msg = data }, 50) } }
In the parent component, after we monitor the data from the child
component, we use the asynchronous operation of setTimeout
. It's because we performed emit
after initialization in the subcomponent. The asynchronous operation here is to prevent Race Condition
competition errors.
We also have to add the fromChild
method to the component, as follows:
<!-- parent.component.html --> <h1>Hello! {{ msg }}</h1> <app-child (childSayHi)="fromChild($event)"></app-child>
3. Through references, the parent component obtains the properties and methods of the child component
We obtain the subcomponent object by manipulating the reference, and then access its properties and methods.
We first set the demo content of the child component:
// child.component.ts import { Component, OnInit } from '@angular/core'; @Component({ selector: 'app-child', templateUrl: './child.component.html', styleUrls: ['./child.component.scss'] }) export class ChildComponent implements OnInit { // 子组件的属性 public childMsg:string = 'Prop: message from child' constructor() { } ngOnInit(): void { } // 子组件方法 public childSayHi(): void { console.log('Method: I am your child.') } }
We set the reference identifier of the child component on the parent component #childComponent
:
<!-- parent.component.html --> <app-child #childComponent></app-child>
After Call on the javascript
file:
import { Component, OnInit, ViewChild } from '@angular/core'; import { ChildComponent } from './components/child/child.component'; @Component({ selector: 'app-communicate', templateUrl: './communicate.component.html', styleUrls: ['./communicate.component.scss'] }) export class CommunicateComponent implements OnInit { @ViewChild('childComponent') childComponent!: ChildComponent; constructor() { } ngOnInit(): void { this.getChildPropAndMethod() } getChildPropAndMethod(): void { setTimeout(() => { console.log(this.childComponent.childMsg); // Prop: message from child this.childComponent.childSayHi(); // Method: I am your child. }, 50) } }
Is there a limitation to this method? That is, the modifier of the sub-property needs to be public
, when it is protected
or private
, an error will be reported. You can try changing the modifier of the subcomponent. The reason for the error is as follows:
Type | Usage scope |
---|---|
public | Allowed to be called inside and outside the tired, the widest scope |
protected | Allowed to be used within the class and inherited subclasses, the scope is moderate |
private | Allowed to be used inside a class, with the narrowest scope |
4. To change
through service, we will demonstrate it with rxjs
.
rxjs is a library for reactive programming using Observables
, which makes it easier to write asynchronous or callback-based code.
There will be an article to record
rxjs
later, so stay tuned
Let’s first create a file named parent-and-child
services.
// parent-and-child.service.ts import { Injectable } from '@angular/core'; import { BehaviorSubject, Observable } from 'rxjs'; // BehaviorSubject 有实时的作用,获取最新值 @Injectable({ providedIn: 'root' }) export class ParentAndChildService { private subject$: BehaviorSubject<any> = new BehaviorSubject(null) constructor() { } // 将其变成可观察 getMessage(): Observable<any> { return this.subject$.asObservable() } setMessage(msg: string) { this.subject$.next(msg); } }
Next, we reference it in the parent and child components, and their information is shared.
// parent.component.ts import { Component, OnDestroy, OnInit } from '@angular/core'; // 引入服务 import { ParentAndChildService } from 'src/app/services/parent-and-child.service'; import { Subject } from 'rxjs' import { takeUntil } from 'rxjs/operators' @Component({ selector: 'app-communicate', templateUrl: './communicate.component.html', styleUrls: ['./communicate.component.scss'] }) export class CommunicateComponent implements OnInit, OnDestroy { unsubscribe$: Subject<boolean> = new Subject(); constructor( private readonly parentAndChildService: ParentAndChildService ) { } ngOnInit(): void { this.parentAndChildService.getMessage() .pipe( takeUntil(this.unsubscribe$) ) .subscribe({ next: (msg: any) => { console.log('Parent: ' + msg); // 刚进来打印 Parent: null // 一秒后打印 Parent: Jimmy } }); setTimeout(() => { this.parentAndChildService.setMessage('Jimmy'); }, 1000) } ngOnDestroy() { // 取消订阅 this.unsubscribe$.next(true); this.unsubscribe$.complete(); } }
import { Component, OnInit } from '@angular/core'; import { ParentAndChildService } from 'src/app/services/parent-and-child.service'; @Component({ selector: 'app-child', templateUrl: './child.component.html', styleUrls: ['./child.component.scss'] }) export class ChildComponent implements OnInit { constructor( private parentAndChildService: ParentAndChildService ) { } // 为了更好理解,这里我移除了父组件的 Subject ngOnInit(): void { this.parentAndChildService.getMessage() .subscribe({ next: (msg: any) => { console.log('Child: '+msg); // 刚进来打印 Child: null // 一秒后打印 Child: Jimmy } }) } }
In the parent component, we change the value after one second. So in the parent-child component, the initial value null
of msg
will be printed as soon as it comes in, and then after one second, the changed value Jimmy
will be printed. . In the same way, if you provide service information in a child component, while the child component prints the relevant values, it will also be printed in the parent component. For more programming-related knowledge, please visit: Introduction to Programming! !
The above is the detailed content of Take you through several methods of communication between Angular components. For more information, please follow other related articles on the PHP Chinese website!

Hot AI Tools

Undresser.AI Undress
AI-powered app for creating realistic nude photos

AI Clothes Remover
Online AI tool for removing clothes from photos.

Undress AI Tool
Undress images for free

Clothoff.io
AI clothes remover

AI Hentai Generator
Generate AI Hentai for free.

Hot Article

Hot Tools

Notepad++7.3.1
Easy-to-use and free code editor

SublimeText3 Chinese version
Chinese version, very easy to use

Zend Studio 13.0.1
Powerful PHP integrated development environment

Dreamweaver CS6
Visual web development tools

SublimeText3 Mac version
God-level code editing software (SublimeText3)

Hot Topics



Angular.js is a freely accessible JavaScript platform for creating dynamic applications. It allows you to express various aspects of your application quickly and clearly by extending the syntax of HTML as a template language. Angular.js provides a range of tools to help you write, update and test your code. Additionally, it provides many features such as routing and form management. This guide will discuss how to install Angular on Ubuntu24. First, you need to install Node.js. Node.js is a JavaScript running environment based on the ChromeV8 engine that allows you to run JavaScript code on the server side. To be in Ub

This article will give you an in-depth understanding of Angular's state manager NgRx and introduce how to use NgRx. I hope it will be helpful to you!

How to use monaco-editor in angular? The following article records the use of monaco-editor in angular that was used in a recent business. I hope it will be helpful to everyone!

Do you know Angular Universal? It can help the website provide better SEO support!

The Angular project is too large, how to split it reasonably? The following article will introduce to you how to reasonably split Angular projects. I hope it will be helpful to you!

With the rapid development of the Internet, front-end development technology is also constantly improving and iterating. PHP and Angular are two technologies widely used in front-end development. PHP is a server-side scripting language that can handle tasks such as processing forms, generating dynamic pages, and managing access permissions. Angular is a JavaScript framework that can be used to develop single-page applications and build componentized web applications. This article will introduce how to use PHP and Angular for front-end development, and how to combine them

How to customize the angular-datetime-picker format? The following article talks about how to customize the format. I hope it will be helpful to everyone!

This article will take you through the independent components in Angular, how to create an independent component in Angular, and how to import existing modules into the independent component. I hope it will be helpful to you!
