DEV Community

Cover image for Moving Material Dialog Lifecycle Into NgRx Effects
Chandler Baskins for This is Angular

Posted on

Moving Material Dialog Lifecycle Into NgRx Effects

Photo by John Bakator on Unsplash

NgRx Effects

Effects are a powerful model for handling side effects in your application. Commonly this means when you are making a HTTP request in a NgRx powered application you will use an effect to handle the communication with the service but they can do so much more than that. And frankly this is what I usually used them for until I read https://timdeschryver.dev/blog/start-using-ngrx-effects-for-this#handling-the-flow-of-a-angular-material-dialog .

I became intrigued by the idea of offloading some component material dialog code into the effect and started viewing the life cycle as a series of events and using the effect to talk to other effects. This can keep components more simple and pure where they use selectors to read data and dispatch actions in response to events. When components are pure and simple this makes them easier test and easier to change when future requirements are different. This was a motivator for me to start looking down this path but first I wanted to make sure to follow some common best practices and make sure that I wasn't creating an anti-pattern.

Some Effects Best Practices

This isn't an exhaustive list but rather some tidbits of gold I capture from the worlds most interesting man, Mike Ryan from the NgRx Core Team from this episode of The Angular Show https://open.spotify.com/episode/6YSwV2WqiZddt2F16jTQ1M?si=_BqOD8fVRYyIOEZuEdV3ug&dl_branch=1

Effects should be the only thing that calls your HTTP Services

This one is straight forward and makes alot of sense.

Use the right Higher Order Mapping Operator and if you don't know use concatMap

This is a good one. But I would also point out that you may not need one if your not returning inner Observables and beware of backpressure.

If you need store information in your effect use concatLatestFrom

This one is probably one of the most important. The concatLatestFrom operator handles store selectors (Observables) in a more intelligent way. It will only subscribe to them when your effect is processing it's action (lazy). The withLatestFrom operator will always subscribe to the selector forcing the selector to stay hot and compute even if your not in that part of the app. This operator is almost a drop in replacement and a easy performance gain.

Break up big effects by creating multiple smaller ones that listen to the same action

The actions stream which effects subscribe to multi casts its values, the ofType operator helps us decide which one we are interested in for this effect. So with that being said make many small operators that handle one side effect.

Effects talk to other Effects via Actions

Not really a best practice but its good to know. NgRx is all about indirection and Actions are the communication mechanism that drives communication through the indirection. This is also how Effects talk to Reducers. Important to note that Reducers don't talk but only listen.

Common Material Dialog Lifecycle

Now that we have a good understanding of effects lets look at a common material dialog life-cycle.

To interact with Material Dialogs you'll need to inject it into the host(?) component. With that service comes methods for interacting with the dialog such as opening it.

//app.component.ts
@Component({
  template: `...`
})
export class AppComponent {
    constructor(private dialog: MatDialog) {} 
    //click handler when we wanna open the dialog
    openDialog(){
        const configData = {} //whatever we wanna give our dialog
        const dialogRef = this.dialog.open(DialogComponent,configData)
    dialogRef.afterClosed().subscribe(data => {
            this.doSomethingWithData(data)
        })
    }
}

//dialog-component.component.ts
@Component({
  template: `...`
})
export class DialogComponent {
    constructor(
        public dialogRef: MatDialogRef<DialogOverviewExampleDialog>,
        @Inject(MAT_DIALOG_DATA) public data: DialogData)
    ) {}
    save(data){
        this.dialogRef.close(data)
    }
}

Enter fullscreen mode Exit fullscreen mode

Now this is a pretty contrived example but it illustrates simply what the life-cycle is usually like with a dialog. Breaking it down we inject the service for Mat Dialog. Then we have a click handler method that handles the button click and opens the dialog with data we want to give the dialog component. In the Dialog Component we inject a reference to the opened dialog and inject a Token that carries the data that we passed the dialog. Then when the user wants to save we close the dialog and give it some data.

Back in the host component when we call open that returns the dialog reference of the opened dialog. This reference has a after closed method on it that returns an observable that carries the data that we gave it when we called close on the dialog reference in the Dialog Component. With this data we do whatever we want usually somewhere downstream making a HTTP call that posts the data back to the server.

Now this is a contrived example but it can be a bit confusing. In the openDialog method on the component we do more than just open the dialog. We handle the whole life-cycle of the dialog and handle the end result which is getting data back from the dialog and then doing something with. This can make testing this component and this method a little more complicated than it could be.

Traditional Material Dialog life-cycle

Viewing the Life Cycle as a series of events to be handled by Effects.

Now that we know our prerequisites its time to get into the point of this post. We know the life-cycle of a dialog which is open ⇒ interaction(save or cancel) ⇒ dialog close so lets model these life-cycles with the appropriate actions first

//dialog.actions.ts
const dialogOpened = createAction(
    '[Home Page] Dialog Opened', 
    props<{component:unknown, data:unknown}>()
)

const dialogSaved = createAction(
    '[Home Page] Dialog Saved', 
    props<{data:DataToSave}>()
)

const dialogClosed = createAction(
    '[Home Page] Dialog Closed', 
    props<{data:DataToClose}>()
)
Enter fullscreen mode Exit fullscreen mode

Definitely don't type your stuff as any if you can avoid it. Although I couldn't find a way to type components and the data could look different depending on your situation

Next we create our effects that are listening for these actions

//dialog.effects.ts
@Injectable()
export class DialogEffects {
    constructor(private actions$: Actions){}

    saveDataSuccess$ = createEffect(() => this.actions$.pipe(
        ofType(DataActions.SaveDataSuccess),
        map(response => DialogActions.dialogClosed(response))
    ))

    dialogOpened$ = createEffect(() => this.actions$.pipe(
        ofType(DialogActions.dialogOpened),
        tap(payload => {
            this.dialogRef.open(payload.component,payload.data)
        })
    ),{dispatch:false})

    dialogSaved$ = createEffect(() => this.actions$.pipe(
        ofType(DialogActions.dialogSaved),
        map(payload => DataActions.SaveData(payload))
    ))

    dialogClosed$ = createEffect(() => this.actions$.pipe(
        ofType(DialogActions.dialogClosed),
        map(payload => {
            this.dialogRef.closeAll();
            return snackBarActions.savedSuccessfully(payload)
        })
    ))
}

Enter fullscreen mode Exit fullscreen mode

Two important things of note here. The first is the {dispatch:false} on the dialogOpened$ effect. We use this to tell NgRx that we are not going to have any actions coming out from this effect. If we didn't use this we would end up in a infinite loop with a warm computer and a crashed browser. Second notice that I have an effect that is listening for the Success action that would have been dispatched upon completion of a successful HTTP request. We use this to dispatch the dialogClose action because we don't wanna close our dialog until the data has been saved or at all if there is an error.

Finally in our components its as simple as dispatching the appropriate actions


//app.component.ts
@Component({
  template: `...`
})
export class AppComponent {
    constructor() {} 
    //click handler when we wanna open the dialog
    openDialog(){
        this.store.dispatch(DialogActions.dialogOpened({component,data}))
    }
}

//dialog-component.component.ts
@Component({
  template: `...`
})
export class DialogComponent {
    constructor(@Inject(MAT_DIALOG_DATA) public data: DialogData) {}

    save(data){
        this.store.dispatch(DialogActions.dialogSaved({data}))
    }
}

Enter fullscreen mode Exit fullscreen mode

Dialog life-cycle with effects

Testing is now a bit easier

Now that we have offloaded some code from our components to our effects testing is a bit easier. We've been able to remove some dependencies from our component so we don't have to mock them in the tests anymore and to unit test these methods we simply assert that the dispatch action was called with what we expect.

describe("DialogComponent", () => {
    let component: DialogComponent;
  let fixture: ComponentFixture<DialogComponent>;
  let store: MockStore;

  beforeEach(() => {
    TestBed.configureTestingModule({
      imports: [ReactiveFormsModule],
      declarations: [DialogComponent],
      providers: [
        { provide: MAT_DIALOG_DATA, useValue: data },
        provideMockStore(initialState),
      ],
    }).compileComponents();
  });

  beforeEach(() => {
    fixture = TestBed.createComponent(DialogComponent);
    store = TestBed.inject(MockStore);
    component = fixture.componentInstance;
    fixture.detectChanges();
  });
    it("should dispatch save action with form data", () => {
        const storeSpy = spyOn(store,"dispatch")
        component.save(formData)
        expect(storeSpy).toHaveBeenCalledWith(DialogActions.dialogSaved(expectedData))
    })
})
Enter fullscreen mode Exit fullscreen mode

Again this is a contrived example but I hope it can demonstrate how offloading code from our components makes them more easier to test. When we make our components more easier to test we make the barrier to entry lower for testing. Asserting the dispatch method was called with the appropriate action could be the only thing for this method anything else needs to be handled by the effects unit test. Here is what our effect test could look like

describe("DialogEffects", () => {
    let actions$ = new Observable<Action>();

    TestBed.configureTestingModule({
      providers: [provideMockActions(() => actions$)],
    });

    describe("dialogSaved$",() => {
        it("should dispatch action to save data",(done) => {
            actions$ = of(DialogActions.dialogSaved({data}))
            dialogSaved$.subscribe(result => {
                expect(result).toBe(DataActions.saveData)
            })

        })
    })
})
Enter fullscreen mode Exit fullscreen mode

Conclusion

To close I like Tim find writing the life-cycle of a mat dialog a lot easier when its moved to the effect model. With the compos-ability of effects you can easily build complex features. This offloads some logic into our effect model keeping our components lean and simple and easy to test.

Top comments (12)

Collapse
 
brolo1313 profile image
brolo1313

What about if I need to change the date while the dialog box is open in this concept?
for example, I have a datepicker in a modal window, when it is changed, a request is made and the data needs to be changed to the new ones that came in, how can this be done?

Collapse
 
chandlerbaskins profile image
Chandler Baskins

Material dialogs receive data as apart of the config object. The data could be anything so if you use an observable and subscribe to it in the dialog then it would observe the changes made from elsewhere.

Collapse
 
schallm profile image
Mike Schall

This is a great post. Seems like the new ComponentStore may be a good fit for this type of interaction. Use a smaller scoped store to open a dialog? I'm not sure how to make this work since ComponentStore does not support actions. Any thoughts?

Collapse
 
chandlerbaskins profile image
Chandler Baskins

Component Store is a great fit for this. Using regular store makes sense if you have global dialogs or snackbars (similar apis). With Component store I would use an effect with no params (when nothing is passes it gets a signal or trigger to act off of) The tricky part would be how you setup the flow of the lifecycle. Do you use multiple effects and model it like that or do you handle the flow in one effect? Something I need to explore but alas haven't had time.

Collapse
 
host510 profile image
Mikhail

Why can't Angular Material guys implement possibility to change data inside an opened dialog. That would be widely used, i think. For example, I have a list of items in my dialog, and want to have infinite scrolling on them. I can easily get anything from inside dialog with any kind of observables, subjects, signals, but can put data to dialog only at opening.

Collapse
 
mustapha profile image
Mustapha Aouas

I implemented something similar sometime ago using ngxs, but i had to run it using ngZone to be able to display the dialogs.

Great article thanks for sharing !

Collapse
 
chandlerbaskins profile image
Chandler Baskins

Thank you! I'm not familiar with NGXS but I was wondering what this flow would look like with effects that are found in Component Store

Collapse
 
alirezasohrabi profile image
alireza-sohrabi

it is not good as it would be. if my dialog component is a dumb(presentation) component it won't work, in dumb component we should not have access to the store,
I always use feature and dumb component as angular architecture. and my dialogs are always dumb component because they just show some data on the screen like fill in a form ... .

Collapse
 
spierala profile image
Florian Spier

Do you have somewhere a working example? Stackblitz or something?

Collapse
 
chandlerbaskins profile image
Chandler Baskins

I don't yet but maybe if I get some free time this weekend I'll create one and update the article!

Collapse
 
spierala profile image
Florian Spier

Cool Article! What about reusability? If you need another dialog which triggers another API call when saving... do you have to replicate all the Actions and the Effects?

Collapse
 
chandlerbaskins profile image
Chandler Baskins

Great question! Off the top of the head I can think of a way for re usability. You could pass in the Action that you want dispatched that triggers the API call to the payload of the saveDialog action. You would do this in the the openDialog Action. Or you could pass in some key and in the effect read the key and decide what Action to dispatch there. I think I like that one better so your not passing around actual actions although it makes it harder to change in the future. Definitely something to explore and refine