6

我有一个使用新React.createRef()api的组件,如何测试document.activeElement应该等于当前的参考组件。

零件 :

export class Automatic extends Component {
    componentDidMount = () => this.focusContainer()
    componentDidUpdate = () => this.focusContainer()

    container = React.createRef()
    focusContainer = () => this.container.current.focus()

    render = () => {
        return (
            <div
                name='automatic'
                onKeyPress={this.captureInput}
                onBlur={() => setTimeout(() => this.focusContainer(), 0)}
                ref={this.container}
                tabIndex={0}
            >
               ...
            </div>
}

旧测试(工作):

it('should focus container on mount', () => {
    automatic = mount(<Automatic classes={{}} />, mountContext)

    document.activeElement.should.be.equal(automatic.ref('container'))
})

新的(不起作用):

it.only('should focus container on mount', () => {
    const container = React.createRef()
    automatic = mount(<Automatic classes={{}} />, mountContext)

    document.activeElement.should.be.equal(automatic.ref(container.current))
})
4

2 回答 2

7

更新了工作示例。添加了样式组件示例。

这是我用 Jest 解决它的方法(使用不同的断言,但概念是相同的):

// setup
const MyComponent = React.forwardRef((props, ref) => (
    <div>
        <span ref={ref}>some element</span>
    </div>
))

// test
it('should contain the forwarded ref in the child span', () => {
    const ref = React.createRef()
    const component = mount(
        <Fragment>
            <MyComponent ref={ref} />
        </Fragment>,
    )

    expect(component.find('span').instance()).toEqual(ref.current)
})
  • 这个想法是获取具有ref.
  • 它似乎只在包装MyComponent另一个元素时才有效,我使用了Fragment.

我在使用 **Styled-Components 时遇到了一些麻烦。这是因为它创建了许多额外的元素。尝试使用console.log(component.debug()). 它将向您展示酶的作用。

调试时,您会看到 Styled-Components 使用推荐的方式来转发 props。

您可以使用属性选择器找到正确的元素forwardedRef

// setup
const El = styled.div`
    color: red;
`

El.displayName = 'El'

const MyComponentWithStyledChild = React.forwardRef((props, ref) => (
    <El ref={ref}>some element</El>
))

// test
it('should contain the forwarded ref in a rendered styled-component', () => {
    const ref = React.createRef()
    const component = mount(
        <Fragment>
            <MyComponentWithStyledChild ref={ref} />
        </Fragment>,
    )

    // Styled-components sets prop `forwardedRef`
    const target = component
        .find('[forwardedRef]')
        .childAt(0)
        .instance()

    expect(target).toEqual(ref.current)
})
  • 如果您创建了需要传递的高阶组件 (HoC),则可以使用相同的技巧ref
于 2018-11-04T11:26:29.803 回答
0
it('should focus container on mount', () => {
  automatic = mount(<Automatic classes={{}} />, mountContext)

        document.activeElement.should.be.equal(automatic.instance().container.current)
    })
于 2018-06-06T12:57:11.160 回答