如何使用React Redux和Jest测试mapStateToProps?

时间:2020-01-16 14:40:14

标签: javascript reactjs react-redux jestjs enzyme

当我为连接的React组件创建测试时要在其中测试mapStateToProps逻辑时,遇到了一个不确定的问题。

错误消息

Expected: 1
Received: undefined

  24 |     it('should show previously rolled value', () => {
  25 |         // test that the state values were correctly passed as props
> 26 |         expect(wrapper.props().lastRolledNumber).toBe(1);

当我检查wrapper.props()时,它仅返回商店对象,而没有属性。

为确保不是我的代码,我找到了一个应该简化的示例,但是在我的应用中使用该确切版本(选项#2,https://jsramblings.com/2018/01/15/3-ways-to-test-mapStateToProps-and-mapDispatchToProps.html)时遇到了同样的问题

我认为这可能与React 16+版本有关,我发现这里提到了https://airbnb.io/enzyme/docs/api/ReactWrapper/props.html

.props()=>对象

返回包装器根节点的props对象。肯定是 单节点包装器。此方法是访问 节点的道具; wrapper.instance()。props也可以工作,但是在 React 16+,无状态功能组件没有实例。 参见.instance()=> ReactComponent

有人知道如何以一种很好的方式对此进行测试,以查看逻辑是否按预期工作,而无需直接导出私有mapStateToProps函数吗?

组件

import React from 'react';
import PropTypes from 'prop-types';
import { connect } from 'react-redux';

// Component 1 - "Base component"
// Exporting it is a good practice for testing its own logic
export const Dice = ({ lastRolledNumber, onRollDice }) => (
    <div>        
        <p>The last rolled number was {lastRolledNumber}.</p>
        <button onClick={onRollDice}>Roll dice</button>
    </div>
);

Dice.propTypes = {
    lastRolledNumber: PropTypes.number.isRequired,
    onRollDice: PropTypes.func.isRequired
}

const mapStateToProps = (state) => ({
    lastRolledNumber: state.lastRolledNumber
});

const mapDispatchToProps = (dispatch) => ({
    onRollDice: () => dispatch({ type: 'ROLL_DICE' })
});

// Component 2 - Container component
// Export it as a default export
export default connect(mapStateToProps, mapDispatchToProps)(Dice);

测试

import React from 'react';
import { shallow } from 'enzyme';
import '../test-config'; // Setup Enzyme & Adapter

import DiceContainer from './Dice';

// Create the mock store
import configureMockStore from 'redux-mock-store';
const mockStore = configureMockStore();

describe('Dice', () => {
    let wrapper, store;

    beforeEach(() => {
        const initialState = {
            lastRolledNumber: 1
        };
        store = mockStore(initialState);
        // Shallow render the container passing in the mock store
        wrapper = shallow(
            <DiceContainer store={store} />
        );
    });

    it('should show previously rolled value', () => {
        // test that the state values were correctly passed as props
        expect(wrapper.props().lastRolledNumber).toBe(1);
    });

    it('should roll the dice again when button is clicked', () => {
        // test that the component events dispatch the expected actions 
        wrapper.simulate('rollDice');

        const actions = store.getActions();
        expect(actions).toEqual([ { type: 'ROLL_DICE' } ]);
    });
});

2 个答案:

答案 0 :(得分:1)

您快到了。您需要调用.dive()方法,以便获取Dice组件,而不是DiceContainer模块的connect HOC包装的react-redux组件。

简短答案:

wrapper = shallow(<DiceContainer store={store} />).dive();

完整的工作示例:

index.jsx

import React from 'react';
import PropTypes from 'prop-types';
import { connect } from 'react-redux';

export const Dice = ({ lastRolledNumber, onRollDice }) => (
  <div>
    <p>The last rolled number was {lastRolledNumber}.</p>
    <button onClick={onRollDice}>Roll dice</button>
  </div>
);

Dice.propTypes = {
  lastRolledNumber: PropTypes.number.isRequired,
  onRollDice: PropTypes.func.isRequired,
};

const mapStateToProps = (state) => ({
  lastRolledNumber: state.lastRolledNumber,
});

const mapDispatchToProps = (dispatch) => ({
  onRollDice: () => dispatch({ type: 'ROLL_DICE' }),
});

export default connect(mapStateToProps, mapDispatchToProps)(Dice);

index.test.jsx

import React from 'react';
import { shallow } from 'enzyme';
import configureMockStore from 'redux-mock-store';
import DiceContainer from '.';

const mockStore = configureMockStore();

describe('Dice', () => {
  let wrapper;
  let store;

  beforeEach(() => {
    const initialState = {
      lastRolledNumber: 1,
    };
    store = mockStore(initialState);
    wrapper = shallow(<DiceContainer store={store} />).dive();
  });

  it('should show previously rolled value', () => {
    expect(wrapper.props().lastRolledNumber).toBe(1);
  });

  it('should roll the dice again when button is clicked', () => {
    wrapper.simulate('rollDice');
    const actions = store.getActions();
    expect(actions).toEqual([{ type: 'ROLL_DICE' }]);
  });
});

单元测试结果:

 PASS  src/stackoverflow/59771991/index.test.jsx (9.645s)
  Dice
    ✓ should show previously rolled value (19ms)
    ✓ should roll the dice again when button is clicked (2ms)

Test Suites: 1 passed, 1 total
Tests:       2 passed, 2 total
Snapshots:   0 total
Time:        11.505s

测试覆盖率html报告:

enter image description here

答案 1 :(得分:0)

在我的情况下,我能够通过这个渲染来编写测试 -

import React from 'react';
import '@testing-library/jest-dom';
import {
    screen, cleanup, render,
} from '@testing-library/react';
import { Provider } from 'react-redux';
import configureMockStore from 'redux-mock-store';
const store = configureMockStore()({
    headerState: {
        showBack: false,
    },
});    
const mockProps = { ... };
describe('Component', () => {
    beforeAll(() => {
        render(
            <Provider store={store}>
                <Component {...mockProps} />
            </Provider>,
        );
    });
    afterAll(cleanup);

    test('Test', () => {
        screen.debug();
    });
});