Angular2处理http响应

时间:2015-11-26 15:09:04

标签: typescript angular

我刚才有一个关于构建和处理服务中http请求的响应的问题。我正在使用 Angular2.alpha46 Typescript (刚开始测试它 - 我喜欢... Ps ..感谢所有一直在努力并通过github贡献的人们)

所以请注意以下几点:

登录-form.component.ts

import {Component, CORE_DIRECTIVES, FORM_DIRECTIVES} from 'angular2/angular2';
import {UserService} from '../../shared/service/user.service';
import {Router} from 'angular2/router';
import {User} from '../../model/user.model';
import {APP_ROUTES, Routes} from '../../core/route.config';

@Component({
    selector: 'login-form',
    templateUrl: 'app/login/components/login-form.component.html',
    directives: [CORE_DIRECTIVES, FORM_DIRECTIVES]
})

export class LoginFormComponent {
    user: User;
    submitted: Boolean = false;

    constructor(private userService:UserService, private router: Router) {
        this.user = new User();
    }

    onLogin() {
        this.submitted = true;

        this.userService.login(this.user,
            () => this.router.navigate([Routes.home.as]))
    }
}

从这个组件导入我的userService,它将存放我的http请求以登录用户服务,如下所示:

user.service.ts

import {Inject} from 'angular2/angular2';
import {Http, HTTP_BINDINGS, Headers} from 'angular2/http';
import {ROUTER_BINDINGS} from 'angular2/router';
import {User} from '../../model/user.model';

export class UserService {

    private headers: Headers;

    constructor(@Inject(Http) private http:Http) {
    }

    login(user: User, done: Function) {
        var postData = "email=" + user.email + "&password=" + user.password;

        this.headers = new Headers();
        this.headers.append('Content-Type', 'application/x-www-form-urlencoded');

        this.http.post('/auth/local', postData, {
                headers: this.headers
            })
            .map((res:any) => res.json())
            .subscribe(
                data => this.saveJwt(data.id_token),
                err => this.logError(err),
                () => done()
            );
    }

    saveJwt(jwt: string) {
        if(jwt) localStorage.setItem('id_token', jwt)
    }

    logError(err: any) {
        console.log(err);
    }
}

我想要做的是能够处理http请求后调用返回的响应。例如,如果用户凭证无效,我会从后端传回401响应。我的问题是处理响应的最佳方法是什么,并将结果返回给我调用方法的组件,这样我就可以操纵视图来显示成功消息或显示错误消息。

目前在我的登录服务中,我目前没有处理响应,我只是回调原始组件,但我觉得这不是正确的方法吗?是否有人可以了解他们在这种典型场景中会做些什么?我会在订阅函数的第一个参数中处理响应,如:

 login(user: User, done: Function) {
     var postData = "email=" + user.email + "&password=" + user.password;

    this.headers = new Headers();
    this.headers.append('Content-Type', 'application/x-www-form-urlencoded');

    this.http.post('/auth/local', postData, {
            headers: this.headers
        })
        .map((res:any) => res.json())
        .subscribe(
            (data) => {
                // Handle response here
                let responseStat = this.handleResponse(data.header)

                // Do some stuff
                this.saveJwt(data.id_token);

                // do call back to original component and pass the response status
                done(responseStat);
            },
            err => this.logError(err)
        );
}

handleResponse(header) {
    if(header.status != 401) {
        return 'success'
    } 

    return 'error blah blah'
}

在这种情况下,回叫是否正常,或者可以通过观察或承诺更好地处理?

总结我要问的是......处理来自http响应的响应并处理 user.service.ts 中表单视图中的状态的最佳做法是什么?到 login-form.component.ts

3 个答案:

答案 0 :(得分:87)

更新alpha 47

从alpha 47开始,不再需要以下答案(对于alpha46及以下)。现在,Http模块自动处理返回的错误。所以现在就这么简单

http
  .get('Some Url')
  .map(res => res.json())
  .subscribe(
    (data) => this.data = data,
    (err) => this.error = err); // Reach here if fails

Alpha 46及以下

您可以在map(...)之前的subscribe处理响应。

http
  .get('Some Url')
  .map(res => {
    // If request fails, throw an Error that will be caught
    if(res.status < 200 || res.status >= 300) {
      throw new Error('This request has failed ' + res.status);
    } 
    // If everything went fine, return the response
    else {
      return res.json();
    }
  })
  .subscribe(
    (data) => this.data = data, // Reach here if res.status >= 200 && <= 299
    (err) => this.error = err); // Reach here if fails

这是一个plnkr,其中有一个简单的例子。

请注意,在下一个版本中,这不是必需的,因为低于200且高于299的所有状态代码都会自动抛出错误,因此您无需亲自检查它们。请查看此commit了解详情。

答案 1 :(得分:11)

in angular2 2.1.1我无法使用(数据),(错误)模式捕获异常,因此我使用.catch(...)实现了它。

它很好,因为它可以与所有其他Observable链式方法一起使用,例如.retry .map等。

import {Observable} from 'rxjs/Rx';


  Http
  .put(...)
  .catch(err =>  { 
     notify('UI error handling');
     return Observable.throw(err); // observable needs to be returned or exception raised
  })
  .subscribe(data => ...) // handle success

来自documentation

  

返回

     

(Observable):一个可观察的序列,包含来自连续源序列的元素,直到源序列成功终止。

答案 2 :(得分:4)

服务:

import 'rxjs/add/operator/map';

import { Http } from '@angular/http';
import { Observable } from "rxjs/Rx"
import { Injectable } from '@angular/core';

@Injectable()
export class ItemService {
  private api = "your_api_url";

  constructor(private http: Http) {

  }

  toSaveItem(item) {
    return new Promise((resolve, reject) => {
      this.http
        .post(this.api + '/items', { item: item })
        .map(res => res.json())
        // This catch is very powerfull, it can catch all errors
        .catch((err: Response) => {
          // The err.statusText is empty if server down (err.type === 3)
          console.log((err.statusText || "Can't join the server."));
          // Really usefull. The app can't catch this in "(err)" closure
          reject((err.statusText || "Can't join the server."));
          // This return is required to compile but unuseable in your app
          return Observable.throw(err);
        })
        // The (err) => {} param on subscribe can't catch server down error so I keep only the catch
        .subscribe(data => { resolve(data) })
    })
  }
}

在应用中:

this.itemService.toSaveItem(item).then(
  (res) => { console.log('success', res) },
  (err) => { console.log('error', err) }
)