Вы можете сделать это с помощью Rx js наблюдаемых
Вот пример stackblitz того, как взаимодействовать между двумя компонентами https://stackblitz.com/edit/angular-ivy-myr2kh
my- service.service.ts
import { Injectable } from '@angular/core';
import { Subject } from 'rxjs';
@Injectable()
export class MyServiceService {
private dataChangeObservable = new Subject<any>();
dataChangeStream = this.dataChangeObservable.asObservable();
constructor() { }
emitDataChange() {
this.dataChangeObservable.next();
}
}
ComponentOne.component.ts
onclickDiv() {
this.myService.emitDataChange(); // Here you are triggering for change
}
ComponentTwo.component.ts
ngOnInit() {
this.dataChangeSubscription$ = this.myService.dataChangeStream.subscribe(() => {
this.count++; // Here you will get notified/listener of change
})
}
Обновление
Если у вас есть одинаковые экземпляры компонентов, вам нужно передать какое-то значение, чтобы определить, какой экземпляр должен обновляться
Like
https://stackblitz.com/edit/angular-ivy-4pznor
Ваш родитель html
<app-componentone [name]="'one'"></app-componentone>
<app-componentone [name]="'two'"></app-componentone>
Здесь one
и two
передаются как входные данные, чтобы просто идентифицировать экземпляр
Тогда ваш ts
import { Component, OnInit, Input } from '@angular/core';
import { MyServiceService } from '../my-service.service';
@Component({
selector: 'app-componentone',
templateUrl: './componentone.component.html',
styleUrls: ['./componentone.component.css']
})
export class ComponentoneComponent implements OnInit {
@Input() name; // it will have instance name
count = 0;
constructor(
private myService: MyServiceService
) { }
ngOnInit() {
this.myService.dataChangeStream.subscribe((value) => { // here we will get to notify which instance should get updated
if (this.name !== value) { // Here we checking for instance name for updating, if same component instance don't do anything else update
this.count++;
}
})
}
onclickDiv() {
// Here I am passing parameter, so if click is triggered from instance one, we have to update other instances, so passing parameter 'one' i.e. name, to avoid updating same component instance
this.myService.emitDataChange(this.name);
}
}