Edit package.json to run jest when you run npm test
Add .babelrc file
.babelrc file
{"presets": ["es2015","react"]}
Jest Test Naming Conventions
Put in a folder __tests__
Name it #{file-being-tested}-test.js
Practice
Set up a __tests__ folder in practice
Import functions that we want to test
Write tests
Testing Redux
Relatively simple
Pure functions
Reducers
describe("BenchesReducer",()=>{test("should initialize with an empty object as the default state",()=>{// Your code here});// More code...});
Reducers(solution)
test("should initialize with an empty object as the default state",()=>{expect(BenchesReducer(undefined,{})).toEqual({});});
Reducers Part II
use testUtil file
If you finish early, write tests for filters_reducer.js for extra practice!
describe("handling the RECEIVE_BENCHES action",()=>{letaction;beforeEach(()=>{// Set up the action that will be passed into the reducer:// Your code here});test("should replace the state with the action's benches",()=>{// Your code here});test("should not modify the old state",()=>{// Your code here});});
Reducers Part II (Solution)
beforeEach(()=>{action={type: BenchActions.RECEIVE_BENCHES,benches: testBenches};});test("should replace the state with the action's benches",()=>{conststate=BenchesReducer(undefined,action);expect(state).toEqual(testBenches);});test("should not modify the old state",()=>{letoldState={1: "oldState"};BenchesReducer(oldState,action);expect(oldState).toEqual({1: "oldState"});});
Action Creators
describe("actions",()=>{test("receiveBenches should create an action to receive benches",()=>{// refer to https://redux.js.org/docs/recipes/WritingTests.html});});
Action Creators Solution
describe("actions",()=>{test("receiveBenches should create an action to receive benches",()=>{constexpectedAction={type: actions.RECEIVE_BENCHES,benches: testBenches};expect(actions.receiveBenches(testBenches)).toEqual(expectedAction);});});
Async Action Creators
test("fetchBenches creates RECEIVE_BENCHES after fetching benches",()=>{// REFER TO REDUX TESTS DOCS// Set up expectedActions:// Your code hereApiUtil.fetchBenches=jest.fn(()=>{returnPromise.resolve(testBenches);});conststore=mockStore({benches: {}});returnstore.dispatch(actions.fetchBenches()).then(()=>{// Your code here});});
Async Action Creators (Solution)
test("fetchBenches creates RECEIVE_BENCHES after fetching benches",()=>{constexpectedActions=[{type: actions.RECEIVE_BENCHES,benches: testBenches}];ApiUtil.fetchBenches=jest.fn(()=>{returnPromise.resolve(testBenches);});conststore=mockStore({benches: {}});returnstore.dispatch(actions.fetchBenches()).then(()=>{expect(store.getActions()).toEqual(expectedActions);});});