Using enzyme, mocha and expect asserts.
The aim of my unit test is to check that dispatch gets called with the correct arguments when paused and not paused in mergeProps.
I need to dynamically change the state of my store to do: paused: true
.
At the moment I try and update the paused value by dispatching but I don't think this is correct because it's just a mock and never actually runs through the reducer.
I am using the package redux-mock-store.
How do I do this?
describe('Play Container', () => {
const id = 'audio-player-1';
const store = configureMockStore()({
players: {
'audio-player-1': { paused: false }
}
});
let dispatchSpy;
let wrapper;
beforeEach(() => {
dispatchSpy = expect.spyOn(store, 'dispatch');
wrapper = shallow(
<PlayContainer className={attributes.className}>
{children}
</PlayContainer>,
{ context: { id } },
).shallow({ context: { store } });
});
it('onClick toggles play if paused', () => {
//Not Working
store.dispatch(updateOption('paused', true, id));
wrapper.simulate('click');
expect(dispatchSpy).toHaveBeenCalledWith(play(id));
});
it('onClick toggles pause if playing', () => {
wrapper.simulate('click');
expect(dispatchSpy).toHaveBeenCalledWith(pause(id));
});
});
container:
const mapStateToProps = ({ players }, { id }) => ({
paused: players[id].paused
});
const mergeProps = (stateProps, { dispatch }, { id }) => ({
onClick: () => (stateProps.paused ? dispatch(play(id)) : dispatch(pause(id)))
});
export default connectWithId(mapStateToProps, null, mergeProps)(Play);
connectWithId:
//getContext() is from recompose library and just injects id into props
export const connectWithId = (...args) => compose(
getContext({ id: React.PropTypes.string }),
connect(...args),
);
actions:
updateOption: (key, value, id) => ({
type: actionTypes.player.UPDATE_OPTION,
key,
value,
id,
}),
configureMockStore
is a factory, that is used to configure mock store by applying the middlewares. returns mockStore
object.mockStore
returns an instance of configured mock store. It doesn't change state through action. It just records with actions were passed. The reason behind is because it's an utility tool to create unit tests, not "integration" (state + component) tests.
Nonetheless you can simulate a state change. mockStore
accepts a function, so you could do the following:
import configureMockStore from 'redux-mock-store';
const middlewares = [];
const mockStore = configureMockStore(middlewares);
let state = {
players: {
'audio-player-1': { paused: false }
}
};
const store = mockStore(() => state);
Then in your tests, you can do:
state = NEW_STATE;
// now you need to make the components update the state.
// so you can dispatch any action so the mock store will notify the subscribers
store.dispatch({ type: 'ANY_ACTION' });
What you can do is use a real store in your test. First, create a reducer function:
const reducer = (state, action) => {
if (action.type === actionTypes.player.UPDATE_OPTION) {
return {
...state,
players: {
...state.players,
[action.id]: {
...state.players[action.id],
[action.key]: action.value,
},
},
};
}
return state;
};
(Note, if you're ok with not preserving other state in this test you could simplify the above and just return a new state.)
Then create a store with that reducer and the initial state:
import { createStore } from 'redux';
const store = createStore(reducer, {
players: {
'audio-player-1': { paused: false }
}
});
With that, your dispatch with updateOption
should result in the new state.
It seems now that thanks to a pr by @catarinasoliveira that you can provide your real reducer which will update the store accordingly. It's in master but I don't know if it's in npm yet, or frankly if it does what I just said, but I'm about to try it out and will report back
来源:https://stackoverflow.com/questions/41642041/redux-how-to-update-the-store-in-unit-tests