Ecosyste.ms: Awesome
An open API service indexing awesome lists of open source software.
https://github.com/ngxs-labs/emitter
:octopus: New pattern that provides the opportunity to feel free from actions
https://github.com/ngxs-labs/emitter
emitter ngxs receiver stage-3
Last synced: 4 days ago
JSON representation
:octopus: New pattern that provides the opportunity to feel free from actions
- Host: GitHub
- URL: https://github.com/ngxs-labs/emitter
- Owner: ngxs-labs
- License: mit
- Created: 2018-09-19T16:28:34.000Z (about 6 years ago)
- Default Branch: master
- Last Pushed: 2024-08-14T09:15:50.000Z (4 months ago)
- Last Synced: 2024-09-21T18:59:49.584Z (3 months ago)
- Topics: emitter, ngxs, receiver, stage-3
- Language: TypeScript
- Homepage:
- Size: 8.4 MB
- Stars: 109
- Watchers: 7
- Forks: 5
- Open Issues: 13
-
Metadata Files:
- Readme: README.md
- License: LICENSE
Awesome Lists containing this project
- awesome-angular - emitter - New pattern that provides the opportunity to feel free from actions. (Table of contents / Third Party Components)
README
---
> ER is a new pattern that provides the opportunity to feel free from actions
[![@ngxs-labs/emitter](https://github.com/ngxs-labs/emitter/actions/workflows/ci.yml/badge.svg?branch=master)](https://github.com/ngxs-labs/emitter/actions/workflows/ci.yml)
[![NPM](https://badge.fury.io/js/%40ngxs-labs%2Femitter.svg)](https://www.npmjs.com/package/@ngxs-labs/emitter)
[![License](https://img.shields.io/badge/License-MIT-green.svg)](https://github.com/ngxs-labs/emitter/blob/master/LICENSE)[🚀 See it in action on Stackblitz](https://stackblitz.com/edit/ngxs-emitter-example)
This package allows you to get rid of actions. You can use decorators to register actions directly in your state, you don't have to create any actions in your project (until you really need them), as they don't give any profit, only bring extra boilerplate files.
## Concepts
Compare these diagrams, we've simplified Redux flow and threw out unnecessary middleware:
![ER Flow](https://raw.githubusercontent.com/ngxs-labs/emitter/master/docs/assets/redux-er.png)
## 📦 Install
To install `@ngxs-labs/emitter` run the following command:
```console
npm install @ngxs-labs/emitter
# or if you use yarn
yarn add @ngxs-labs/emitter
```## 🔨 Usage
Import the module into your root application module:
```typescript
import { NgModule } from '@angular/core';
import { NgxsModule } from '@ngxs/store';
import { NgxsEmitPluginModule } from '@ngxs-labs/emitter';@NgModule({
imports: [NgxsModule.forRoot(states), NgxsEmitPluginModule.forRoot()]
})
export class AppModule {}
```## Receiver
Receiver is a basic building block. `@Receiver()` is a function that allows you to decorate static methods in your states for further passing this method to the emitter:
```typescript
import { State, StateContext } from '@ngxs/store';
import { Receiver } from '@ngxs-labs/emitter';@State({
name: 'counter',
defaults: 0
})
export class CounterState {
@Receiver()
static increment({ setState, getState }: StateContext) {
setState(getState() + 1);
}@Receiver()
static decrement({ setState, getState }: StateContext) {
setState(getState() - 1);
}
}
```## Emitter
Emitter is basically a bridge between your component and receivers. `@Emitter()` is a function that decorates properties defining new getter and gives you an access to the emittable interface:
```typescript
import { Component } from '@angular/core';
import { Select } from '@ngxs/store';
import { Emitter, Emittable } from '@ngxs-labs/emitter';import { Observable } from 'rxjs';
import { CounterState } from './counter.state';
@Component({
selector: 'app-counter',
template: `
Counter is {{ counter }}
Increment
Decrement
`
})
export class CounterComponent {
@Select(CounterState)
counter$: Observable;// Use in components to emit asynchronously payload
@Emitter(CounterState.increment)
increment: Emittable;@Emitter(CounterState.decrement)
decrement: Emittable;
}
```Alternatively you can use `EmitterService` instead of decorating properties:
```typescript
import { Component } from '@angular/core';
import { Select } from '@ngxs/store';
import { EmitterService, Emittable } from '@ngxs-labs/emitter';import { Observable } from 'rxjs';
import { CounterState } from './counter.state';
@Component({
selector: 'app-counter',
template: `
Counter is {{ counter }}
Increment
Decrement
`
})
export class CounterComponent {
@Select(CounterState)
counter$: Observable;constructor(private emitter: EmitterService) {}
increment(): void {
this.emitter.action(CounterState.increment).emit();
}decrement(): void {
this.emitter.action(CounterState.decrement).emit();
}
}
```## Custom types
You can define custom types for debbuging purposes (works with `@ngxs/logger-plugin`):
```typescript
import { State, StateContext } from '@ngxs/store';
import { Receiver } from '@ngxs-labs/emitter';@State({
name: 'counter',
defaults: 0
})
export class CounterState {
@Receiver({ type: '[Counter] Increment value' })
static increment({ setState, getState }: StateContext) {
setState(getState() + 1);
}@Receiver({ type: '[Counter] Decrement value' })
static decrement({ setState, getState }: StateContext) {
setState(getState() - 1);
}
}
```## Payload type safety
`Emittable` and `EmitterAction` are generics which allow you to type the payload, which is `void` (alias not present) by default.
For example, `Emittable` is the same as `Emittable`. Also it's possible to type it like `Emittable` or `Emittable` (if you want it to accept all possible values).```typescript
import { Component } from '@angular/core';
import { Select } from '@ngxs/store';
import { Emitter, Emittable } from '@ngxs-labs/emitter';import { Observable } from 'rxjs';
import { CustomCounter, CounterState } from './counter.state';
@Component({
selector: 'app-root',
template: `
{{ counter$ | async | json }}
update
`
})
export class AppComponent {
@Select(CounterState)
counter$: Observable;@Emitter(CounterState.update)
private update: Emittable;update(): void {
this.update.emit({ value: 5 });
}
}
``````typescript
import { State, StateContext } from '@ngxs/store';
import { Receiver, EmitterAction } from '@ngxs-labs/emitter';export interface CustomCounter {
value: number;
}@State({
name: 'counter',
defaults: {
value: 0
}
})
export class CounterState {
@Receiver({ payload: { value: -1 } }) // default value if payload emitted as undefined
static update(
{ setState }: StateContext,
{ payload }: EmitterAction
) {
setState({ value: payload.value });
}
}
```## Actions
If you still need actions - it is possible to pass an action as an argument into `@Receiver()` decorator:
```typescript
import { State, StateContext } from '@ngxs/store';
import { Receiver } from '@ngxs-labs/emitter';export class Increment {
static readonly type = '[Counter] Increment value';
}export class Decrement {
static readonly type = '[Counter] Decrement value';
}@State({
name: 'counter',
defaults: 0
})
export class CounterState {
@Receiver({ action: Increment })
static increment({ setState, getState }: StateContext) {
setState(getState() + 1);
}@Receiver({ action: Decrement })
static decrement({ setState, getState }: StateContext) {
setState(getState() - 1);
}
}
```Also it's possible to pass multiple actions:
```typescript
import { State, StateContext } from '@ngxs/store';
import { Receiver } from '@ngxs-labs/emitter';export class Increment {
static readonly type = '[Counter] Increment value';
}export class Decrement {
static readonly type = '[Counter] Decrement value';
}@State({
name: 'counter',
defaults: 0
})
export class CounterState {
@Receiver({ action: [Increment, Decrement] })
static increment({ setState, getState }: StateContext, action: Increment | Decrement) {
const state = getState();if (action instanceof Increment) {
setState(state + 1);
} else if (action instanceof Decrement) {
setState(state - 1);
}
}
}
```## Emitting multiple value
It's also possible to emit multiple values, just define your state:
```typescript
import { State, StateContext } from '@ngxs/store';
import { Receiver } from '@ngxs-labs/emitter';@State({
name: 'animals',
defaults: []
})
export class AnimalsState {
@Receiver()
static addAnimal(
{ setState, getState }: StateContext,
{ payload }: EmitterAction
) {
setState([...getState(), payload]);
}
}
```And use `emitMany` method from `Emittable` object:
```typescript
import { Component } from '@angular/core';
import { Select } from '@ngxs/store';
import { Emitter, Emittable } from '@ngxs-labs/emitter';import { Observable } from 'rxjs';
import { AnimalsState } from './animals.state';
@Component({
selector: 'app-root',
template: `
{{ animal }}
Add animals
`
})
export class AppComponent {
@Select(AnimalsState)
animals$: Observable;@Emitter(AnimalsState.addAnimal)
private addAnimal: Emittable;addAnimals(): void {
this.addAnimal.emitMany(['panda', 'zebra', 'monkey']);
}
}
```## Dependency injection
Assume you have to make some API request and load some data from your server, it is very easy to use services with static methods, Angular provides an `Injector` class for getting instances by reference:
```typescript
import { Injector } from '@angular/core';import { State, StateContext } from '@ngxs/store';
import { Receiver } from '@ngxs-labs/emitter';import { tap } from 'rxjs/operators';
interface Todo {
id: number;
title: string;
completed: boolean;
}@State({
name: 'todos',
defaults: []
})
export class TodosState {
// ApiService is defined somewhere...
private static api: ApiService;constructor(injector: Injector) {
TodosState.api = injector.get(ApiService);
}@Receiver()
static getTodos({ setState }: StateContext) {
// If `ApiService.prototype.getTodos` returns an `Observable` - just use `tap` operator
return this.api.getTodos().pipe(tap(todos => setState(todos)));
}// OR
@Receiver()
static getTodos({ setState }: StateContext) {
// If `ApiService.prototype.getTodos` returns a `Promise` - just use `then`
return this.api.getTodos().then(todos => setState(todos));
}
}
```If you work with promises - we advice you to use `async/await` approach, because method marked with `async` keyword will automatically return a `Promise`, you will not get confused if you missed `return` keyword somewhere:
```typescript
import { Injector } from '@angular/core';import { State, StateContext } from '@ngxs/store';
import { Receiver } from '@ngxs-labs/emitter';export type AppInformationStateModel = null | {
version: string;
shouldUseGraphQL: boolean;
};@State({
name: 'information',
defaults: null
})
export class AppInformationState {
private static appService: AppService;constructor(injector: Injector) {
AppInformationState.appService = injector.get(AppService);
}@Receiver({ type: '[App information] Get app information' })
static async getAppInformation({ setState }: StateContext) {
setState(await this.appService.getAppInformation());
}
}
```## Lifecycle
As you may know - actions in NGXS have own lifecycle. We also provide RxJS operators that give you the ability to react to actions at different points in their existence:
- `ofEmittableDispatched`: triggers when an emittable target has been dispatched
- `ofEmittableSuccessful`: triggers when an emittable target has been completed successfully
- `ofEmittableCanceled`: triggers when an emittable target has been canceled
- `ofEmittableErrored`: triggers when an emittable target has caused an error to be thrownBelow is just a simple example how to use those operators:
```typescript
import { State, StateContext } from '@ngxs/store';
import { Receiver } from '@ngxs-labs/emitter';import { throwError } from 'rxjs';
@State({
name: 'counter',
defaults: 0
})
export class CounterState {
@Receiver()
static increment({ setState, getState }: StateContext) {
setState(getState() + 1);
}@Receiver()
static decrement({ setState, getState }: StateContext) {
setState(getState() - 1);
}@Receiver()
static multiplyBy2({ setState, getState }: StateContext) {
setState(getState() * 2);
}@Receiver()
static throwError() {
return throwError(new Error('Whoops!'));
}
}
```Import operators in your component and pipe `Actions` service:
```typescript
import { Component } from '@angular/core';
import { Actions } from '@ngxs/store';
import {
Emitter,
Emittable,
ofEmittableDispatched,
ofEmittableActionContext
} from '@ngxs-labs/emitter';import { CounterState } from './counter.state';
@Component({
selector: 'app-root',
template: ``
})
export class AppComponent {
@Emitter(CounterState.increment)
private increment: Emittable;@Emitter(CounterState.decrement)
private decrement: Emittable;@Emitter(CounterState.throwError)
private throwError: Emittable;constructor(actions$: Actions) {
actions$.pipe(ofEmittableDispatched(CounterState.increment)).subscribe(() => {
console.log('CounterState.increment has been intercepted');
});setInterval(() => {
this.increment.emit();
this.decrement.emit();
this.throwError.emit();
}, 1000);
}
}
```## 💡 TDD
It's very easy to write unit tests using ER concept, because we provide our module out of the box that makes all providers and stores available for dependency injection. So you can avoid creating mocked components with properties decorated with `@Emitter()` decorator, just use the `StoreTestBed` service to get any emittable object:
```typescript
import { EmitterService } from '@ngxs-labs/emitter';
import { StoreTestBedModule } from '@ngxs-labs/emitter/testing';it('should increment state', () => {
@State({
name: 'counter',
defaults: 0
})
class CounterState {
@Receiver()
static increment({ setState, getState }: StateContext) {
setState(getState() + 1);
}
}TestBed.configureTestingModule({
imports: [StoreTestBedModule.configureTestingModule([CounterState])]
});const store: Store = TestBed.inject(Store);
const emitter: EmitterService = TestBed.inject(EmitterService);emitter.action(CounterState.increment).emit();
const counter = store.selectSnapshot(({ counter }) => counter);
expect(counter).toBe(1);
});
```## Interaction
You can easily provide an interaction between different states using ER. Imagine such simple state that stores information if success and error messages exist:
```typescript
type AppStatusStateModel = {
successMessage: string | null;
errorMessage: string | null;
};@State({
name: 'appStatusState',
defaults: {
successMessage: null,
errorMessage: null
}
})
export class AppStatusState {
@Receiver({ type: '[AppStatus] Success' })
static success(
{ setState }: StateContext,
{ payload }: EmitterAction
) {
setState({
successMessage: payload,
errorMessage: null
});
}@Receiver({ type: '[AppStatus] Failure' })
static failure(
{ setState }: StateContext,
{ payload }: EmitterAction
) {
setState({
successMessage: null,
errorMessage: payload
});
}
}
```You want to emit events from another state that makes requests:
```typescript
@State({ name: 'appState' })
class AppState {
private static tagService: TagService;@Emitter(AppStatusState.success)
private static success: Emittable;@Emitter(AppStatusState.failure)
private static failure: Emittable;constructor(injector: Injector) {
AppState.tagService = injector.get(TagService);
}@Receiver({ type: '[AppState] Add tag to the DB' })
static addTag(_, { payload }: EmitterAction) {
return this.tagService.addOne(payload).pipe(
tap(response => this.success.emit(response.message)),
catchError(error => {
this.failure.emit(error.message);
return of(error);
})
);
}
}
```