我的组件:

// @flow
import React from 'react'

type Props = {
  close: Function,
  name: string
}

const MyComponent = ({ close, name }: Props) => (
  <div className='click' onClick={close}>
    {name}
  </div>
)

export default MyComponent


我的酶测试:

// @flow
import React from 'react'
import assert from 'assert'
import { shallow } from 'enzyme'
import sinon from 'sinon'

import MyComponent from 'client/apps/spaces/components/slideouts/record-settings/myc'

const defaultProps = {
  close: () => {},
  name: 'My Name'
}

const render = (props) => shallow(<MyComponent {...defaultProps} {...props} />)

describe('<MyComponent />', () => {
  it('renders the name', () => {
    const component = render()

    assert.equal(component.find('.click').text(), 'My Name')
  })

  it('calls close on Click', () => {
    const close = sinon.spy()
    const component = render({ close })
    const clickableDiv = component.find('.click')
    clickableDiv.simulate('click')

    assert(close.calledOnce)
  })
})


测试通过了,但是尽管name确实作为defaultProps对象的一部分传入了,但在我的'MyComponent'声明中却给出了以下流错误,该声明引用了测试中的渲染行。零件:


  属性'name'在react元素的props中找不到属性
  “ MyComponent”

最佳答案

因此,如果我完全删除了第二项测试,则上面编写的流程没有错误。

我认为问题在于,每当我将某些内容传递给测试文件中的render()时,flow只会检查组件上的替代道具,而不是所有组件。

像这样重写我的测试渲染功能解决了我的问题:

const render = (overrideProps) => {
  const props = {
    ...defaultProps,
    ...overrideProps
  }

  return shallow(<MyComponent {...props} />)
}

08-19 23:19