Внедрение объекта response-intl в смонтированные компоненты Enzyme для тестирования
РЕДАКТИРОВАТЬ: Решено! Прокрутите вниз для ответа
В наших тестах компонентов нам нужен доступ к react-intl
контекст. Проблема в том, что мы монтируем отдельные компоненты (с помощью ферментаmount()
) без их<IntlProvider />
родительская обертка. Это решается путем обертывания провайдера, но затем root
указывает наIntlProvider
экземпляр, а неCustomComponent
,
Тестирование с помощью React-Intl: документы на ферменты все еще пусты.
class CustomComponent extends Component {
state = {
foo: 'bar'
}
render() {
return (
<div>
<FormattedMessage id="world.hello" defaultMessage="Hello World!" />
</div>
);
}
}
Стандартный тестовый вариант (желательно)(фермент + мокко + чай)
// This is how we mount components normally with Enzyme
const wrapper = mount(
<CustomComponent
params={params}
/>
);
expect( wrapper.state('foo') ).to.equal('bar');
Тем не менее, так как наш компонент используетFormattedMessage
как частьreact-intl
библиотека, мы получаем эту ошибку при запуске приведенного выше кода:
Uncaught Invariant Violation: [React Intl] Could not find required `intl` object. <IntlProvider> needs to exist in the component ancestry.
Заворачивая это сIntlProvider
const wrapper = mount(
<IntlProvider locale="en">
<CustomComponent
params={params}
/>
</IntlProvider>
);
Это обеспечиваетCustomComponent
сintl
контекст, который он просит. Тем не менее, при попытке сделать тестовые утверждения, такие как эти:
expect( wrapper.state('foo') ).to.equal('bar');
выдвигает следующее исключение:
AssertionError: expected undefined to equal ''
Это конечно, потому что он пытается прочитать состояниеIntlProvider
а не нашCustomComponent
,
Попытки доступа CustomComponent
Я пробовал ниже, но безрезультатно:
const wrapper = mount(
<IntlProvider locale="en">
<CustomComponent
params={params}
/>
</IntlProvider>
);
// Below cases have all individually been tried to call `.state('foo')` on:
// expect( component.state('foo') ).to.equal('bar');
const component = wrapper.childAt(0);
> Error: ReactWrapper::state() can only be called on the root
const component = wrapper.children();
> Error: ReactWrapper::state() can only be called on the root
const component = wrapper.children();
component.root = component;
> TypeError: Cannot read property 'getInstance' of null
Вопрос в том,как мы можем смонтироватьCustomComponent
сintl
контекст, все еще будучи в состоянии выполнять "корневые" операции на нашемCustomComponent
?
1 ответ
Я создал вспомогательные функции для исправления существующего фермента mount()
а также shallow()
функция. Теперь мы используем эти вспомогательные методы во всех наших тестах, где мы используем компоненты React Intl.
Вы можете найти суть здесь: https://gist.github.com/mirague/c05f4da0d781a9b339b501f1d5d33c37
Для обеспечения доступности данных, вот код в двух словах:
хелперы / междунар-test.js
/**
* Components using the react-intl module require access to the intl context.
* This is not available when mounting single components in Enzyme.
* These helper functions aim to address that and wrap a valid,
* English-locale intl context around them.
*/
import React from 'react';
import { IntlProvider, intlShape } from 'react-intl';
import { mount, shallow } from 'enzyme';
const messages = require('../locales/en'); // en.json
const intlProvider = new IntlProvider({ locale: 'en', messages }, {});
const { intl } = intlProvider.getChildContext();
/**
* When using React-Intl `injectIntl` on components, props.intl is required.
*/
function nodeWithIntlProp(node) {
return React.cloneElement(node, { intl });
}
export default {
shallowWithIntl(node) {
return shallow(nodeWithIntlProp(node), { context: { intl } });
},
mountWithIntl(node) {
return mount(nodeWithIntlProp(node), {
context: { intl },
childContextTypes: { intl: intlShape }
});
}
};
CustomComponent
class CustomComponent extends Component {
state = {
foo: 'bar'
}
render() {
return (
<div>
<FormattedMessage id="world.hello" defaultMessage="Hello World!" />
</div>
);
}
}
CustomComponentTest.js
import { mountWithIntl } from 'helpers/intl-test';
const wrapper = mountWithIntl(
<CustomComponent />
);
expect(wrapper.state('foo')).to.equal('bar'); // OK
expect(wrapper.text()).to.equal('Hello World!'); // OK