83

インスタンス変数でアノテーションを使用するコンポーネントを持っていて、メソッド@Input()の単体テストを作成しようとしていopenProductPage()ますが、単体テストのセットアップ方法が少しわかりません。そのインスタンス変数を publicにすることもできますが、それに頼る必要はないと思います。

openProductPage()モックされた製品が注入され (提供されますか?)、メソッドをテストできるように Jasmine テストをセットアップするにはどうすればよいですか?

私のコンポーネント:

import {Component, Input} from "angular2/core";
import {Router} from "angular2/router";

import {Product} from "../models/Product";

@Component({
    selector: "product-thumbnail",
    templateUrl: "app/components/product-thumbnail/product-thumbnail.html"
})

export class ProductThumbnail {
    @Input() private product: Product;


    constructor(private router: Router) {
    }

    public openProductPage() {
        let id: string = this.product.id;
        this.router.navigate([“ProductPage”, {id: id}]);
    }
}
4

4 に答える 4

52

を使用TestBed.configureTestingModuleしてテスト コンポーネントをコンパイルする場合は、別の方法があります。基本的には受け入れられた回答と同じですが、angular-cli が仕様を生成する方法に似ている可能性があります。ふぅ。

import { Component, CUSTOM_ELEMENTS_SCHEMA } from '@angular/core';
import { async, ComponentFixture, TestBed } from '@angular/core/testing';
import { DebugElement } from '@angular/core';

describe('ProductThumbnail', () => {
  let component: ProductThumbnail;
  let fixture: ComponentFixture<TestComponentWrapper>;

  beforeEach(async(() => {
    TestBed.configureTestingModule({
      declarations: [ 
        TestComponentWrapper,
        ProductThumbnail
      ],
      schemas: [CUSTOM_ELEMENTS_SCHEMA]
    })
    .compileComponents();

    fixture = TestBed.createComponent(TestComponentWrapper);
    component = fixture.debugElement.children[0].componentInstance;
    fixture.detectChanges();
  });

  it('should create', () => {
    expect(component).toBeTruthy();
  });
});

@Component({
  selector: 'test-component-wrapper',
  template: '<product-thumbnail [product]="product"></product-thumbnail>'
})
class TestComponentWrapper {
  product = new Product()
}
于 2016-12-13T03:58:57.097 に答える
27

productコンポーネント インスタンスがテスト内にロードされた後、コンポーネント インスタンスに値を設定する必要があります。

サンプルとして、ユースケースの基礎として使用できる入力内の単純なコンポーネントを次に示します。

@Component({
  selector: 'dropdown',
  directives: [NgClass],
  template: `
    <div [ngClass]="{open: open}">
    </div>
  `,
})
export class DropdownComponent {
  @Input('open') open: boolean = false;

  ngOnChanges() {
    console.log(this.open);
  }
}

そして対応するテスト:

it('should open', injectAsync([TestComponentBuilder], (tcb: TestComponentBuilder) => {
  return tcb.createAsync(DropdownComponent)
  .then(fixture => {
    let el = fixture.nativeElement;
    let comp: DropdownComponent = fixture.componentInstance;

    expect(el.className).toEqual('');

    // Update the input
    comp.open = true; // <-----------

    // Apply
    fixture.detectChanges(); // <-----------

    var div = fixture.nativeElement.querySelector('div');
    // Test elements that depend on the input
    expect(div.className).toEqual('open');
  });
}));

この plunkr をサンプルとして参照してください: https://plnkr.co/edit/YAVD4s?p=preview

于 2016-04-15T19:35:25.910 に答える
17

私は通常、次のようなことをします:

describe('ProductThumbnail', ()=> {
  it('should work',
    injectAsync([ TestComponentBuilder ], (tcb: TestComponentBuilder) => {
      return tcb.createAsync(TestCmpWrapper).then(rootCmp => {
        let cmpInstance: ProductThumbnail =  
               <ProductThumbnail>rootCmp.debugElement.children[ 0 ].componentInstance;

        expect(cmpInstance.openProductPage()).toBe(/* whatever */)
      });
  }));
}

@Component({
 selector  : 'test-cmp',
 template  : '<product-thumbnail [product]="mockProduct"></product-thumbnail>',
 directives: [ ProductThumbnail ]
})
class TestCmpWrapper { 
    mockProduct = new Product(); //mock your input 
}

クラスproductの他のフィールドは、このアプローチでプライベートにすることができることに注意してください(これが、もう少し冗長であるという事実にもかかわらず、ティエリーのアプローチよりも私が好む主な理由です)。ProductThumbnail

于 2016-04-15T19:37:46.223 に答える