TypeScript入門-類

来源:http://www.cnblogs.com/qqandfqr/archive/2017/04/06/6675995.html
-Advertisement-
Play Games

▓▓▓▓▓▓ 大致介紹 在ECMASript6中引入了類這一概念,通過class聲明一個類。對於學習過C和C++的人應該不會陌生 ▓▓▓▓▓▓ 類 看一個簡單的類: 在上面的例子中,利用class關鍵字聲明瞭一個類Greeter,在類中,定義了一個屬性,一個構造函數和一個方法 ▓▓▓▓▓▓ 繼承 類 ...


▓▓▓▓▓▓ 大致介紹

  在ECMASript6中引入了類這一概念,通過class聲明一個類。對於學習過C和C++的人應該不會陌生

 

▓▓▓▓▓▓ 類

  看一個簡單的類:

class Greeter {
    greeting: string;
    constructor(message: string){
        this.greeting = message;
    };
    greet(){
        return "Hello, " + this.greeting;
    }
}

let greeter = new Greeter('world');

  在上面的例子中,利用class關鍵字聲明瞭一個類Greeter,在類中,定義了一個屬性,一個構造函數和一個方法

 

▓▓▓▓▓▓ 繼承

  類通常都是用來繼承的,但是Typescript中的繼承和C中的繼承還是有點差別的

  例如:

class Animal {
    name:string;
    constructor(theName: string) { this.name = theName; }
    move(distanceInMeters: number = 0) {
        console.log(`${this.name} moved ${distanceInMeters}m.`);
    }
}

class Snake extends Animal {
    constructor(name: string) { super(name); }
    move(distanceInMeters = 5) {
        console.log("Slithering...");
        super.move(distanceInMeters);
    }
}

class Horse extends Animal {
    constructor(name: string) { super(name); }
    move(distanceInMeters = 45) {
        console.log("Galloping...");
        super.move(distanceInMeters);
    }
}

let sam = new Snake("Sammy the Python");
let tom: Animal = new Horse("Tommy the Palomino");

sam.move();
tom.move(34);

  首先定義了一個類Animal,之後利用關鍵字extends定義了一個繼承Animal的類Snake,可以發現在Snake的構造函數里使用了super()方法,這是因為包含constructor函數的派生類必須調用super(),它會執行基類的構造方法。

  在繼承類中重寫了構造函數,super.move()是繼承父類的方法

 

 

▓▓▓▓▓▓ public、private和protected

  這三個概念對於學習過C的人應該很容易理解

  public:公開的,在類外也是可以訪問的

  之前寫的類中都是預設為public

class Animal {
    public name: string;
    public constructor(theName: string) { this.name = theName; }
    public move(distanceInMeters: number) {
        console.log(`${this.name} moved ${distanceInMeters}m.`);
    }
}

 

  private:私有的,只有在該類中可以訪問,在繼承類中都不可訪問

class Animal {
    private name: string;
    public constructor(message: string){
        this.name = message;
    }
}

let animal = new Animal('cat');
animal.name;//error

 

  protected:保護的,是介於public和private之間的,和private的區別就是在繼承類中時可以訪問的

class Animal {
    private name: string;
    protected sex: string;
    public constructor(message: string){
        this.name = message;
    }
}

class Snake extends Animal {
    constructor(message){super(message)};
    get(){
        console.log(this.name); //error
        console.log(this.sex);
    }
}

  在上面的例子中,name是private,在繼承類中是不可以訪問的,而sex是可以被訪問的,當然這兩個屬性在類外都不可以被訪問

  註意:如果一個類的構造函數被聲明為protected,這意味著這個類不能在包含它的類外被實例化,但是能被繼承。

 

▓▓▓▓▓▓ readonly修飾符

  可以用關鍵字readonly聲明屬性為只讀的,只讀屬性必須是在聲明時或者構造函數里初始化

class Octopus {
    readonly name: string;
    readonly numberOfLegs: number = 8;
    constructor (theName: string) {
        this.name = theName;
    }
}
let dad = new Octopus("Man with the 8 strong legs");
dad.name = "Man with the 3-piece suit"; // error! name is readonly.

 

▓▓▓▓▓▓ 參數屬性

  利用參數屬性可以簡寫很多代碼

class Octopus {
    name: string;
    constructor (theName: string) {
        this.name = theName;
    }
}

//利用參數屬性
class Octopus {
    constructor(public name: string){}
}

  這兩段代碼的作用是一樣的

 

▓▓▓▓▓▓ 存取器

  TypeScript支持getters/setters來截取對對象成員的訪問。 它能幫助你有效的控制對對象成員的訪問。

let passcode = "secret passcode";

class Employee {
    private _fullName: string;

    get fullName(): string {
        return this._fullName;
    }

    set fullName(newName: string) {
        if (passcode && passcode == "secret passcode") {
            this._fullName = newName;
        }
        else {
            console.log("Error: Unauthorized update of employee!");
        }
    }
}

let employee = new Employee();
employee.fullName = "Bob Smith";
if (employee.fullName) {
    alert(employee.fullName);
}

 

▓▓▓▓▓▓ 抽象類

  抽象類是供其它類繼承的基類。 他們一般不會直接被實例化。 不同於介面,抽象類可以包含成員的實現細節。abstract關鍵字是用於定義抽象類和在抽象類內部定義抽象方法。抽象類中的抽象方法不包含具體實現並且必須在派生類中實現。

abstract class Department {

    constructor(public name: string) {
    }

    printName(): void {
        console.log('Department name: ' + this.name);
    }

    abstract printMeeting(): void; // 必須在派生類中實現
}

class AccountingDepartment extends Department {

    constructor() {
        super('Accounting and Auditing'); // constructors in derived classes must call super()
    }

    printMeeting(): void {
        console.log('The Accounting Department meets each Monday at 10am.');
    }

    generateReports(): void {
        console.log('Generating accounting reports...');
    }
}

let department: Department; // ok to create a reference to an abstract type
department = new Department(); // error: cannot create an instance of an abstract class
department = new AccountingDepartment(); // ok to create and assign a non-abstract subclass
department.printName();
department.printMeeting();
department.generateReports(); // error: method doesn't exist on declared abstract type

 

參考資料:

   TypeScript Handbook(中文版)

 


您的分享是我們最大的動力!

-Advertisement-
Play Games
更多相關文章
  • 本人的博客寫了grunt的小教程,從零開始,一步一步的通過例子講解,希望喜歡的同學給我的github上加顆星,謝謝! github地址: https://github.com/manlili/grunt_learn grunt入門:點擊我學習 grunt配置:點擊我學習 grunt創建任務:點擊我學 ...
  • 翻譯自angular.io上的關於4.0.0版本發佈的文章,內容主要是介紹了4.0.0版本下的改進以及接下來還會有的其他更新,4.0.0其實已經出來好多天了,截止目前都已經到了4.0.1版本了,這也是前兩日筆者一時興起拿想ng2寫個自己的新網站時安裝angular時無意發現幾個模板與組件聲明時的錯誤 ...
  • CSS3 旋轉的八卦圖 ...
  • 嗯,前面講了javascript的一些基本的符號和語句,咱們繼續來學習學習流程式控制制語句~~ ps:講在前面,通過學習別人的博客,我發現一個問題,我對字體顏色的使用很少(基本不用),可能因為眼睛的問題,我對顏色確實不太敏感,甚至對讓人眼花繚亂的顏色有一定程度的厭惡,一篇顏色單調的文章,著實不能讓人一眼 ...
  • 今天分享一個比較實用的技巧,在實際項目中我們會經常遇到表單的input標簽多選和單選的問題,但是往往由於標簽自身的樣式和我們項目的風格很不搭調,就不能實現了,今天就來告訴大家怎麼去實現吧。 第一種:利用偽類:(開源中國) 需要註意的是:在頁面佈局中,還是有input【type=checkbox】的: ...
  • 現在利用之前我們學過的JavaScript知識,實現選項卡切換的效果。 ...
  • JS函數調用Javascript 函數有 4 種調用方式。每種方式的不同在於this的初始化。this關鍵字 一般而言,在Javascript中,this指向函數執行時的當前對象。但是this是保留關鍵字,並不能被修改。 調用函數,函數中的代碼在函數被調用後執行。 以上函數不屬於任何對象,但是在JS ...
  • 文檔對象模型(Document Object Model,DOM)是一種用於HTML和XML文檔的編程介面。它給文檔提供了一種結構化的表示方法,可以改變文檔的內容和呈現方式。我們最為關心的是,DOM把網頁和腳本以及其他的編程語言聯繫了起來。DOM屬於瀏覽器,而不是JavaScript語言規範里的規定 ...
一周排行
    -Advertisement-
    Play Games
  • 移動開發(一):使用.NET MAUI開發第一個安卓APP 對於工作多年的C#程式員來說,近來想嘗試開發一款安卓APP,考慮了很久最終選擇使用.NET MAUI這個微軟官方的框架來嘗試體驗開發安卓APP,畢竟是使用Visual Studio開發工具,使用起來也比較的順手,結合微軟官方的教程進行了安卓 ...
  • 前言 QuestPDF 是一個開源 .NET 庫,用於生成 PDF 文檔。使用了C# Fluent API方式可簡化開發、減少錯誤並提高工作效率。利用它可以輕鬆生成 PDF 報告、發票、導出文件等。 項目介紹 QuestPDF 是一個革命性的開源 .NET 庫,它徹底改變了我們生成 PDF 文檔的方 ...
  • 項目地址 項目後端地址: https://github.com/ZyPLJ/ZYTteeHole 項目前端頁面地址: ZyPLJ/TreeHoleVue (github.com) https://github.com/ZyPLJ/TreeHoleVue 目前項目測試訪問地址: http://tree ...
  • 話不多說,直接開乾 一.下載 1.官方鏈接下載: https://www.microsoft.com/zh-cn/sql-server/sql-server-downloads 2.在下載目錄中找到下麵這個小的安裝包 SQL2022-SSEI-Dev.exe,運行開始下載SQL server; 二. ...
  • 前言 隨著物聯網(IoT)技術的迅猛發展,MQTT(消息隊列遙測傳輸)協議憑藉其輕量級和高效性,已成為眾多物聯網應用的首選通信標準。 MQTTnet 作為一個高性能的 .NET 開源庫,為 .NET 平臺上的 MQTT 客戶端與伺服器開發提供了強大的支持。 本文將全面介紹 MQTTnet 的核心功能 ...
  • Serilog支持多種接收器用於日誌存儲,增強器用於添加屬性,LogContext管理動態屬性,支持多種輸出格式包括純文本、JSON及ExpressionTemplate。還提供了自定義格式化選項,適用於不同需求。 ...
  • 目錄簡介獲取 HTML 文檔解析 HTML 文檔測試參考文章 簡介 動態內容網站使用 JavaScript 腳本動態檢索和渲染數據,爬取信息時需要模擬瀏覽器行為,否則獲取到的源碼基本是空的。 本文使用的爬取步驟如下: 使用 Selenium 獲取渲染後的 HTML 文檔 使用 HtmlAgility ...
  • 1.前言 什麼是熱更新 游戲或者軟體更新時,無需重新下載客戶端進行安裝,而是在應用程式啟動的情況下,在內部進行資源或者代碼更新 Unity目前常用熱更新解決方案 HybridCLR,Xlua,ILRuntime等 Unity目前常用資源管理解決方案 AssetBundles,Addressable, ...
  • 本文章主要是在C# ASP.NET Core Web API框架實現向手機發送驗證碼簡訊功能。這裡我選擇是一個互億無線簡訊驗證碼平臺,其實像阿裡雲,騰訊雲上面也可以。 首先我們先去 互億無線 https://www.ihuyi.com/api/sms.html 去註冊一個賬號 註冊完成賬號後,它會送 ...
  • 通過以下方式可以高效,並保證數據同步的可靠性 1.API設計 使用RESTful設計,確保API端點明確,並使用適當的HTTP方法(如POST用於創建,PUT用於更新)。 設計清晰的請求和響應模型,以確保客戶端能夠理解預期格式。 2.數據驗證 在伺服器端進行嚴格的數據驗證,確保接收到的數據符合預期格 ...