Angular: передача данных из диалога материалов в компонент, который не открывал диалоговое окно - PullRequest
0 голосов
/ 13 декабря 2018

У меня есть network.component, который открывает мой диалог send-tx-dialog.component.Пользователь заполняет диалог send-tx информацией.Я хочу отправить эту информацию другому компоненту :action-pool.component.И после этого я хочу динамически отображать данные в таблице данных.Я пытался использовать push (), но это не сработало.

Какой возможный способ сделать это?

После некоторого кода, который я считаю важным.

Часть TS диалога:

  constructor(
    private fb: FormBuilder,
    private dialogRef: MatDialogRef<SendTXDialogComponent>,
    @Inject(MAT_DIALOG_DATA) data) {

    this.sender = data.sender;

    this.form = this.fb.group({
      sender: [this.sender, Validators.required],
      recipient: [this.recipient, Validators.required],
      amount: [this.amount, Validators.required],
      fee: [this.fee, Validators.required],
      releasedAt: [moment(), Validators.required]
    });
  }

Диалог открывается в network.component.ts:

  openDialog(nodeID) {

    const dialogConfig = new MatDialogConfig();

    dialogConfig.disableClose = true;
    dialogConfig.autoFocus = true;
    dialogConfig.hasBackdrop = false;

    dialogConfig.data = {
      sender: nodeID,
    };

    const dialogRef = this.dialog.open(SendTXDialogComponent, dialogConfig);

    dialogRef.afterClosed().subscribe(
      data => console.log('Send Transaction Output:', data)
    );

  }

action-pool.component.ts:

export class TransactionPoolComponent implements OnInit {
  displayedColumns = ['sender', 'recipient', 'amount', 'fee'];
  dataSource = ELEMENT_DATA;

  transaction: Transaction;

  constructor(private _AS: AuthenticationService) {
  }

  ngOnInit() {
    this._AS.transaction.subscribe( transaction => {
      this.transaction = transaction;
      this.dataSource.push(this.transaction); // This doesn't display the data in the table
      }
    );
  }
}

export interface Transaction {
  sender: number;
  recipient: string;
  amount: number;
  fee: string;
}

const ELEMENT_DATA: Transaction[] = [
];

Ответы [ 3 ]

0 голосов
/ 13 декабря 2018

Я не знаю, что это правильный способ решения проблемы, но я стараюсь помочь, если это работает для вас

network.component.html

<button mat-raised-button (click)="openDialog()">Click</button>

network.component.ts

 constructor(private fb: FormBuilder, private _AS: AuthService, public dialog: MatDialog) {}
    openDialog(): void {
        const dialogRef = this.dialog.open(DialogOverviewExampleDialog, {
          width: '250px',
          data: ''
        });

        dialogRef.afterClosed().subscribe(result => {
          this._AS.emitTransaction(result);
          console.log('The dialog was closed');
        });
      }

диалоговое окно TS:

@Component({
  selector: 'app-dialog',
  templateUrl: 'dialog.html',
})
export class DialogOverviewExampleDialog {
  form: FormGroup;
  constructor(
    public dialogRef: MatDialogRef<DialogOverviewExampleDialog>,
    @Inject(MAT_DIALOG_DATA) public data: any, private fb: FormBuilder) {
   this.form = this.fb.group({
      sender: ['', Validators.required],
      recipient: ['', Validators.required],
      amount: ['', Validators.required],
      fee: ['', Validators.required],
      releasedAt: [moment(), Validators.required]
    });
  }
  onNoClick(): void {
    this.dialogRef.close();
  }
}

dialog.html

<div [formGroup]="form">
  <mat-form-field class="example-full-width">
    <input matInput placeholder="first" formControlName="sender">
  </mat-form-field>
  <mat-form-field class="example-full-width">
    <input matInput placeholder="second" formControlName="recipient">
  </mat-form-field>
<mat-form-field class="example-full-width">
    <input matInput placeholder="second" formControlName="amount">
  </mat-form-field>
<mat-form-field class="example-full-width">
    <input matInput placeholder="second" formControlName="fee">
  </mat-form-field>
<mat-form-field class="example-full-width">
    <input matInput placeholder="second" formControlName="releasedAt">
  </mat-form-field>
 <button [mat-dialog-close]="form.value">save</button>
</div>

AuthService:

 export class AuthService {

     public transaction = new BehaviorSubject<any>(false);
  transaction$ = this.transaction.asObservable();

  emitTransaction(data: any) {
    this.transaction.next(data);
  }

транзакция-pool.component.ts

ngOnInit() {
    this._AS.transaction$.subscribe(data => {
      this.data = data;
      console.log(this.data);
    });
  }
0 голосов
/ 21 июня 2019

Вы должны использовать общий сервис.В ngAfterViewInit подписать диалоговое окно компонента на свойство, которое вы хотите прослушать в общем сервисе.В родительском компоненте вызовите метод разделяемого сервиса, который установит свойство в разделяемом сервисе.Свойство должно быть типа Тема (rxjs)

Взгляните на этот пост: и вы все поймете. Раздел с общим сервисом. https://netbasal.com/event-emitters-in-angular-13e84ee8d28c Просто убедитесь, что вы подписались на ngAfterViewInit в диалоговом компоненте.

0 голосов
/ 13 декабря 2018

В вашей общей службе вы можете сделать:

public transaction = new Subject<any>();

emitTransaction(val) {
  this.transaction.next(val);
}

А после подписки на закрытое диалоговое окно выполните:

dialogRef.afterClosed().subscribe(
      data => this.sharedService.emitTransaction(data);
    );

А в другом компоненте:

this.sharedService.transaction.subscribe(transaction => {
    this.transaction = transaction;
  })

Это должно выглядеть примерно так.

Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...