18

我有以下组件:

// Hello.js
export default (React) => ({name}) => {
  return (
    <div>
      Hello {name ? name : 'Stranger'}!
    </div>
  )
}

// App.js
import createHello from './Hello'

export default (React) => () => {
  const Hello = createHello(React)
  const helloProps = {
    name: 'Jane'
  }
  return (
    <Hello { ...helloProps } />
  )
}

// index.js
import React from 'react'
import { render } from 'react-dom'
import createApp from './App'

const App = createApp(React)

render(
  <App />,
  document.getElementById('app')
)

我想设置一个测试,看看App组件是否包含一个Hello组件。我尝试了以下方法,使用Tapeand Enzyme

import createApp from './App'
import React from 'react'
import test from 'tape'
import { shallow } from 'enzyme'

test('App component test', (assert) => {
  const App = createApp(React)
  const wrapper = shallow(<App />)
  assert.equal(wrapper.find('Hello').length === 1, true)
})

但结果是 result 的length属性find等于0,而我期望它等于1。那么,如何找到我的Hello组件?

4

2 回答 2

23

在这种情况下,您可以做几件事。Enzyme 可以根据构造函数的静态.displayName.name属性,或通过引用相等来匹配组件构造函数。因此,以下方法都应该有效:

直接参考

您可以在测试中导入实际组件并使用对组件的直接引用找到它们:

// NavBar-test.js

import NavBar from './path/to/NavBar';  
...  
wrapper.find(NavBar).length)

命名函数表达式

如果您使用命名函数表达式来创建无状态函数组件,则名称应该仍然有效。

// NavBar.js  

module.exports = function NavBar(props) { ... }

静态.displayName属性

您可以在组件上添加静态.displayName属性:

// NavBar.js

const NavBar = (props) => { ... };
NavBar.displayName = 'NavBar';
于 2016-02-14T17:06:11.070 回答
0

尝试Hello在文件顶部导入组件,然后更新断言以找到实际组件而不是它的名称。如下所示:

import createApp from './App'
import Hello from './Hello'
import React from 'react'
import test from 'tape'
import { shallow } from 'enzyme'

test('App component test', (assert) => {
  const App = createApp(React)
  const wrapper = shallow(<App />)
  assert.equal(wrapper.find(Hello).length === 1, true)
})

顺便说一句,对于所有酶用户来说,断言将类似于:

expect(wrapper.find(Hello)).toHaveLength(1);
于 2021-02-11T14:35:44.903 回答