今天我们要讲的ng2的service这个概念,和ng1一样,service通常用于发送http请求,但其实你可以在里面封装任何你想封装的方法,有时候控制器之间的通讯也是依靠service来完成的,让我们一睹为快!
例子是官方的例子,加载一个英雄列表,点击显示详细信息。我直接放在我们的升级后的装备里面。
源代码
在ng2里面如何编写服务呢?非常简单,你只需要在你的类上面装饰一个Injectable即可。
src/app/hero.service.ts(部分代码)
@Injectable() export class HeroService { getHeroes() { return Promise.resolve(HEROES); } // See the "Take it slow" appendix getHeroesSlowly() { return new Promise<Hero[]>(resolve => setTimeout(() => resolve(HEROES), 2000) // 2 seconds ); } }
以上代码我们干了哪些事儿呢?
有的同学会问:resolve的数据哪去了?Promise是什么?我们继续讲解。
如果你玩过ng1,你一定对promise不陌生,因为我们经常在路由里面写resolve,这里就可以接受一个Promise对象。还有ng1中的$q.defer()等等。
但是promise并不是ng1的专利,你可以在你的任何javascript程序中使用promise,因为在ES6中已经原生提供Promise对象。你可以查看它的用法,这里我简单描述下:
那么我们为何要使用promise呢?主要是为了解决回调地狱的问题。因为有了promise,你不必再写深层的回调,而是像极了同步的写法。
这是我的一个ng1的项目的部分代码,用promise的then()来解决回调地狱。
Auth.$createUser({email: email, password: pass}) .then(function() { // authenticate so we have permission to write to Firebase return Auth.$authWithPassword({ email: email, password: pass }); }) .then(function(user) { // create a user profile in our data store var ref = wdutil.ref('users', user.uid); return wdutil.handler(function(cb) { ref.set({email: email, name: $scope.name||firstPartOfEmail(email)}, cb); }); }) .then(function(/* user */) { $scope.wait.show=false; // redirect to the account page $location.path('/account'); }, function(err) { $scope.wait.show=false; $scope.alerts.push({type:'danger',msg:wdutil.errMessage(err)}); });
在编写这个服务的过程中我们使用了interface这个概念,这个知识点属于ts的范畴,我们通常在接口中声明类型,有点像react中的propTypes:
src/app/hero.ts
export interface Hero {
id: number;
name: string;
}
然后我们在我们的服务中使用了这个接口:
src/app/hero.service.ts(部分代码)
import {Hero} from './hero';
src/app/hero.service.ts(部分代码)
return new Promise<Hero[]>(resolve => setTimeout(() => resolve(HEROES), 2000) // 2 seconds );
除此之外,我们在我们的组件里面也多次使用了这个接口:
src/app/app.component.ts
heroes: Hero[];
selectedHero: Hero;
src/app/hero-detail.component.ts
export class HeroDetailComponent {
hero: Hero;
}
到此为止,我们的服务就算是写好了!
让我们在组件中测试一下我们写好的服务吧:
src/app/app.component.ts(部分代码)
import {HeroService} from './hero.service';
src/app/app.component.ts(部分代码)
providers: [HeroService]
src/app/app.component.ts(部分代码)
constructor(private _heroService: HeroService) { } getHeroes() { this._heroService.getHeroes().then(heroes => this.heroes = heroes); }
以上代码我们干了这些事儿:
这里的getHeroes()返回了一个Promise,所以我们可以使用then来处理接下来要发生的事。
如果您觉得本博客教程帮到了您,就赏颗星吧!
https://github.com/lewis617/angular2-tutorial