212

我正在使用 moment.js 在我的 React 组件的帮助文件中执行大部分日期逻辑,但我无法弄清楚如何在 Jest a la 中模拟日期sinon.useFakeTimers()

Jest 文档仅谈论诸如 等的计时器功能setTimeoutsetInterval但无助于设置日期,然后检查我的日期功能是否完成了它们应做的事情。

这是我的一些 JS 文件:

var moment = require('moment');

var DateHelper = {
  
  DATE_FORMAT: 'MMMM D',
  API_DATE_FORMAT: 'YYYY-MM-DD',
  
  formatDate: function(date) {
    return date.format(this.DATE_FORMAT);
  },

  isDateToday: function(date) {
    return this.formatDate(date) === this.formatDate(moment());
  }
};


module.exports = DateHelper;

这是我使用 Jest 设置的:

jest.dontMock('../../../dashboard/calendar/date-helper')
    .dontMock('moment');

describe('DateHelper', function() {
  var DateHelper = require('../../../dashboard/calendar/date-helper'),
      moment = require('moment'),
      DATE_FORMAT = 'MMMM D';

  describe('formatDate', function() {

    it('should return the date formatted as DATE_FORMAT', function() {
      var unformattedDate = moment('2014-05-12T00:00:00.000Z'),
          formattedDate = DateHelper.formatDate(unformattedDate);

      expect(formattedDate).toEqual('May 12');
    });

  });

  describe('isDateToday', function() {

    it('should return true if the passed in date is today', function() {
      var today = moment();

      expect(DateHelper.isDateToday(today)).toEqual(true);
    });
    
  });

});

现在这些测试通过了,因为我正在使用 moment 并且我的函数使用 moment 但它似乎有点不稳定,我想将日期设置为测试的固定时间。

关于如何实现的任何想法?

4

21 回答 21

210

从 Jest 26 开始,这可以使用“现代”假计时器来实现,而无需安装任何 3rd 方模块:https ://jestjs.io/blog/2020/05/05/jest-26#new-fake-timers

jest
  .useFakeTimers()
  .setSystemTime(new Date('2020-01-01').getTime());

如果您希望假计时器对所有测试都处于活动状态,您可以timers: 'modern'在配置中进行设置:https ://jestjs.io/docs/configuration#timers-string

编辑:截至 Jest 27 现代假计时器是默认设置,因此您可以将参数放到useFakeTimers.

于 2020-08-12T13:02:35.247 回答
205

由于 momentjs 在Date内部使用,您只需覆盖该Date.now函数以始终返回相同的时刻。

Date.now = jest.fn(() => 1487076708000) //14.02.2017

或者

Date.now = jest.fn(() => new Date(Date.UTC(2017, 1, 14)).valueOf())
于 2017-03-14T13:23:47.053 回答
139

对于快速而肮脏的解决方案,请使用jest.spyOn锁定时间:

let dateNowSpy;

beforeAll(() => {
    // Lock Time
    dateNowSpy = jest.spyOn(Date, 'now').mockImplementation(() => 1487076708000);
});

afterAll(() => {
    // Unlock Time
    dateNowSpy.mockRestore();
});

更新:

如需更强大的解决方案,请查看timekeeper

import timekeeper from 'timekeeper';

beforeAll(() => {
    // Lock Time
    timekeeper.freeze(new Date('2014-01-01'));
});

afterAll(() => {
    // Unlock Time
    timekeeper.reset();
});
于 2017-12-12T20:45:46.653 回答
104

MockDate可用于开玩笑测试以更改new Date()返回的内容:

var MockDate = require('mockdate');
// I use a timestamp to make sure the date stays fixed to the ms
MockDate.set(1434319925275);
// test code here
// reset to native Date()
MockDate.reset();
于 2015-06-14T22:23:41.437 回答
28

对于那些想要在new Date对象上模拟方法的人,您可以执行以下操作:

beforeEach(() => {
    jest.spyOn(Date.prototype, 'getDay').mockReturnValue(2);
    jest.spyOn(Date.prototype, 'toISOString').mockReturnValue('2000-01-01T00:00:00.000Z');
});

afterEach(() => {
    jest.restoreAllMocks()
});
于 2020-02-11T15:05:19.830 回答
8

jest-date-mock是我自己写的一个完整的 javascript 模块,它是用来在 jest 上测试 Date 的。

import { advanceBy, advanceTo } from 'jest-date-mock';

test('usage', () => {
  advanceTo(new Date(2018, 5, 27, 0, 0, 0)); // reset to date time.

  const now = Date.now();

  advanceBy(3000); // advance time 3 seconds
  expect(+new Date() - now).toBe(3000);

  advanceBy(-1000); // advance time -1 second
  expect(+new Date() - now).toBe(2000);

  clear();
  Date.now(); // will got current timestamp
});

对测试用例使用仅有的 3 个 api。

  • AdvanceBy(ms):将日期时间戳提前毫秒。
  • AdvanceTo([timestamp]):将日期重置为时间戳,默认为 0。
  • clear():关闭模拟系统。
于 2018-06-05T06:36:48.123 回答
6

以下是针对不同用例的一些可读方法。我更喜欢使用间谍而不是保存对原始对象的引用,这些引用可能会在其他一些代码中被意外覆盖。

一次性嘲讽

jest
  .spyOn(global.Date, 'now')
  .mockImplementationOnce(() => Date.parse('2020-02-14'));

几个测试

let dateSpy;

beforeAll(() => {
  dateSpy = jest
    .spyOn(global.Date, 'now')
    .mockImplementation(() => Date.parse('2020-02-14'));
});

afterAll(() => {
  dateSpy.mockRestore();
});
于 2020-06-02T13:12:33.397 回答
4

所有仅基于模拟的答案Date.now()都不会在任何地方都有效,因为某些包(例如moment.js)使用new Date()了。

在这种情况下,答案的依据MockDate是我认为唯一真正正确的。如果你不想使用外部包,你可以直接写在你的beforeAll

  const DATE_TO_USE = new Date('2017-02-02T12:54:59.218Z');
  // eslint-disable-next-line no-underscore-dangle
  const _Date = Date;
  const MockDate = (...args) => {
    switch (args.length) {
      case 0:
        return DATE_TO_USE;
      default:
        return new _Date(...args);
    }
  };
  MockDate.UTC = _Date.UTC;
  MockDate.now = () => DATE_TO_USE.getTime();
  MockDate.parse = _Date.parse;
  MockDate.toString = _Date.toString;
  MockDate.prototype = _Date.prototype;
  global.Date = MockDate;
于 2018-03-05T19:59:35.037 回答
3

这就是我嘲笑我的Date.now()方法将年份设置为 2010 年进行测试的方式

jest
  .spyOn(global.Date, 'now')
  .mockImplementationOnce(() => new Date(`2010`).valueOf());
于 2020-02-18T06:22:57.403 回答
2

这对我有用:

const mockDate = new Date('14 Oct 1995')
global.Date = jest.fn().mockImplementation(() => mockDate) // mock Date "new" constructor
global.Date.now = jest.fn().mockReturnValue(mockDate.valueOf()) // mock Date.now
于 2020-10-30T02:04:36.637 回答
1

就我而言,我必须在测试之前模拟整个 Date 和 'now' 函数:

const mockedData = new Date('2020-11-26T00:00:00.000Z');

jest.spyOn(global, 'Date').mockImplementation(() => mockedData);

Date.now = () => 1606348800;

describe('test', () => {...})

于 2020-11-26T11:47:34.493 回答
1

我想使用手动模拟,所以它可以在所有测试中使用。

// <rootDir>/__mocks__/moment.js
const moment = jest.requireActual('moment')

Date.now = jest.fn(() => 1558281600000) // 2019-05-20 00:00:00.000+08:00

module.exports = moment
于 2019-05-23T02:28:45.050 回答
1

稍微改进@pranava-s-balugari 响应

  1. 它不影响new Date(something)
  2. 模拟日期可以更改。
  3. 它也适用于 Date.now
const DateOriginal = global.Date;

global.Date = class extends DateOriginal {
    constructor(params) {
        if (params) {
          super(params)
        } else if (global.Date.NOW === undefined) {
          super()
        } else {
          super(global.Date.NOW)
        }
    }
    static now () {
      return new Date().getTime();
    }
}

afterEach(() => {
  global.Date.NOW = undefined;
})

afterAll(() => {
  global.Date = DateOriginal;
});

describe('some test', () => {
  afterEach(() => NOW = undefined);

  it('some test', () => {
     Date.NOW = '1999-12-31T23:59:59' // or whatever parameter you could pass to new Date([param]) to get the date you want


     expect(new Date()).toEqual(new Date('1999-12-31T23:59:59'));
     expect(new Date('2000-01-01')).toEqual(new Date('2000-01-01'));
     expect(Date.now()).toBe(946681199000)

     Date.NOW = '2020-01-01'

     expect(new Date()).toEqual(new Date('2020-01-01'));
  })
})
于 2021-05-25T07:29:57.880 回答
1

接受的答案效果很好 -

Date.now = jest.fn().mockReturnValue(new Date('2021-08-29T18:16:19+00:00'));

但是如果我们想在管道中运行单元测试,我们必须确保我们使用相同的时区。为此,我们还必须模拟时区 -

jest.config.js

process.env.TZ = 'GMT';

module.exports = {
 ...
};

另请参阅:时区的完整列表(列 TZ 数据库名称)

于 2021-09-09T18:50:39.013 回答
1

我正在使用 moment + moment-timezone ,但这些都不适合我。

这有效:

jest.mock('moment', () => {
  const moment = jest.requireActual('moment');
  moment.now = () => +new Date('2022-01-18T12:33:37.000Z');
  return moment;
});

于 2022-01-20T18:54:43.500 回答
1

我想提供一些替代方法。

如果您需要存根format()(可能取决于语言环境和时区!)

import moment from "moment";
...
jest.mock("moment");
...
const format = jest.fn(() => 'April 11, 2019')
moment.mockReturnValue({ format })

如果您只需要存根moment()

import moment from "moment";
...
jest.mock("moment");
...
const now = "moment(\"2019-04-11T09:44:57.299\")";
moment.mockReturnValue(now);

关于上面函数的测试,我相信最简单的方法是根本isDateToday不模拟moment

于 2019-04-11T07:47:29.943 回答
0

我发现最好的方法就是用你正在使用的任何功能覆盖原型。

Date.prototype.getTimezoneOffset = function () {
   return 456;
};

Date.prototype.getTime = function () {
      return 123456;
};
于 2021-05-07T15:48:37.553 回答
0

我只是想在这里插话,因为如果您只想Date在特定套件中模拟对象,没有答案可以解决这个问题。

您可以使用每个套件的 setup 和 teardown 方法来模拟它,jest docs

/**
 * Mocking Date for this test suite
 */
const globalDate = Date;

beforeAll(() => {
  // Mocked Date: 2020-01-08
  Date.now = jest.fn(() => new Date(Date.UTC(2020, 0, 8)).valueOf());
});

afterAll(() => {
  global.Date = globalDate;
});

希望这可以帮助!

于 2020-01-08T21:53:28.147 回答
0

您可以使用date-faker。让您相对更改当前日期:

import { dateFaker } from 'date-faker';
// or require if you wish: var { dateFaker } = require('date-faker');

// make current date to be tomorrow
dateFaker.add(1, 'day'); // 'year' | 'month' | 'day' | 'hour' | 'minute' | 'second' | 'millisecond'.

// change using many units
dateFaker.add({ year: 1, month: -2, day: 3 });

// set specific date, type: Date or string
dateFaker.set('2019/01/24');

// reset
dateFaker.reset();
于 2020-03-17T07:51:52.110 回答
0

以下测试存根 Date 在测试生命周期中返回一个常量。

如果您new Date()在项目中使用过,那么您可以在测试文件中模拟它,如下所示:

  beforeEach(async () => {
    let time_now = Date.now();
    const _GLOBAL: any = global;
    _GLOBAL.Date = class {
      public static now() {
        return time_now;
      }
    };
}

现在无论您将new Date()在测试文件中使用什么,它都会产生相同的时间戳。

注意:您可以替换beforeEachbeforeAll. 并且_GLOBAL只是满足打字稿的代理变量。

我试过的完整代码:

let time_now;
const realDate = Date;

describe("Stubbed Date", () => {
  beforeAll(() => {
    timeNow = Date.now();
    const _GLOBAL: any = global;
    _GLOBAL.Date = class {
      public static now() {
        return time_now;
      }

      constructor() {
        return time_now;
      }

      public valueOf() {
        return time_now;
      }
    };
  });

  afterAll(() => {
    global.Date = realDate;
  });

  it("should give same timestamp", () => {
    const date1 = Date.now();
    const date2 = new Date();
    expect(date1).toEqual(date2);
    expect(date2).toEqual(time_now);
  });
});

它对我有用。

于 2021-08-04T09:16:41.167 回答
0

目标是用固定日期模拟 new Date() 在组件渲染期间用于测试目的的任何地方。如果您只想模拟 new Date() fn,那么使用库将是一项开销。

想法是将全局日期存储到临时变量,模拟全局日期,然后在使用后将临时重新分配给全局日期。

export const stubbifyDate = (mockedDate: Date) => {
    /**
     * Set Date to a new Variable
     */
    const MockedRealDate = global.Date;

    /**
     *  Mock Real date with the date passed from the test
     */
    (global.Date as any) = class extends MockedRealDate {
        constructor() {
            super()
            return new MockedRealDate(mockedDate)
        }
    }

    /**
     * Reset global.Date to original Date (MockedRealDate) after every test
     */
    afterEach(() => {
        global.Date = MockedRealDate
    })
}

Usage in your test would be like

import { stubbyifyDate } from './AboveMethodImplementedFile'

describe('<YourComponent />', () => {
    it('renders and matches snapshot', () => {
        const date = new Date('2019-02-18')
        stubbifyDate(date)

        const component = renderer.create(
            <YourComponent data={}/>
        );
        const tree = component.toJSON();
        expect(tree).toMatchSnapshot();
    });
});


于 2019-09-18T04:59:04.787 回答