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

redux-store-testing

v0.0.4

Published

Testing library for redux store

Downloads

2,182

Readme

redux-store-testing

Testing library for redux store. Allows testing the logic behind reducers, redux sagas, middlewares in easy way.

Install

npm install redux-store-testing --save-dev

Or

yarn add redux-store-testing --dev

Usage

Example with saga

First, you need to create a function, which will return you an initialized store. This function should accept the "listener" parameter, which should be passed to createActionLogger. The result of the last function should be added last in the list of store enhancers.

import {applyMiddleware} from 'redux';
import createSagaMiddleware from 'redux-saga';
import {configureStore} from '@reduxjs/toolkit';
import {createActionLogger} from 'redux-store-testing'
import {reducer, initialState} from './reducer'

function initStore(listener) {
    const sagaMiddleware = createSagaMiddleware();
    const enhancers = [applyMiddleware(sagaMiddleware), createActionLogger(listener)];
    const store = configureStore({
        reducer,
        enhancers,
        preloadedState: initialState,
    });

    sagaMiddleware.run(rootSaga);

    return store;
};

Test body

import {createTest, dispatchAction, waitForAction} from 'redux-store-testing'
import {actions, selectors} from './reducer'

// the test body
const {state} = await createTest({initStore}).run(function*() {
    yield dispatchAction(actions.addWish('go to gym'));
    const {state} = yield waitForAction(actions.finishToExercize.type);
    const stepCount = selectors.getStepCount(state);
    yield dispatchAction(actions.writeToNotepad('steps', stepCount));
    yield waitForAction(actions.comeHome.type);
});
const muscleSize = selectors.getMusleSize(state, 'leftArm');

// assert the muscleSize. Example with jest test framework
expect(muscleSize).toBe(40);

Example with rendering react components

import {Provider, useDispatch} from 'react-redux';
import {render, fireEvent, screen} from '@testing-library/react';
import {createTest, waitForAction} from 'redux-store-testing'
import {actions} from './reducer'

const ButtonA = () => {
   const dispatch = useDispatch();
   const clickHandler = () => {dispatch(actions.addWish('Go to gym'))};
   return <button onClick={clickHandler}>Gym</button>
 }
 const initializeFunction = (store) => {
   const {unmount} = render(
       <Provider store={store}>
         <ButtonA/>
       </Provider>
   );
   return () => {
     unmount();
   };
 };

 await createTest({initStore, initializeFunction}).run(function* () {
   runAsyncEffect(() => fireEvent.click(screen.getByText('Gym')));
   yield waitForAction(actions.addWish.type);
 });

Api

waitForAction

You can wait for action to be dispatched


const {state} = await createTest({initStore}).run(function*() {
   yield waitForAction(actions.addWish.type);
  
   // or you can wait for custom condition
   yield waitForAction(
     (state, actions) => actions.filter(a => a.type === 'addWish').length === 3
   );
});

waitForState

You can wait for state to be in needed shape

const {state} = await createTest({initStore}).run(function*() {
   yield waitForState(state => selectors.isPersonAtHome(state, 'Anna');
   
  // or any condition by state and actions 
  const predicate = 
        (state, actions) => 
                 selectors.isPersonAtHome(state, 'Anna') 
                 && actions.filter(a => a.type === 'goHome').length === 2
   yield waitForState(predicate);
});

waitForPromise

You can wait for promise to be resolved

const promise = new Promise((resolve) => {
    fetchWeatcher().then(result => resolve(result));
})

const {state} = await createTest({initStore}).run(function*() {
    yield waitForPromise(promise);
});

waitForMs

You can wait for timeout in ms

 await createTest({initStore}).run(function* () {
    yield waitForMs(10);
    yield dispatchAction(goToGym());
});

You can also test your code with timeouts synchronously with jest helpers

import {dispatchAction, waitForMs, runAsyncEffect} from 'redux-store-testing'

jest.useFakeTimers();

await createTest({initStore}).run(function* () {
    // this will be run in async way, right after all microtasks
    runAsyncEffect(() => {
        jest.advanceTimersByTime(10)
    })
    //this will create macrotask with 10ms timeout and will be instantly(but async) resolved by jest
    yield waitForMs(10);
    yield dispatchAction(actions.goToGym());
});

jest.useRealTimers();

waitForCall

You can wait for function to be called

import {fetchWeather} from './services/weather'

const fetchWeatherCaller = createCaller('fetchWeather');

const mockedFetchOptions = fetchWeather.mockImplementation(() => {
    fetchWeatherCaller();
    return 'sunny';
})
//fetchWeather is called inside saga or react component

const {state} = await createTest({initStore}).run(function*() {
    yield waitForCall(fetchWeatherCaller);
    // or you can wait for function to be called several times 
    yield waitForCall(fetchWeatherCaller, {times: 2});
});

waitForMicrotasksToFinish

You can wait for all microtasks to be finished

const {state} = await createTest({initStore}).run(function*() {
    yield dispatchAction(actions.goToGym());
    yield waitForAction(actions.finishTraining)
    //let saga or any other sync code to finish
    yield waitForMicrotasksToFinish();
});

// assert that something is done after finished microtasks 

waitFor

You can wait for any external condition

const {state} = await createTest({initStore}).run(function*() {
    yield waitFor(() => mock.calls.length > 0);

    yield waitFor(() => getCurrentWeather() === 'sunny');
});