TypeScript(一)基本类型

1 、布尔值

与其他语言类似,只有true和false两种

let  bool:boolean = true/false; 

2、数字类型(number,可以表示十进制、十六进制、二进制、八进制)


let decLiteral: number = 6;

let hexLiteral: number= 0xf00d;

let binaryLiteral: number=0b1010;

let octalLiteral: number= 0o744;

3、字符串


let name: string = "bob";

name= "smith";

支持es6字符串模板(··)


let name = "joke",

age = 24;

let content = `my name is ${name},im ${age}age`

4、数组

let array:number[] = [1,2,3];

或者

let array:Array = [1,2,3]

5、与JS相比新增的类型

1、元组(特殊的数组,已知数组的元素数量和类型,类型不必相同)


// Declare a tuple typelet

x: [string,number];

// Initialize it

x = ['hello',10];// OK

// Initialize it incorrectly

x = [10,'hello'];// Error

当访问一个已知索引的元素,会得到正确的类型:

console.log(x[0].substr(1)); // OK
console.log(x[1].substr(1)); // Error, 'number' does not have 'substr'

访问越界元素时会使用联合查询(依据定义时的类型判断)

x[3] = 'world'; // OK, 字符串可以赋值给(string | number)类型

console.log(x[5].toString()); // OK, 'string' 和 'number' 都有 toString

x[6] = true; // Error, 布尔不是(string | number)类型

2、枚举(对一组数据的罗列)

enum Color {Red, Green, Blue}
let c: Color = Color.Green;

默认情况下,从0开始为元素编号。 你也可以手动的指定成员的数值。 例如,我们将上面的例子改成从 1开始编号

enum Color {Red = 1, Green, Blue}
let c: Color = Color.Green;

或者,全部都采用手动赋值:

enum Color {Red = 1, Green = 2, Blue = 4}
let c: Color = Color.Green;

枚举类型提供的一个便利是你可以由枚举的值得到它的名字。 例如,我们知道数值为2,但是不确定它映射到Color里的哪个名字,我们可以查找相应的名字:

enum Color {Red = 1, Green, Blue}
let colorName: string = Color[2];

alert(colorName);  // 显示'Green'因为上面代码里它的值是2

3、any类型
类似于JS中的弱数据类型,没有类型限制,可以负任何值。用于对值类型不确定时,会避开编译检测,类似于object但又有所不同。

let notSure: any = 4;
notSure = "maybe a string instead";
notSure = false; // okay, definitely a boolean
let notSure: any = 4;
notSure.ifItExists(); // okay, ifItExists might exist at runtime
notSure.toFixed(); // okay, toFixed exists (but the compiler doesn't check)

let prettySure: Object = 4;
prettySure.toFixed(); // Error: Property 'toFixed' doesn't exist on type 'Object'.

4、空值(void)
用于函数没有返回值时

function func():void{}

5、类型断言
类型断言好比其它语言里的类型转换,但是不进行特殊的数据检查和解构。 它没有运行时的影响,只是在编译阶段起作用
一种是(不能用于jsx文件中,"<"误解析):

let someValue: any = "this is a string";

let strLength: number = (someValue).length;

一种是:

let someValue: any = "this is a string";

let strLength: number = (someValue as string).length;

另外还有Null和undefined,never三种类型。

你可能感兴趣的:(TypeScript(一)基本类型)