Как протестировать компонент React, который использует React Hooks, использовать крючок History с Enzyme? - PullRequest
0 голосов
/ 04 марта 2020

Я пытаюсь протестировать компонент React с помощью фермента. Тесты работали нормально, пока мы не преобразовали компонент в хуки. Теперь я получаю сообщение об ошибке: «Ошибка: Uncaught [TypeError: Невозможно прочитать свойство 'history' of undefined]»

Я уже прочитал следующие подобные проблемы и не смог их решить:

Также эта статья: * https://medium.com/7shifts-engineering-blog/testing-usecontext-react-hook-with-enzyme-shallow-da062140fc83

Полный компонент, AccessBarWithRouter.jsx:

/**
 * @description Accessibility bar component to allow user to jump focus to different components on screen. 
 * One dropdown will focus to elements on screen.
 * The other will route you to routes in your navigation bar.
 *  
 */

import React, { useState, useEffect, useRef } from 'react';
import Dropdown from 'react-dropdown-aria';
import { useHistory } from 'react-router-dom';

const AccessBarWithRouter = () => {
  const pathname = useHistory().location.pathname;
  const [sectionInfo, setSectionInfo] = useState(null);
  const [navInfo, setNavInfo] = useState(null);
  const [isHidden, setIsHidden] = useState(true);

  // creating the refs to change focus
  const sectionRef = useRef(null);
  const accessBarRef = useRef(null);


  // sets focus on the current page from the 1st dropdown
  const setFocus = e => {
    const currentLabel = sectionInfo[e];
    const currentElement = document.querySelector(`[aria-labelledBy='${currentLabel}']`);
    currentElement.tabIndex = -1;
    sectionRef.current = currentElement;
    // can put a .click() after focus to focus with the enter button
    // works, but gives error
    sectionRef.current.focus();
  };


  // Changes the page when selecting a link from the 2nd dropdown
  const changeView = e => {
    const currentPath = navInfo[e];
    const accessLinks = document.querySelectorAll('.accessNavLink');
    accessLinks.forEach(el => {
      if (el.pathname === currentPath) {
        el.click();
      };
    });
  };

  // event handler to toggle visibility of AccessBar and set focus to it
  const accessBarHandlerKeyDown = e => {
    if (e.altKey && e.keyCode === 191) {
      if (isHidden) {
        setIsHidden(false)
        accessBarRef.current.focus();
      } else setIsHidden(true);
    }
  }


  /**
   *
   * useEffect hook to add and remove the event handler when 'alt' + '/' are pressed  
   * prior to this, multiple event handlers were being added on each button press 
   * */ 
  useEffect(() => {
    document.addEventListener('keydown', accessBarHandlerKeyDown);
    const navNodes = document.querySelectorAll('.accessNavLink');
    const navValues = {};
    navNodes.forEach(el => {
      navValues[el.text] = el.pathname;
    });
    setNavInfo(navValues);
    return () => document.removeEventListener('keydown', accessBarHandlerKeyDown);
  }, [isHidden]);


  /**
   * @todo figure out how to change the dropdown current value after click
   */
  useEffect(() => {
    //  selects all nodes with the aria attribute aria-labelledby
    setTimeout(() => {
      const ariaNodes = document.querySelectorAll('[aria-labelledby]');
      let sectionValues = {};

      ariaNodes.forEach(node => {
        sectionValues[node.getAttribute('aria-labelledby')] = node.getAttribute('aria-labelledby');
      });

      setSectionInfo(sectionValues);
    }, 500);

  }, [pathname]);



  // render hidden h1 based on isHidden
  if (isHidden) return <h1 id='hiddenH1' style={hiddenH1Styles}>To enter navigation assistant, press alt + /.</h1>;

  // function to create dropDownKeys and navKeys 
  const createDropDownValues = dropDownObj => {
    const dropdownKeys = Object.keys(dropDownObj);
    const options = [];
    for (let i = 0; i < dropdownKeys.length; i++) {
      options.push({ value: dropdownKeys[i]});
    }
    return options;
  };

  const sectionDropDown = createDropDownValues(sectionInfo);
  const navInfoDropDown = createDropDownValues(navInfo);

  return (
    <div className ='ally-nav-area' style={ barStyle }>
        <div className = 'dropdown' style={ dropDownStyle }> 
          <label htmlFor='component-dropdown' tabIndex='-1' ref={accessBarRef} > Jump to section: </label>
          <div id='component-dropdown' >
            <Dropdown
              options={ sectionDropDown }
              style={ activeComponentDDStyle }
              placeholder='Sections of this page'
              ariaLabel='Navigation Assistant'
              setSelected={setFocus} 
            />
          </div>
        </div>
          <div className = 'dropdown' style={ dropDownStyle }> 
          <label htmlFor='page-dropdown'> Jump to page: </label>
          <div id='page-dropdown' >
            <Dropdown
              options={ navInfoDropDown }
              style={ activeComponentDDStyle }
              placeholder='Other pages on this site'
              ariaLabel='Navigation Assistant'
              setSelected={ changeView } 
            />
          </div>
        </div>
      </div>
  );
};

/** Style for entire AccessBar */
const barStyle =  {
  display: 'flex',
  paddingTop: '.1em',
  paddingBottom: '.1em',
  paddingLeft: '5em',
  alignItems: 'center',
  justifyContent: 'flex-start',
  zIndex: '100',
  position: 'sticky',
  fontSize: '.8em',
  backgroundColor: 'gray',
  fontFamily: 'Roboto',
  color: 'white'
};

const dropDownStyle = {
  display: 'flex',
  alignItems: 'center',
  marginLeft: '1em',
};

/** Style for Dropdown component **/
const activeComponentDDStyle = {
  DropdownButton: base => ({
    ...base,
    margin: '5px',
    border: '1px solid',
    fontSize: '.5em',
  }),
  OptionContainer: base => ({
    ...base,
    margin: '5px',
    fontSize: '.5em',
  }),
};

/** Style for hiddenH1 */
const hiddenH1Styles = {
  display: 'block',
  overflow: 'hidden',
  textIndent: '100%',
  whiteSpace: 'nowrap',
  fontSize: '0.01px',
};

export default AccessBarWithRouter;

Вот мой тест, AccessBarWithRouter.unit.test. js:

import React from 'react';
import Enzyme, { mount } from 'enzyme';
import AccessBarWithRouter from '../src/AccessBarWithRouter.jsx';
import Adapter from 'enzyme-adapter-react-16';

Enzyme.configure({ adapter: new Adapter() });

describe('AccessBarWithRouter component', () => {
  it('renders hidden h1 upon initial page load (this.state.isHidden = true)', () => {
    const location = { pathname: '/' };
    const wrapper = mount(
      <AccessBarWithRouter location={location}/>
  );
    // if AccessBarWithRouter is hidden it should only render our invisible h1
    expect(wrapper.exists('#hiddenH1')).toEqual(true);
  })
  it('renders full AccessBarWithRouter when this.state.isHidden is false', () => {
    // set dummy location within test to avoid location.pathname is undefined error
    const location = { pathname: '/' };
    const wrapper = mount(
        <AccessBarWithRouter location={location} />
    );
    wrapper.setState({ isHidden: false }, () => {
      // If AccessBar is not hidden the outermost div of the visible bar should be there
      // Test within setState waits for state change before running test
      expect(wrapper.exists('.ally-nav-area')).toEqual(true);
    });
  });
});

Я новичок в React Hooks, поэтому пытаюсь обернуть мой разум вокруг этого. Насколько я понимаю, я должен предоставить какое-то значение фиктивной истории для своего теста. Я попытался создать отдельный файл useContext как таковой и обернуть его вокруг моего компонента в тесте, но это не сработало:

import React, { useContext } from 'react';

export const useAccessBarWithRouterContext = () => useContext(AccessBarWithRouterContext);

const defaultValues = { history: '/' };

const AccessBarWithRouterContext = React.createContext(defaultValues);

export default useAccessBarWithRouterContext;

Мои текущие версии моих devDependencies:

  • "@ babel / cli": "^ 7.8.4",
  • "@ babel / core": "^ 7.8.6",
  • "@ babel / polyfill": "^ 7.0.0-beta.51 ",
  • " @ babel / preset-env ":" ^ 7.8.6 ",
  • " @ babel / preset-реакции ":" ^ 7.8. 3 ",
  • " babel-core ":" ^ 7.0.0-bridge.0 ",
  • " babel-jest ":" ^ 25.1.0 ",
  • «энзим»: «^ 3.3.0»,
  • «энзим-адаптер-реакция-16»: «^ 1.1.1»,
  • «шутка»: «^ 25.1.0 ",
  • " реагировать ":" ^ 16.13.0 ",
  • " реагировать-дом ":" ^ 16.13.0 "

Я не найти много документации для тестирования компонента, использующего хук useHistory в целом. Похоже, что Enzyme начал работать с React Hooks только год go, и только для издевательств, а не для поверхностного рендеринга.

Кто-нибудь знает, как я могу go об этом?

1 Ответ

0 голосов
/ 04 марта 2020

Проблема здесь исходит из крючка useHistory, как вы можете себе представить. Хук предназначен для использования в потребителях маршрутизатора. Если вы знаете структуру провайдеров и потребителей, то для вас будет совершенно понятно, что здесь потребитель (useHistory) пытается получить доступ к некоторой информации от провайдера, которой нет в вашем текстовом случае. Существует два возможных решения:

  1. Оберните ваш тестовый пример маршрутизатором

    it('renders hidden h1 upon initial page load (this.state.isHidden = true)', () => {
       const location = { pathname: '/' };
       const wrapper = mount(
         <Router>
            <AccessBarWithRouter location={location}/>
         </Router>
       )
    });
    
  2. Ложное использованиеИстория крючка с поддельными историческими данными

    jest.mock('react-router-dom', () => {
      const actual = require.requireActual('react-router-dom')
      return {
        ...actual,
        useHistory: () => ({ methods }),
      }
    })
    

Я лично предпочитаю 2-й, поскольку вы можете поместить его в файл setupTests и забыть об этом. Если вам нужно смоделировать это или шпионить за ним, вы можете перезаписать его из файла setupTests в вашем файле c для тестового модуля.

...