4

我正在为现有的 Vue 项目设置测试环境,我决定用 vue-test-utils 开玩笑。

一切都已安装并到位,但是当我导入组件时,我希望在 .test.js 文件中进行测试,并将组件添加到测试工具中,如下所示:

let wrapper = shallow(Home)

测试套件因错误而崩溃:TypeError: Cannot read property 'i18next' of undefined.

我决定模拟 i18next 模块,但我在模拟时遇到了问题。我的模拟看起来像这样:

jest.mock('i18next', () => ({
  init: () => {},
  use: () => {},
  t: k => k
}));

但我总是得到错误:

TypeError: Cannot read property 'init' of undefined

      35 |
      36 | i18next
    > 37 |      .use(Locize)
      38 |      .init(i18nextOptions);
      39 |
      40 | export default new VueI18Next(i18next);

可以以某种方式解释模拟 i18next 模块的正确方法,以便我的包装器对象可以初始化吗?另外,如果我做错了什么,请指出我正确的方向。下面是完整的测试用例:

import { shallow, mount, createLocalVue } from '@vue/test-utils';
import Home from '../../src/app/pages/home/index/index.vue';

jest.mock('i18next', () => ({
  init: () => {},
  use: () => {},
  t: k => k
}));

describe('Home Component', () => {

  let wrapper;

  beforeEach(() => {
    wrapper = shallow(Home);
  });

  it('something', () => {
    console.log('bleh');
    expect(wrapper.contains('div')).toBe(true);
  });

});

谢谢。

4

1 回答 1

3

错误Cannot read property 'init' of undefined发生在结果i18next.use(Locize)而不是i18next对象上。尝试将您的模拟更新为:

jest.mock('i18next', () => ({
  use: () => {
    init: () => {
      t: k => k,
      on: () => {}
    }
  }
}));

我使用这个文件作为这个模拟的参考:panter/vue-i18next/src/i18n.js

于 2018-02-14T14:44:48.657 回答