Mat*_*ood 5 testing angularfire2 angular
如何在我的app.component中提供AngularFirestore模块,以便我的默认toBeTruthy()
测试通过?
Error: StaticInjectorError(DynamicTestModule)[AppComponent -> AngularFirestore]:
StaticInjectorError(Platform: core)[AppComponent -> AngularFirestore]:
NullInjectorError: No provider for AngularFirestore!
Run Code Online (Sandbox Code Playgroud)
应用组件
export class AppComponent implements OnInit {
private notesCollection: AngularFirestoreCollection<any>;
public notes: Observable<any[]>;
constructor(private afs: AngularFirestore) {}
ngOnInit() {
this.notesCollection = this.afs.collection('notes');
this.notes = this.notesCollection.valueChanges();
}
}
Run Code Online (Sandbox Code Playgroud)
这只是默认测试:
class FirebaseMock implements AngularFirestore {
app: FirebaseApp;
firestore: FirebaseFirestore;
persistenceEnabled$: Observable<boolean>;
collection<T>(path: string, queryFn?: QueryFn): AngularFirestoreCollection<T> {
return undefined;
}
doc<T>(path: string): AngularFirestoreDocument<T> {
return undefined;
}
createId(): string {
return undefined;
}
}
describe('AppComponent', () => {
let component: AppComponent;
let fixture: ComponentFixture<AppComponent>;
beforeEach(
async(() => {
TestBed.configureTestingModule({
imports: [
RouterTestingModule,
],
declarations: [ AppComponent ],
providers: [
{
provide: AngularFirestoreModule,
useClass: FirebaseMock
},
],
}).compileComponents();
}),
);
beforeEach(() => {
fixture = TestBed.createComponent(AppComponent);
component = fixture.componentInstance;
fixture.detectChanges();
});
it('should create', () => {
expect(component).toBeTruthy();
});
});
Run Code Online (Sandbox Code Playgroud)
您必须模拟“ AngularFirestore”或按原样注入它并在其方法上创建间谍程序,以便它不会被调用。我不建议第二种选择,因为它需要注入真实的服务,这也可能取决于其他服务。因此,您也必须注入它们,最终可能需要数百万个服务才能仅测试一个组件。因此,让我们选择第一个选项。
如果在您的组件中通常使用它,则建议您为这些服务创建一个“存根”模块,然后将此模块导入要测试的组件测试模块中。如果仅用于此组件,则可以创建类似以下的简单内容:(让我们从简单的内容开始,然后再创建模块)
app.component.spec.ts
describe('AppComponent', () => {
let component: AppComponent;
let fixture: ComponentFixture<AppComponent>;
const AngularFirestoreStub = {
// I just mocked the function you need, if there are more, you can add them here.
collection: (someString) => {
// return mocked collection here
}
};
beforeEach(
async(() => {
TestBed.configureTestingModule({
imports: [ RouterTestingModule],
// I used 'useValue' because it is just a json. If it was class, I'd use 'useClass'
providers: [{provide: AngularFirestore, useValue: AngularFirestoreStub}]
declarations: [ AppComponent ]
}).compileComponents();
})
);
beforeEach(() => {
fixture = TestBed.createComponent(AppComponent); // Should be fine
component = fixture.componentInstance;
fixture.detectChanges();
});
it('should create', () => {
expect(component).toBeTruthy(); // Should pass
});
});
Run Code Online (Sandbox Code Playgroud)
如我之前所说,如果AngularFirestore
您的许多组件使用的是服务,请在您的项目中的某个地方创建一个存根模块(在我的项目中,我创建了一个testing
文件夹并将其放在旁边src
)
CommonServiceModuleStub
@NgModule({
providers: [{provide: AngularFirestore, useClass: AngularFirestoreStub}]
})
export class CommonServiceModuleStub {}
// I'd recommend you put this service in a subfolder.
// This time, I created a class instead of a json.
// It is because, your other components may require more 'mocked' functions.
// It may be harder to maintain them within a json.
@Injectable()
export class AngularFirestoreStub {
collection(someString) {
// return mock collection;
}
}
Run Code Online (Sandbox Code Playgroud)
现在,您不必导入自己,而只需导入我们刚刚创建的模块
app.component.spec.ts
...
TestBed.configureTestingModule({
imports: [ RouterTestingModule, CommonServiceModuleStub],
declarations: [ AppComponent ]
}).compileComponents();
Run Code Online (Sandbox Code Playgroud)
选项2
有时,您的服务是简单的,并且您不想费心去“模拟”它们。看下面的例子
app.component.ts
@Component({ ... })
export class AppComponent {
constructor(private myService: AwesomeService) {}
doSomethingCool() {
this.myService.getAwesomeStuff();
}
}
Run Code Online (Sandbox Code Playgroud)
TestBed
首先配置
app.component.spec.ts
...
TestBed.configureTestingModule({
imports: [ RouterTestingModule],
// since, 'AwesomeService' is a service on its own and
// doesn't require other services, we easily provide it here
providers: [ AwesomeService ]
declarations: [ AppComponent ]
}).compileComponents();
Run Code Online (Sandbox Code Playgroud)
并在测试中
it('should do something cool without getting awesome stuff', () => {
spyOn(component.myService, 'getAwesomeStuff');
// Note: if you want to spy on it and you want it to get called for real
// you should do following
// spyOn(component.myService, 'getAwesomeStuff').and.callThrough();
// or return fake output
// spyOn(component.myService, 'getAwesomeStuff')
// .and.callFake((arguments, can, be, received) => {
// return fake;
// });
component.doSomethingCool();
expect(component.myService.getAwesomeStuff).toHaveBeenCalled();
});
Run Code Online (Sandbox Code Playgroud)
有关更多信息,您可以看看茉莉花文档