Angular - How to use HttpClientModule?
Angular 4.3 introduced a new module, HttpClientModule,
which is a complete rewrite of the existing HttpModule.
This article will show you how to easily migrate to this new module, and why you should (spoiler: because it's way better 🦄).
Here is a short video we made to show you what's new with this HttpClientModule.
The rest of the article focuses on what you have to do to migrate your apps. It assumes an app generated with Angular CLI, but if that's not your case, you'll still be able to follow, minus some file names that might differ for you.
Migrate your application
The first step is to remove the @angular/http package from your
package.json file.
Indeed the new HttpClientModule is in the @angular/common/http package,
and @angular/common should already be in your package.json file.
Save your file, and run NPM or Yarn to update the node_modules.
You should start to see compilation errors in your application,
as all the imports from @angular/http are now breaking.
That's good, because it tells you all the files you'll have to migrate.
The first obvious one is your app.module.ts file,
which contains your main NgModule.
Replace HttpModule with HttpClientModule
in your module's imports field,
and update the TypeScript import from:
import { HttpModule } from '@angular/http';to:
import { HttpClientModule } from '@angular/common/http';The second step is to replace every instance of the service Http
with the new service HttpClient.
This is will usually be the case in your services.
This is where using the new HttpClient will shine:
you don't have to manually extract the JSON anymore \o/!
So a service which was looking like that:
import { Injectable } from '@angular/core';
import { Http } from '@angular/http';
import { Observable } from 'rxjs/Observable';
import 'rxjs/add/operator/map';
import { UserModel } from './user.model';
@Injectable()
export class UserService {
  constructor(private http: Http) {}
  list(): Observable<UserModel> {
    return this.http.get('/api/users')
      .map(response => response.json())
  }
}can be rewritten as:
import { Injectable } from '@angular/core';
import { HttpClient } from '@angular/common/http';
import { Observable } from 'rxjs/Observable';
import { UserModel } from './user.model';
@Injectable()
export class UserService {
  constructor(private http: HttpClient) {}
  list(): Observable<UserModel> {
    return this.http.get('/api/users');
  }
}Feels good to remove this code, doesn't it?
Migrate your tests
Now let's move on to the unit tests.
Testing services with HTTP requests was really verbose with HttpModule...
You probably had something like:
describe('UserService', () => {
  beforeEach(() => TestBed.configureTestingModule({
    imports: [HttpModule],
    providers: [
      MockBackend,
      BaseRequestOptions,
      {
        provide: Http,
        useFactory: (backend, defaultOptions) => new Http(backend, defaultOptions),
        deps: [MockBackend, BaseRequestOptions]
      },
      UserService
    ]
  }));
  it('should list the users', async(() => {
    const userService = TestBed.get(UserService);
    const mockBackend = TestBed.get(MockBackend);
    // fake response
    const expectedUsers = [{ name: 'Cédric' }];
    const response = new Response(new ResponseOptions({ body: expectedUsers }));
    // return the response if we have a connection to the MockBackend
    mockBackend.connections.subscribe((connection: MockConnection) => {
      expect(connection.request.url).toBe('/api/users');
      expect(connection.request.method).toBe(RequestMethod.Get);
      connection.mockRespond(response);
    });
    userService.list().subscribe((users: Array<UserModel>) => {
      expect(users).toEqual(expectedUsers);
    });
  }));
});You can now use the new testing API, which is much, much nicer:
describe('UserService', () => {
  beforeEach(() => TestBed.configureTestingModule({
    imports: [HttpClientTestingModule],
    providers: [UserService]
  }));
  it('should list the users', () => {
    const userService = TestBed.get(UserService);
    const http = TestBed.get(HttpTestingController);
    // fake response
    const expectedUsers = [{ name: 'Cédric' }];
    let actualUsers = [];
    userService.list().subscribe((users: Array<UserModel>) => {
      actualUsers = users;
    });
    http.expectOne('/api/users').flush(expectedUsers);
    expect(actualUsers).toEqual(expectedUsers);
  });
});That should remove a lot of errors you have or all of them.
Maybe you were also adding headers or params to your requests.
The new HttpClient allows it too:
const params = new HttpParams().set('page', '1');
this.http.get('/api/users', { params });
const headers = new HttpHeaders().set('Authorization', `Bearer ${token}`);
this.http.get('/api/users', { headers });In the example above, I set the JWT token needed in the Authorization header.
This is something you probably repeat a lot of times in your services,
as every request needs it.
The new module introduces a very interesting feature: interceptors. These interceptors are called for every request and response, and allow to easily handle tasks like adding a header to every request, or handling errors in a generic way for example.
First create your interceptor:
@Injectable()
export class GithubAPIInterceptor implements HttpInterceptor {
  intercept(req: HttpRequest<any>, next: HttpHandler): Observable<HttpEvent<any>> {
    return next.handle(req);
  }
}Then add your custom logic, for example to add an OAUTH token to every Github API request, but not to the other requests:
@Injectable()
export class GithubAPIInterceptor implements HttpInterceptor {
  intercept(req: HttpRequest<any>, next: HttpHandler): Observable<HttpEvent<any>> {
    // if it is a Github API request
    if (req.url.includes('api.github.com')) {
      // we need to add an OAUTH token as a header to access the Github API
      const clone = req.clone({ setHeaders: { 'Authorization': `token ${OAUTH_TOKEN}` } });
      return next.handle(clone);
    }
    // if it's not a Github API request, we just handle it to the next handler
    return next.handle(req);
  }
}If you want to learn more about this API and Angular in general, you can check out our ebook, online training (Pro Pack) and training!
← Article plus ancien
🎂 Ninja Squad a 5 ans 🥂 !
Article plus récent →
What's new in Angular 4.3?
Étiquettes
Nos livres en vente


Prochaines sessions de formation
- Du 17 au 20 nov. 2025Angular : de Ninja à Héros (à distance)
- Du 1 au 4 déc. 2025Vue : de Zéro à Ninja (à distance)
- Du 8 au 11 déc. 2025Angular : de Zéro à Ninja (à distance)
- Du 19 au 22 janv. 2026Angular : de Ninja à Héros (à distance)
- Du 9 au 12 févr. 2026Vue : de Zéro à Ninja (à distance)
- Du 2 au 5 mars 2026Angular : de Zéro à Ninja (à distance)
