web-dev-qa-db-ja.com

Angular 2 Karma Test 'component-name'は既知の要素ではありません

AppComponentでは、HTMLコードでnavコンポーネントを使用しています。 UIは正常に見えます。 ng serveを実行してもエラーはありません。アプリを見るとコンソールにエラーはありません。

しかし、私のプロジェクトでKarmaを実行すると、エラーが発生します。

Failed: Template parse errors: 
'app-nav' is not a known element:
1. If 'app-nav' is an Angular component, then verify that it is part of this module.
2. If 'app-nav' is a Web Component then add 'CUSTOM_ELEMENTS_SCHEMA' to the '@NgModule.schemas' of this component to suppress this message.

私のapp.module.ts

がある:

import { NavComponent } from './nav/nav.component';

NgModuleの宣言部分にもあります

@NgModule({
  declarations: [
    AppComponent,
    CafeComponent,
    ModalComponent,
    NavComponent,
    NewsFeedComponent
  ],
  imports: [
    BrowserModule,
    FormsModule,
    HttpModule,
    JsonpModule,
    ModalModule.forRoot(),
    ModalModule,
    NgbModule.forRoot(),
    BootstrapModalModule,
    AppRoutingModule
  ],
  providers: [],
  bootstrap: [AppComponent]
})

NavComponentAppComponentを使用しています

app.component.ts

import { Component, ViewContainerRef } from '@angular/core';
import { Overlay } from 'angular2-modal';
import { Modal } from 'angular2-modal/plugins/bootstrap';
import { NavComponent } from './nav/nav.component';

@Component({
  selector: 'app-root',
  templateUrl: './app.component.html',
  styleUrls: ['./app.component.css']
})
export class AppComponent {
  title = 'Angela';
}

app.component.html

<app-nav></app-nav>
<div class="container-fluid">
</div>

私は同様の質問を見ましたが、その質問の答えは、その中にエクスポートがあるnavコンポーネントにNgModuleを追加する必要があると言っていますが、それを行うとコンパイルエラーが発生します。

以下もあります:app.component.spec.ts

import {NavComponent} from './nav/nav.component';
import { TestBed, async } from '@angular/core/testing';
import { AppComponent } from './app.component';
68
Angela Pan

単体テストでは、アプリケーションの他の部分からほとんど分離されたコンポーネントをテストするため、Angularはデフォルトでコンポーネント、サービスなどのモジュールの依存関係を追加しません。したがって、テストでは手動で行う必要があります。基本的に、ここには2つのオプションがあります。

A)テストで元のNavComponentを宣言します

describe('AppComponent', () => {
  beforeEach(async(() => {
      TestBed.configureTestingModule({
        declarations: [
          AppComponent,
          NavComponent
        ]
      }).compileComponents();
    }));

B)NavComponentのモック

describe('AppComponent', () => {
  beforeEach(async(() => {
      TestBed.configureTestingModule({
        declarations: [
          AppComponent,
          MockNavComponent
        ]
      }).compileComponents();
    }));

// it(...) test cases 

});

@Component({
  selector: 'app-nav',
  template: ''
})
class MockNavComponent {
}

詳細については 公式ドキュメント をご覧ください。

108
Kim Kern

NO_ERRORS_SCHEMAを使用することもできます

describe('AppComponent', () => {
beforeEach(async(() => {
  TestBed.configureTestingModule({
    declarations: [
      AppComponent
    ],
    schemas: [NO_ERRORS_SCHEMA]
  }).compileComponents();
}));

https://www.ng-conf.org/mocking-dependencies-angular/

4
Adrian