Get Started
Here is link to amazing tutorial for someone who wanted to learn from real angular developers...
Angular 2 has it's way for writing unit tests, it is pretty resembles the angular1. The same jasmine, only in typescript
Example of Testing Person Model
Lets start with models since they are usual javascript objects:
(person-model.ts):
export class PersonModel {
constructor(
public firstname: string = '',
public lastname: string = ''
) {};
}
So here how the tests should look:
(person-model.spec.ts):
import {PersonModel} from './person-model';
describe('PersonModel', () => {
it('should return the correct properties', () => {
var person = new PersonModel();
person.firstname = 'Shlomo';
person.lastname = 'The King';
expect(person.firstname).toBe('Shlomo');
expect(person.lastname).toBe('The King');
});
});
Nothing complicate here...
Testing Angular2 Service
Next step I want to show how to test some service.
Services are usually built for send http requests and bring data:
import {Injectable} from '@angular/core';
import {Http} from '@angular/http';
import 'rxjs/add/operator/map';
@Injectable()
export class UsersService {
constructor(private http:Http) { }
get(){
return this.http.get('api/users.json')
.map(response => response.json());
}
}
The Users service has only one method - get So, this is how the tests should look:
users.service.spec.ts
import {inject, TestBed, async} from '@angular/core/testing';
import {HttpModule} from '@angular/http';
import {UsersService} from './users.service'
describe('Service: UsersService', () => {
let service;
//setup
beforeEach(() => TestBed.configureTestingModule({
imports: [ HttpModule ],
providers: [ UsersService ]
}));
beforeEach(inject([UsersService], s => {
service = s;
}));
//specs
it('should return available users (async)', async(() => {
service.get().subscribe(x => {
expect(x).toContain('sasha');
expect(x).toContain('vasia');
expect(x).toContain('pasha');
expect(x.length).toEqual(3);
});
}));
})
Note that I'm using TestBed utility to initiate ngModel and the service with injected Http.
here is working plunker
No comments:
Post a Comment