13

因此,在 Angular2 的 RC5 版本中,他们弃用HTTP_PROVIDERSHttpModule. 对于我的应用程序代码,这工作正常,但我正在努力对我的 Jasmine 测试进行更改。

这是我目前在我的规范中所做的,但由于 HTTP_PROVIDERS 已被弃用,我现在应该做什么?我需要提供什么来代替 HTTP_PROVIDERS 吗?在 RC5 世界中这样做的正确方法是什么?

beforeEach(() => {
  reflectiveInjector = ReflectiveInjector.resolveAndCreate([
    HTTP_PROVIDERS,
    ...
  ]);

  //other code here...
});

it("should....", () => { ... });
4

2 回答 2

11

现在已弃用的 HTTP_PROVIDERS 被替换为 HttpModule 是 RC5。

在您的描述块中,添加具有必要导入和提供程序数组属性的 TestBed.configureTestingModule,如下所示:

describe("test description", () => {
    beforeEach(() => {
        TestBed.configureTestingModule({
            imports: [HttpModule],
            providers: [SomeService]
        });
    });
    it("expect something..", () => {
        // some expectation here
        ...
    })
})

这就是我如何让我的单元服务测试与 RC5 一起工作,希望这不会在下一个候选版本和最终版本之间发生变化。如果您像我一样,您可能会对发布候选版本之间发生的大量弃用感到沮丧。我希望事情尽快稳定下来!

于 2016-08-25T15:49:22.253 回答
2

从 pre-RC5 代码更新到 RC6 时,我遇到了类似的问题。为了扩展上面 Joe W 的答案,我替换了以下代码:

import { ReflectiveInjector, provide } from '@angular/core';
import { HTTP_PROVIDERS, RequestOptions } from '@angular/http';

export function main() {
  describe('My Test', () => {
    let myService: MyService;

    beforeAll(() => {
      let injector = ReflectiveInjector.resolveAndCreate([
        HTTP_PROVIDERS,
        provide(RequestOptions, { useValue: getRequestOptions() }),
        MyService
      ]);
      myService = injector.get(MyService);
    });

    it('should be instantiated by the injector', () => {
      expect(myService).toBeDefined();
    });
...

使用这个 RC6 代码(我猜它也应该适用于 RC5):

import { TestBed } from '@angular/core/testing';
import { HttpModule, RequestOptions } from '@angular/http';

export function main() {
  describe('My Test', () => {
    let myService: MyService;

    beforeAll(() => {
      TestBed.configureTestingModule({
        imports: [HttpModule],
        providers: [
          { provide: RequestOptions, useValue: getRequestOptions() },
          MyService
        ]
      });
      myService = TestBed.get(MyService);
    });

    it('should be instantiated by the testbed', () => {
      expect(myService).toBeDefined();
    });
...
于 2016-09-12T09:27:55.887 回答