I am unit-testing a component which renders a list of codes from server.
Response coming is of this format:
{
ContactActivityView :[
{
Code:"AB",
IsActive:false,
},
{
Code:"BC",
IsActive:true,
}
..
...
]
}
In my component.ts file I consume it in the following way:
codesArray: ICodeModel[];
ngOnInit() {
this.getCodes();
}
getCodes() {
this.service.getCodes()
.subscribe((response: ICodeModel[] | []) => {
this.codesArray = response['ContactActivityView'];
},
error => console.log(error)
);
}
It works fine and I am able to show my data using component.html file:
..
...
<div class="message" *ngIf="codesArray.length === 0">
No Data Found.
</div>
<div class="tbl-row" *ngFor="let code of codesArray">
<div class="item">
{{ code.Code }}
</div>
<div class="item">
{{ code.IsActive }}
</div>
..
...
component.service file:
..
...
getCodes(): Observable<ICodeModel[]> {
return this._service.get(this.codeURL);
}
..
...
Now when I run my component.spec file it gives me an error:
TypeError: Cannot read property 'length' of undefined
I realized that in .html my codesArray
is undefined
due to which length is undefined
.
I console
my codesArray
. It is showing data in comp.ts file but comes undefined
in comp.spec file
Not sure what am I doing wrong as I am able to render the data properly, but somehow my test is failing. Here's my component.spec file
..
...
class MockCodesService {
getCodes(): Observable<ICodeModel[]> {
return of([]);
}
addCode(param: ICodeModel){
return of({});
}
updateCode(param: ICodeModel) {
return of({});
}
}
describe('CodesComponent', () => {
let component: CodesComponent;
let fixture: ComponentFixture<CodesComponent>;
beforeEach(async(() => {
TestBed.configureTestingModule({
declarations: [
CodesComponent
],
providers: [
{ provide: CommonCrudService, useClass: CommonCrudMockService },
{ provide: MessageService, useClass: MessageMockService },
{ provide: AppService, useClass: AppMockService },
{ provide: CodesService, useClass: MockCodesService }
],
schemas: [NO_ERRORS_SCHEMA]
})
.compileComponents();
}));
beforeEach(() => {
fixture = TestBed.createComponent(CodesComponent);
component = fixture.componentInstance;
fixture.detectChanges();
});
it('should create', () => {
expect(component).toBeTruthy();
});
});
Thanks.