ngx-bootstrap modal: How to get a return value from a modal?

前端 未结 9 1397
一向
一向 2020-12-13 02:23

In my Angular 4 app, let\'s assume that I\'m inside a service.

At some point, I want to ask the user for a confirmation, currently I\'m doing it with just a co

相关标签:
9条回答
  • 2020-12-13 03:00

    I understand that most of the answers above are completely valid, but that the main goal is be able to invoke the confirmation dialog in this way...

      async openModalConfirmation() {
        const result = await this.confirmationSvc.confirm('Confirm this...');
        if (result) {
          console.log('Yes!');
        } else {
          console.log('Oh no...');
        }
      }
    

    Note that this is mostly syntactic sugar to simplify the use of a promise and the asynchronous stuff.

    I think it's what the OP was looking for and probably can be reworked to support returning any other data type (apart from a boolean).

    The rest of the code below (not including the template to keep this short), pretty straightforward..

    ModalConfirmationService

    import { ModalConfirmationComponent } from './component';
    
    @Injectable()
    export class ModalConfirmationService {
    
      constructor(private bsModalService: BsModalService) {}
    
      confirm(message: string): Promise<boolean> {
        const modal = this.bsModalService.show(ModalConfirmationComponent, { initialState: { message: message }});
    
        return new Promise<boolean>((resolve, reject) => modal.content.result.subscribe((result) => resolve(result) ));
      }
    }
    

    ModalConfirmationComponent

    import { Component, Input, Output, EventEmitter} from '@angular/core';
    import { BsModalRef } from 'ngx-bootstrap/modal/bs-modal-ref.service';
    import { Subject } from 'rxjs/Subject';
    
    @Component({
      templateUrl: './component.html'
    })
    export class ModalConfirmationComponent {
      @Input() message: string;
      result: Subject<boolean> = new Subject<boolean>();
    
      constructor(public modalRef: BsModalRef) { }
    
      confirm(): void {
        this.result.next(true);
        this.modalRef.hide();
      }
    
      decline(): void {
        this.result.next(false);
        this.modalRef.hide();
      }
    }
    
    0 讨论(0)
  • If you are using a later version of Angular you might get an error due to the location of BsModalRef that had moved:

    Use this location:

    import { BsModalRef } from 'ngx-bootstrap/modal/bs-modal-ref.service';
    

    rather than:

    import { BsModalRef } from 'ngx-bootstrap/modal/modal-options.class';
    
    0 讨论(0)
  • 2020-12-13 03:01

    @ShinDarth You can add this function in your service and call this funcion whenever required.

    In your Service, create this function

        openConfirmDialogBox() {
            this.modalRef = this.modalService.show(DemoModalComponent);
            this.modalRef.content.action.take(1)
                .subscribe((value) => {
                    console.log(value) // here value passed on clicking ok will be printed in console. Here true will be printed if OK is clicked
                    return value;
                 }, (err) => {
                     return false;
            });
        }
    

    In your demo-modal.component.ts, create an EventEmitter

     @Output() action = new EventEmitter();
     public onClickOK() {
        this.action.emit(true); //Can send your required data here instead of true
     }
     public onClickCANCEL() {
        this.action.emit(false); //Can send your required data here instead of true
     }
    

    I hope this would help you

    0 讨论(0)
  • 2020-12-13 03:04

    Try with below option which is working for me. callbackOnModelWindowClose is the return value.

    @Output() callbackOnModelWindowClose: EventEmitter<null> = new EventEmitter();
    
    const initialState = {
              isModelWindowView: true, bodyStyle: 'row', gridDataList: this.scheduleList
            };
    
    this.modalRef = this.modalService.show(YourComponent,
              Object.assign({}, this.modalConfig, { class: 'modal-dialog-centered', initialState });
    
    this.modalRef.content.callbackOnModelWindowClose.take(1).subscribe(() => {
                your code here..
              });
    
    0 讨论(0)
  • 2020-12-13 03:07

    I used the solution from @Chandru, however to return a true or false, instead of:

    openConfirmDialog() {
        this.modalRef = this.modalService.show(HomeModalComponent);
        this.modalRef.content.onClose.subscribe(result => {
            console.log('results', result);
        })
    }
    

    I simply used:

    openConfirmDialog() {
        this.modalRef = this.modalService.show(HomeModalComponent);
        return this.modalRef.content.onClose;
    }
    
    0 讨论(0)
  • 2020-12-13 03:08

    Try this!!!! Create modal options with a yes function and a no function in the options. Receive args as @Input...

    import { Component, OnInit, Input } from '@angular/core';
    import { BsModalRef } from 'ngx-bootstrap/modal';
    
    @Component({
        selector: 'confirm-box',
        templateUrl: './confirm-box.component.html',
        styleUrls: ['./confirm-box.component.css']
    })
    export class ConfirmBoxComponent implements OnInit {
        private _args: any;
    
        public get args(): any {
            return this._args;
        }
    
        @Input()
        public set args(value: any) {
            this._args = value;
        }
    
        constructor(private activeModal: BsModalRef) {
        }
    
        ngOnInit(): void {
        }
    
        public no(): void {
            this.args.noFunction();
            this.activeModal.hide();
        }
    
        public yes(): void {
            this.args.yesFunction();
            this.activeModal.hide();
        }
    }
    

    And then the component or service that launches the dialog:

    import { BsModalService, BsModalRef, ModalOptions } from 'ngx-bootstrap/modal';
    import { ConfirmBoxComponent } from '../../dialogs/confirm-box/confirm-box.component';
    
    export class AreYouSure {    
        private activeModal: BsModalRef;
    
        constructor(private modalService: BsModalService) {
              //Wait five seconds before launching the confirmbox
              setTimeout(()=>{
                 this.tryLaunchConfirm();
              }, 5000);
        }
        private tryLaunchConfirm(): void {
            const config: ModalOptions = {
                initialState: {
                    args: {
                        title: "Confirm This",
                        message: "Are you really sure???",
                        yesFunction: () => { console.log("YES!!!! was clicked."); },
                        noFunction: () => { console.log("NO!!!! was clicked."); }
                    }
                }
            }
            this.activeModal = this.modalService.show(ConfirmBoxComponent, config);
    
        }
    }
    
    
    
    0 讨论(0)
提交回复
热议问题