How do I add a json web token to each header?

26,407

Solution 1

Create custom http class and override the request method to add the token in every http request.

http.service.ts

import {Injectable} from '@angular/core';
import {Http, XHRBackend, RequestOptions, Request, RequestOptionsArgs, Response, Headers} from '@angular/http';
import {Observable} from 'rxjs/Observable';
import 'rxjs/add/operator/map';
import 'rxjs/add/operator/catch';

@Injectable()
export class HttpService extends Http {

  constructor (backend: XHRBackend, options: RequestOptions) {
    let token = localStorage.getItem('auth_token'); // your custom token getter function here
    options.headers.set('Authorization', `Bearer ${token}`);
    super(backend, options);
  }

  request(url: string|Request, options?: RequestOptionsArgs): Observable<Response> {
    let token = localStorage.getItem('auth_token');
    if (typeof url === 'string') { // meaning we have to add the token to the options, not in url
      if (!options) {
        // let's make option object
        options = {headers: new Headers()};
      }
      options.headers.set('Authorization', `Bearer ${token}`);
    } else {
    // we have to add the token to the url object
      url.headers.set('Authorization', `Bearer ${token}`);
    }
    return super.request(url, options).catch(this.catchAuthError(this));
  }

  private catchAuthError (self: HttpService) {
    // we have to pass HttpService's own instance here as `self`
    return (res: Response) => {
      console.log(res);
      if (res.status === 401 || res.status === 403) {
        // if not authenticated
        console.log(res);
      }
      return Observable.throw(res);
    };
  }
}

Now, we need to configure our main module to provide the XHRBackend to our custom http class. In your main module declaration, add the following to the providers array:

app.module.ts

import { HttpModule, RequestOptions, XHRBackend } from '@angular/http';
import { HttpService } from './services/http.service';
...
@NgModule({
  imports: [..],
  providers: [
    {
      provide: HttpService,
      useFactory: (backend: XHRBackend, options: RequestOptions) => {
        return new HttpService(backend, options);
      },
      deps: [XHRBackend, RequestOptions]
    }
  ],
  bootstrap: [ AppComponent ]
})

After that, you can now use your custom http provider in your services. For example:

user.service.ts

import { Injectable }     from '@angular/core';
import {HttpService} from './http.service';

@Injectable()
class UserService {
  constructor (private http: HttpService) {}

  // token will added automatically to get request header
  getUser (id: number) {
    return this.http.get(`/users/${id}`).map((res) => {
      return res.json();
    } );
  }
}

Source

Solution 2

I see several options to set an header transparently for each request:

  • Implement an HttpClient service to use instead of the default Http one.
  • Provide your own implementation of the RequestOptions class
  • Override the Http class it self

This way you could set your header in one place and this would impact aok your HTTP calls.

See the following questions:

Share:
26,407
Morgan G
Author by

Morgan G

Updated on July 15, 2022

Comments

  • Morgan G
    Morgan G almost 2 years

    So I am trying to use JSON web tokens for authentication and am struggling trying to figure out how to attach them to a header and send them on a request.

    I was trying to use https://github.com/auth0/angular2-jwt but I could not get it working with Angular and gave up, and figured I could just figure out how to either send the JWT in every request or send it in the header(preferably the header). It's just been a little bit harder than I thought it would be.

    Here is my Login

    submitLogin(username, password){
            console.log(username);
            console.log(password);
            let body = {username, password};
            this._loginService.authenticate(body).subscribe(
                response => {
                    console.log(response);
                    localStorage.setItem('jwt', response);
                    this.router.navigate(['UserList']);
                }
            );
    
        }
    

    and my login.service

    authenticate(form_body){
            return this.http.post('/login', JSON.stringify(form_body), {headers: headers})
                    .map((response => response.json()));
        }
    

    I know these are not really needed but maybe it'd help! Once this token gets created and I store it, I would like to do 2 things, send it in the header and extract the expiration date that I put in with this.

    Some of the Node.js login code

    var jwt = require('jsonwebtoken');
    function createToken(user) {
      return jwt.sign(user, "SUPER-SECRET", { expiresIn: 60*5 });
    }
    

    Now I am just trying to pass it via an angular service back to node with this service.

    getUsers(jwt){
            headers.append('Authorization', jwt);
            return this.http.get('/api/users/', {headers: headers})
                .map((response => response.json().data));
        }
    

    JWT is my webtoken in local storage that I pass through my component to the service.

    I get no errors anywhere but when it gets to my node server I never receive it in the header.

    'content-type': 'application/json',
     accept: '*/*',
     referer: 'http://localhost:3000/',
     'accept-encoding': 'gzip, deflate, sdch',
     'accept-language': 'en-US,en;q=0.8',
     cookie: 'connect.sid=s%3Alh2I8i7DIugrasdfatcPEEybzK8ZJla92IUvt.aTUQ9U17MBLLfZlEET9E1gXySRQYvjOE157DZuAC15I',
     'if-none-match': 'W/"38b-jS9aafagadfasdhnN17vamSnTYDT6TvQ"' }
    
  • micronyks
    micronyks over 8 years
    Awesome ! very useful if you want to intercept every HTTP request.
  • Morgan G
    Morgan G over 8 years
    Thanks a ton!! I really appreciate you taking the time to answer all these angular2 questions, half the time my google searches lead me to your answers when I get stuck!
  • Costa Michailidis
    Costa Michailidis about 2 years
    Link is broken?