npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2024 – Pkg Stats / Ryan Hefner

@spaf/ngrx-orchestrator

v1.0.2

Published

A Powerful State Management Toolkit for Angular

Downloads

7

Readme

NgRxOrchestrator

A Powerful State Management Toolkit for Angular

The library is in early development!

What is NgRxOrchestrator?

NgRxOrchestrator is a comprehensive toolkit designed to streamline the management of application state in Angular projects using the Redux pattern with NgRx. By integrating immer for immutable state transformations, NgRxOrchestrator simplifies the creation and handling of action-driven state changes, enhancing the readability and maintainability of your code. This library provides a set of utilities that automate the boilerplate of setting up and managing state flows, including loading, success, and error handling for asynchronous operations. Whether you are building a complex enterprise-level application or a simple interactive interface, NgRxOrchestrator helps you implement a clean, scalable, and efficient state management architecture.

Features

  • Automated Action Groups: Generate load, success, failure, and reset actions seamlessly.
  • Immutable State Management: Leverage immer for safe, straightforward state updates even in deeply nested structures.
  • Type Safety: Utilize TypeScript for robust type checking and IntelliSense support throughout your state management logic.
  • Flexible Integration: Easily integrate with existing Angular and NgRx projects, enhancing functionality without disrupting current architectures.

Dependencies

NgRxOrchestrator depends on @ngrx/store and immer

Usage

createDataFlowActions<Input, Result>(
        {
            source: 'Source',
            action: 'Action description'
        }
)

createDataFlowActions returns an object containing 4 actions: { load, loadSuccess, loadFailure, reset }

The Input type is used as prop on the load action

The Result type is used as prop on the loadSuccess action

In your someState.actions.ts

export const loadSomeStateDetails =
        createDataFlowActions<string, SomeDto>(
                {
                    source: 'Some State Details',
                    action: 'Load some state details'
                } );













export const loadSomeStateDetails = createAction(
        '[Some State Details] Load some state details',
        props<{ id: string }>()
);

export const successfullyLoadedSomeStateDetails = createAction(
        '[API] Successfully loaded some state details',
        props<{ data: SomeDto }>()
);

export const failedToLoadSomeStateDetails = createAction(
        '[API] Failed to load some state details',
        props<{ errors: AppError[] }>()
);

export const resetSomeStateDetails = createAction(
        '[Some State Details] Reset some state details'
);

In your someState.reducer.ts

export interface SomeState {
    details: {
        data: DummyObject
        // You need to add loading and errors properties 
        // in your state definition to be able to select them
        loading: boolean
        errors: any[],
    };
}

export const initialState: SomeState = {
    details: {
        data   : null,
        loading: false,
        errors : []
    },
}
export const reducer = createReducer(
        initialState,
// Notice the destructuring 
...
onActionGroup(
        // the action group created with createDataFlowAction
        loadSomeStateDetails,
        // the path of your data from the state 
        'details.data',
        // the object containing the default state
        initialState
)





























on( loadSomeStateDetails, (state, { id }) => (
        {
            ...state,
            details: {
                ...state.details,
                loading: true,
                errors : []
            }
        }
) )

on( successfullyLoadedSomeStateDetails, (state, { data }) => (
        {
            ...state,
            details: {
                ...state.details,
                loading: false,
                errors : [],
                data
            }
        }
) )

on( failedToLoadSomeStateDetails, (state, { errors }) => (
        {
            ...state,
            details: {
                ...state.details,
                loading: false,
                errors,
            }
        }
) )

on( resetSomeStateDetails, (state) => (
        {
            ...state,
            details: {
                ...initialState.details
            }
        }
) )

Relevant reducer mentions

onActionGroup(
        actionGroup,
        dataPathFromState,
        initialState,
        reducerFunction ?
)

onActionGroup returns an array containing 4 ons to be used in the reducer:

[ onLoad, onLoadSuccess, onLoadFailure, onReset ]

onActionGroup by default sets the result of its loadSuccess action in the dataPathFromState property of your state

[!IMPORTANT] You can pass a fourth parameter to onActionGroup for sophisticated state updates

You can use immer's produce function to handle the state update:

onActionGroup( deleteSomeData,
               'list.data',
               initialState,
               (state, deletedId) =>
                       produce( state, draft => {
                                    draft.list.data = draft.list.data.filter( d => d.id!=deletedId );
                                }
                       )
)

Or by manually destructuring and updating the state:

onActionGroup( deleteSomeData,
               'list.data',
               initialState,
               (state, deletedId) => (
                       {
                           ...state,
                           list: {
                               ...state.list,
                               data: state.list.data.filter( d => d.id!=deletedId )
                           }
                       }
               )
)

In your component that needs to load the data

this.store.dispatch( loadSomeStateDetails.load( { param: id } ) );

In your someState.selectors.ts (Selectors remain unchanged)

export const someStateDetails = createSelector(
        selectSomeState,
        // You need to select the whole object containing 
        // your data, loading and errors if you want to use the loading and errors properties
        (state: SomeState) => state.details
);

In your component that needs to get the data (Selecting the state remains unchanged)

data$ = this.store.select( someStateDetails );
// data$ Is an Observable of your data, errors and loading