安装
npm install typescript -g
开始
安装完ts后让我们新建一个文件来进行TS操作,可以通过手动建,也可以用命令行:
mkdir TScd TStouch hello.ts// 创建完文件后 在文件中输入:console.log("Hello world!");// 并在控制台执行tsc hello.ts// 会生成一个.js文件
常用类型
基本常见类型构建复杂类型的基础
js中的原始类型:string、number、boolean 它们在typeScript中都有对应的类型,并与操作符typeOf的结果一样;
const firstName: string = 'mike';console.log(firstName);const age: number = 11;console.log(age);const isTrue: boolean = true;console.log(isTrue);
数组
数组有两种书写方式number[]、Array
let arr1: number[] = [1, 2, 3];let arr2: Array<number> = [1, 2, 3];console.log(arr1, arr2);// 注意 [number] 和 number[] 是不同的两个概念前者代表的是元组,后者表示的是由数字组成的数组
any
any代表任意类型,即如果把类型设置为any,与没有设置类型相同,以下都不会报错。
let obj: any = { x: 0 };// None of the following lines of code will throw compiler errors.// Using `any` disables all further type checking, and it is assumed// you know the environment better than TypeScript.obj.foo();obj();obj.bar = 100;obj = "hello";const n: number = obj;
函数(Function)
函数是 JavaScript 传递数据的主要方法。TypeScript 允许你指定函数的输入值和输出值的类型。
参数类型注解
// Parameter type annotationfunction greet(name: string) {console.log("Hello, " + name.toUpperCase() + "!!");}// 当参数有了类型注解的时候,TypeScript 便会检查函数的实参:// 类型“number”的参数不能赋给类型“string”的参数。ts(2345)greet(11);
返回值类型注解
在这个函数中可以看到在参数列表后面加上了返回值注解,其实在实际应用中, 我们不必每个函数都添加
function getFavoriteNumber(): number {return 26;}
TypeScript 会基于它的 return 语句推断函数的返回类型。像这个例子中,类型注解写和没写都是一样的,但一些代码库会显式指定返回值的类型,可能是因为需要编写文档,或者阻止意外修改,亦或者仅仅是个人喜好。
匿名函数
匿名函数有一点不同于函数声明,当 TypeScript 知道一个匿名函数将被怎样调用的时候,匿名函数的参数会被自动的指定类型。
这是一个例子:
// No type annotations here, but TypeScript can spot the bugconst names = ["Alice", "Bob", "Eve"];// Contextual typing for functionnames.forEach(function (s) {console.log(s.toUppercase());// Property 'toUppercase' does not exist on type 'string'. Did you mean 'toUpperCase'?});// Contextual typing also applies to arrow functionsnames.forEach((s) => {console.log(s.toUppercase());// Property 'toUppercase' does not exist on type 'string'. Did you mean 'toUpperCase'?});
尽管参数 s 并没有添加类型注解,但 TypeScript 根据 forEach 函数的类型,以及传入的数组的类型,最后推断出了 s 的类型。
这个过程被称为上下文推断(contextual typing),因为正是从函数出现的上下文中推断出了它应该有的类型。
对象类型
除了原始类型,最常见的就是对象类型了
// The parameter's type annotation is an object typefunction printCoord(pt: { x: number; y: number }) {console.log("The coordinate's x value is " + pt.x);console.log("The coordinate's y value is " + pt.y);}printCoord({ x: 3, y: 7 });
可选属性
对象类型可以指定一个或者所有属性为可选类型,只需要在属性后面添加 ?.
function printName(obj: { first: string; last?: string }) {// ...}// Both OKprintName({ first: "Bob" });printName({ first: "Alice", last: "Alisson" });
注意在 JavaScript 中,如果你获取一个不存在的属性,你会得到一个 undefined 而不是一个运行时错误。因此,当你获取一个可选属性时,你需要在使用它前,先检查一下是否是 undefined。
function printName(obj: { first: string; last?: string }) {// Error - might crash if 'obj.last' wasn't provided!console.log(obj.last.toUpperCase());// Object is possibly 'undefined'.if (obj.last !== undefined) {// OKconsole.log(obj.last.toUpperCase());}// A safe alternative using modern JavaScript syntax:// 即可选链的方式,也是我们现在推荐的方式console.log(obj.last?.toUpperCase());}
联合类型
TypeScript 类型系统允许你使用一系列的操作符,基于已经存在的类型构建新的类型。现在我们知道如何编写一些基础的类型了,是时候把它们组合在一起了。
简单理解就是把一些基础类型组合在一起,让我们来看个例子
// Parameter type annotationfunction greet(name: string | number) {console.log("Hello, " + name + "!!");}// 当我们使用联合类型的时候,这就不会报错了greet(11);
注意如果我们使用了联合类型,就不能使用单一类型上存在的方法了:
function printId(id: number | string) {console.log(id.toUpperCase());// Property 'toUpperCase' does not exist on type 'string | number'.// Property 'toUpperCase' does not exist on type 'number'.}
解决方案是用代码收窄联合类型,就像你在 JavaScript 没有类型注解那样使用。当 TypeScript 可以根据代码的结构推断出一个更加具体的类型时,类型收窄就会出现。
举个例子,TypeScript 知道,对一个 string 类型的值使用 typeof 会返回字符串 “string”:
function printId(id: number | string) {if (typeof id === "string") {// In this branch, id is of type 'string'console.log(id.toUpperCase());} else {// Here, id is of type 'number'console.log(id);}}
类型别名
我们已经学会在类型注解里直接使用对象类型和联合类型,这很方便,但有的时候,一个类型会被使用多次,此时我们更希望通过一个单独的名字来引用它。
这就是类型别名(type alias)。所谓类型别名,顾名思义,一个可以指代任意类型的名字。类型别名的语法是:
type Point = {x: number;y: number;};// Exactly the same as the earlier examplefunction printCoord(pt: Point) {console.log("The coordinate's x value is " + pt.x);console.log("The coordinate's y value is " + pt.y);}printCoord({ x: 100, y: 100 });
注意别名是唯一的别名,你不能使用类型别名创建同一个类型的不同版本。当你使用类型别名的时候,它就跟你编写的类型是一样的。换句话说,代码看起来可能不合法,但对 TypeScript 依然是合法的,因为两个类型都是同一个类型的别名:
type UserInputSanitizedString = string;function sanitizeInput(str: string): UserInputSanitizedString {return sanitize(str);}// Create a sanitized inputlet userInput = sanitizeInput(getInput());// Can still be re-assigned with a string thoughuserInput = "new input";
接口
接口声明(interface declaration)是命名对象类型的另一种方式:
interface Point {x: number;y: number;}function printCoord(pt: Point) {console.log("The coordinate's x value is " + pt.x);console.log("The coordinate's y value is " + pt.y);}printCoord({ x: 100, y: 100 });
类型别名和接口的区别
类型别名和接口非常相似,大部分时候,你可以任意选择使用。接口的几乎所有特性都可以在 type 中使用,两者最关键的差别在于类型别名本身无法添加新的属性,而接口是可以扩展的。
// Interface// 通过继承扩展类型interface Animal {name: string}interface Bear extends Animal {honey: boolean}const bear = getBear()bear.namebear.honey// Type// 通过交集扩展类型type Animal = {name: string}type Bear = Animal & {honey: boolean}const bear = getBear();bear.name;bear.honey;
// Interface// 对一个已经存在的接口添加新的字段interface Window {title: string}interface Window {ts: TypeScriptAPI}const src = 'const a = "Hello World"';window.ts.transpileModule(src, {});// Type// 创建后不能被改变type Window = {title: string}type Window = {ts: TypeScriptAPI}// Error: Duplicate identifier 'Window'.
类型断言
有的时候,你知道一个值的类型,但 TypeScript 不知道。
举个例子,如果你使用 document.getElementById,TypeScript 仅仅知道它会返回一个 HTMLElement,但是你却知道,你要获取的是一个 HTMLCanvasElement。
const myCanvas = document.getElementById("main_canvas") as HTMLCanvasElement;
一般通过<> 或者 as 来表示
谨记:因为类型断言会在编译的时候被移除,所以运行时并不会有类型断言的检查,即使类型断言是错误的,也不会有异常或者 null 产生。
TypeScript 仅仅允许类型断言转换为一个更加具体或者更不具体的类型。这个规则可以阻止一些不可能的强制类型转换,比如:
const x = "hello" as number;// Conversion of type 'string' to type 'number' may be a mistake because neither type sufficiently overlaps with the other. If this was intentional, convert the expression to 'unknown' first.
有的时候,这条规则会显得非常保守,阻止了你原本有效的类型转换。如果发生了这种事情,你可以使用双重断言,先断言为 any (或者是 unknown),然后再断言为期望的类型:
const a = (expr as any) as T;
字面量类型
除了常见的类型 string 和 number ,我们也可以将类型声明为更具体的数字或者字符串。
比如antd里面table 表头fixed的值,字面量类型本身没有太大用处,如果结合联合类型,就显得有用多了。举个例子,当函数只能传入一些固定的字符串时:
function printText(s: string, alignment: "left" | "right" | "center") {// ...}printText("Hello, world", "left");printText("G'day, mate", "centre");// 拼写错误// Argument of type '"centre"' is not assignable to parameter of type '"left" | "right" | "center"'.
当然了,也可以跟非字面量类型联合:
interface Options {width: number;}function configure(x: Options | "auto") {// ...}configure({ width: 100 });configure("auto");configure("automatic");// Argument of type '"automatic"' is not assignable to parameter of type 'Options | "auto"'.
字面量推断
declare function handleRequest(url: string, method: "GET" | "POST"): void;const req = { url: "https://example.com", method: "GET" };handleRequest(req.url, req.method);// Argument of type 'string' is not assignable to parameter of type '"GET" | "POST"'.
在上面这个例子里,req.method 被推断为 string ,而不是 “GET”,因为在创建 req 和 调用 handleRequest 函数之间,可能还有其他的代码,或许会将 req.method 赋值一个新字符串比如 “Guess” 。所以 TypeScript 就报错了。
有两种方式可以解决:
1、添加一个类型断言改变推断结果:
// Change 1:const req = { url: "https://example.com", method: "GET" as "GET" };// Change 2handleRequest(req.url, req.method as "GET");
2、你也可以使用 as const 把整个对象转为一个类型字面量:
const req = { url: "https://example.com", method: "GET" } as const;handleRequest(req.url, req.method);
as const 效果跟 const 类似,但是对类型系统而言,它可以确保所有的属性都被赋予一个字面量类型,而不是一个更通用的类型比如 string 或者 number 。
null 和 undefined
const null1: null = nullconst undefined1: undefined = undefined
非空断言操作符(后缀 !)
TypeScript 提供了一个特殊的语法,可以在不做任何检查的情况下,从类型中移除 null 和 undefined,这就是在任意表达式后面写上 ! ,这是一个有效的类型断言,表示它的值不可能是 null 或者 undefined:
function liveDangerously(x?: number | null) {// No errorconsole.log(x!.toFixed());}
就像其他的类型断言,这也不会更改任何运行时的行为。重要的事情说一遍,只有当你明确的知道这个值不可能是 null 或者 undefined 时才使用 ! 。
枚举
枚举是 TypeScript 添加的新特性,用于描述一个值可能是多个常量中的一个。不同于大部分的 TypeScript 特性,这并不是一个类型层面的增量,而是会添加到语言和运行时。因为如此,你应该了解下这个特性。但是可以等一等再用,除非你确定要使用它。你可以在枚举类型(opens new window)页面了解更多的信息
