使用CLI來為專案建立一個元件
1 | ng generate component heroes |
用這個指令,CLI會為我們初始化一個新的元件樣版
這時我們開啟app/heroes/heroes.component.ts
01 02 03 04 05 06 07 08 09 10 11 12 13 14 15 | import { Component, OnInit } from '@angular/core' ; @Component({ selector: 'app-heroes' , templateUrl: './heroes.component.html' , styleUrls: [ './heroes.component.css' ] }) export class HeroesComponent implements OnInit { constructor() { } ngOnInit() { } } |
只要創建元件,都必需從Angular去import Component。
而@Component則是用來定義這一個元件的相關資訊,有三個metadata
- selector: the components CSS element selector以及在HTML裡要宣告的TAG名稱
- templateUrl: 要使用的HTML樣版位置
- styleUrls: 專為這個元件設定的CSS
要注意的是,我們通常會使用export class,以方便在其他的模組裡可以import來使用
修改元件內容
打開heroes.component.ts
01 02 03 04 05 06 07 08 09 10 11 12 13 14 15 16 | import { Component, OnInit, ViewEncapsulation } from '@angular/core' ; @Component({ selector: 'app-heroes' , templateUrl: './heroes.component.html' , styleUrls: [ './heroes.component.css' ], encapsulation: ViewEncapsulation.None }) export class HeroesComponent implements OnInit { hero = 'heroes works!' ; //增加一個變數 constructor() { } ngOnInit() { } } |
修改heroes.component.html,使用{{hero}}來顯示剛剛在TS檔裡定義的變數
1 | < h1 >{{hero}}</ h1 > |
將元件放進頁面裡
打開src/app/app.component.html
1 | < app-heroes ></ app-heroes > |
這時候就可以在頁面中看到剛剛我們所增加的內容
使用物件
創建一個Hero物件
src/app/hero.ts
1 2 3 4 | export class Hero { id: number; name: string; } |
打開src/app/heroes/heroes.component.ts,給予物件正確的值
01 02 03 04 05 06 07 08 09 10 11 12 13 14 15 16 17 18 19 20 21 22 | import { Component, OnInit } from '@angular/core' ; import { Hero } from '../hero' ; @Component({ selector: 'app-heroes' , templateUrl: './heroes.component.html' , styleUrls: [ './heroes.component.css' ] }) export class HeroesComponent implements OnInit { //在這邊設定物件內容 hero: Hero = { id: 1, name: 'Windstorm' }; constructor() { } ngOnInit() { } } |
顯示在heroes.component.ts所設定的值
01 02 03 04 05 06 07 08 09 10 11 | < h2 >{{ hero.name }} Details</ h2 > < div >< span >id: </ span >{{hero.id}}</ div > < div >< span >name: </ span >{{hero.name}}</ div > |
如果希望將變數格式化
則可以使用
1 | < h2 >{{ hero.name | uppercase }} Details</ h2 > |
這個格式化的功能叫做Pipes,更多的說明請見Pipes說明
雙向繫結
Angular一個很方便的功能就是可以支持雙向繫結,使用[(ngModel)]能做到當欄位的值改變時,TS裡變數的值也同時被更改。
這個功能在做表單驗證時非常方便
詳細使用說明請見:NgModules
使用方法: 在src/app/heroes/heroes.component.html加上下面這段
1 2 3 4 5 | < div > < label >name: < input [(ngModel)]="hero.name" placeholder = "name" > </ label > </ div > |
接著要去app.module.ts去加上import資訊讓專案能夠使用ngModel標籤
要注意是在app.module.ts裡喔!
先import並且將FormsModule加進@ngModule的imports列表內,讓下面所有的元件都可以使用FormsModule的功能
import { FormsModule } from ‘@angular/forms’; // <-- NgModel lives here[/code]
[code lang="js"]imports: [
BrowserModule,
FormsModule
],[/code]
接著,要把剛剛我們所建立的元件HeroesComponent放進@NgModule.declarations裡
[code lang="js"]import { HeroesComponent } from './heroes/heroes.component';[/code]
在app.module.ts的@NgModule增加
[code lang="js"]
declarations: [
AppComponent,
HeroesComponent
],
[/code]
這時,我們會發現我們更動input裡的文字時,model的值也會被更改
今日練習成果下載:live example / download example.