我正在尝试使用jest-cli来测试一个反应组件是否包含其输出中的另一个组件。我无法弄清楚如何做到这一点。
以下是我的组件:
DesignerPage组件
[...]
var TopBar = require('../components/layout/TopBar.js');
var DesignerPage = React.createClass({
getInitialState: function() {
var state = {
};
return state;
},
render: function() {
return (
<div>
<TopBar />
</div>
)
}
});
module.exports = DesignerPage;
TopBar组件
/** @jsx React.DOM */
var React = require("react");
var TopBar = React.createClass({
render: function() {
return (
<nav className="top-bar">
</nav>
);
}
});
module.exports = TopBar;
现在,我想测试DesignerPage组件是否包含TopBar组件。以下是我认为应该有效的方法:
/** @jsx React.DOM */
jest.dontMock('../../src/js/pages/DesignerPage.js');
describe('DesignerPage', function() {
it('should contain a TopBar', function() {
var React = require('react/addons');
var DesignerPage = require('../../src/js/pages/DesignerPage.js');
var TestUtils = React.addons.TestUtils;
// Render a DesignerPage into the document
var page = TestUtils.renderIntoDocument(
<DesignerPage />
);
// Verify that a TopBar is included
var topbar = TestUtils.scryRenderedComponentsWithType(page, 'TopBar');
expect(topbar.length).toBe(1);
});
});
但它没有通过...... :(
$ ./node_modules/jest-cli/bin/jest.js DesignerPage
Found 1 matching test...
FAIL __tests__/pages/DesignerPage-test.js (4.175s)
● DesignerPage › it should contain a TopBar
- Expected: 0 toBe: 1
at Spec.<anonymous> (__tests__/pages/DesignerPage-test.js:16:27)
at Timer.listOnTimeout [as ontimeout] (timers.js:112:15)
1 test failed, 0 test passed (1 total)
Run time: 6.462s
答案 0 :(得分:8)
我没有运行有问题的代码,但行:
var topbar = TestUtils.scryRenderedComponentsWithType(page, 'TopBar');
看起来对我很怀疑。 docs似乎建议您传递componentClass
而不是字符串。
我看不出它是如何使用字符串来识别组件类型的。它可能会使用displayName
来通过字符串来识别它,但我怀疑它会这样做。
我估计你可能想要这个:
var TopBar = require('../../src/js/pages/DesignerPage');
var topbar = TestUtils.scryRenderedComponentsWithType(page, TopBar);
答案 1 :(得分:8)
我遇到过类似的情况,我需要检查子组件是否被渲染。据我所知,除了你指定的那些模块之外,jest mocks所有必需的模块。因此,在您的情况下,子模型 Topbar 将被模拟,这使我猜测渲染的DOM不会像预期的那样。
至于检查子组件是否已呈现,我会做
expect(require('../../src/js/component/layout/TopBar.js').mock.calls.length).toBe(1)
基本上检查是否调用了模拟的子组件。
如果你真的想在这个级别测试 TopBar 组件的输出,你可能想要设置
jest.dontMock('../../src/js/component/layout/TopBar.js')
同时告诉 jest 不要模拟 TopBar 组件,以便渲染的DOM也包含 TopBar 组件的输出。
我根据您在Github测试子组件的示例创建了一个repo。有两个测试文件,一个用于模拟子组件的测试,另一个不模拟子组件。