8

我正在尝试为具有以下动画代码(在 componentDidMount 上调用)的动画组件运行快照测试:

animate() {
  Animated.loop(
    Animated.sequence([
      Animated.timing(this.state.pulseAnimation, {
        toValue: 1,
        duration: 1000,
        easing: Easing.in(Easing.ease)
      })
    ]),
    {
      iterations: this.props.totalNumPulses
    }
  ).start();
}

我尝试使用以下内容模拟 Animated :

  jest.mock('Animated', () => {
    return {
      loop: jest.fn(() => {
        return {
          start: jest.fn(),
          reset: jest.fn()
        };
      }),
      timing: jest.fn(() => {
        return {
          start: jest.fn(),
        };
      }),
      Value: jest.fn(() => {
        return {
          interpolate: jest.fn(),
        };
      }),
    };
  });

但是,运行测试会导致此错误:

TypeError: animation.reset is not a function

  54 |         iterations: this.props.totalNumPulses
  55 |       }
> 56 |     ).start();
  57 |   }
  58 | 

我已经将重置模拟放在不同的地方,并检查了 React Native 中“循环”方法的源代码,但没有成功模拟它。有没有人成功地做到过这一点?

4

3 回答 3

7

您的示例中的问题是您完全替换Animated为一个对象,而不是仅替换您需要测试的方法。

在下面的示例中,我模拟了它,parallel().start(callback)以便它立即调用回调。

// Tests/__mocks__/react-native.js

export const Animated = {
  ...RN.Animated,
  parallel: () => ({
    // immediately invoke callback
    start: (cb: () => void) => cb()
  })
};

这让我可以跳过动画并更好地测试我的start回调。Animated您可以对!的任何属性或子属性使用类似的方法。

于 2019-08-22T11:07:31.270 回答
4

react-native如果你正在使用 jest,你可以在你的 文件夹中创建一个 mock,__mocks__并从你需要的 react native 中模拟特定的函数/方法,而让 react-native 的其余部分保持不变。

import * as RN from 'react-native';

RN.Animated.timing = () => ({ // I'm mocking the Animated.timing here
    start: () => jest.fn(),
});

module.exports = RN;
于 2018-11-26T15:25:42.733 回答
0
import { Animated } from 'react-native';

const mockAnimated = () => {
  const mock = jest.fn(() => ({
    delay: () => jest.fn(),
    interpolate: () => jest.fn(),
    timing: () => jest.fn(),
    start: () => jest.fn(),
    stop: () => jest.fn(),
    reset: () => jest.fn(),
  }));

  Animated.parallel = mock;
  Animated.loop = mock;
  ...

  return Animated;
};
于 2022-01-07T10:25:09.567 回答