How to get reducer unit test working?

498 Views Asked by At

Trying to create a unit test for my redux reducer for a cart. This is the reducer, the item gets added to the item property:

    const initialState = {
    items: [],
    cartOpen: false,
    newMonthlyCost: 0,
    currentMonthlyCost: 0,
    showNextButton: false,
    orderConfirmed: false
}

const Cart = (state = initialState, action) => {
    switch (action.type) {
        case 'ADD_TO_CART':
            return Object.assign({}, state,
                {
                    items: [...state.items,action.data]
                });

        default:
            return state
    }
}


export default Cart

My chai unit test looks like this:

import reducer from './../../foss-frontend/app/reducers/cart.js'
import {expect} from 'chai';

describe('cart reducer', () => {

    it('should handle ADD_TO_CART', () => {
        expect(
            reducer([], {
                type: 'ADD_TO_CART',
                data: {
                    id: 12, price: 2332
                }
            })
        ).to.deep.equal({items: [{id: 124, price: 2332}]})
    })
})

Why am I getting this error and how to fix this?

error:

     TypeError: Cannot convert undefined or null to object
      at Function.from (native)
      at _toConsumableArray (app\reducers\cart.js:7:182)
1

There are 1 best solutions below

2
On BEST ANSWER

You call reducer at tetsts with empty array as state

reducer([], {...})

So state.items is undefined. Then you try to deconstruct it

items: [...state.items,action.data]

and get this error.

Please check that state.items exists - like this, for instance

const Cart = (state = initialState, action) => {
    switch (action.type) {
        case 'ADD_TO_CART':
            const { items=[] } = state;
            return Object.assign({}, state,
                {
                    items: [...items,action.data]
                });

        default:
            return state
    }
}