欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页  >  IT编程

TypeScript学习之强制类型的转换

程序员文章站 2022-08-14 08:23:40
前言 使用强类型变量常常需要从一种类型向另一种类型转换,通常使用tostring或parseint可以来实现一些简单的转换,但是有时候需要像.net语言中那样将一种类型显...

前言

使用强类型变量常常需要从一种类型向另一种类型转换,通常使用tostring或parseint可以来实现一些简单的转换,但是有时候需要像.net语言中那样将一种类型显示的转换为另一种类型,在typescript规范中,被称为"类型断言",它仍然是类型转换,只是语法是有些不同。下面来详细看看typescript的强制类型转换。

typescript强制类型转换

在 typescript 中将一个 number 转换成 string ,这样做会报错:

var a:number = 12345;
var b:string = <string> a;
// laygroundsingle.ts(24,18): error ts2352: neither type 'number' nor type 'string' is assignable to the other.

这样写虽然不会报错,但没有什么卵用:

var a:number = 12345;
var b:string = <string><any> a;
console.log(typeof b)
// "number" playgroundsingle.js:19:1

还是直接用 javascript 的方法比较靠谱:

var b:string = string(a);
// or
var b:string = a.tostring();

注意 new string() string() 的区别:

var a:number = 12345;
// 使用 new 的时候类型必须是 string 而非 string ,否则无法编译通过
var b:string = new string(a);
// 不使用 new 则无所谓
var c:string = string(a);
console.log(a);
console.log('--------b');
console.log(typeof b);
console.log(b);
console.log(b.length);
console.log('--------c');
console.log(typeof c);
console.log(c);
console.log(c.length);

结果如下:

12345 playgroundsingle.js:22:9
“——–b” playgroundsingle.js:23:9
“object” playgroundsingle.js:24:1
string [ “1”, “2”, “3”, “4”, “5” ] playgroundsingle.js:25:9
5 playgroundsingle.js:26:9
“——–c” playgroundsingle.js:27:9
“string” playgroundsingle.js:28:1
“12345” playgroundsingle.js:29:9
5

总结

以上就是这篇文章的全部内容了,希望本文的内容对大家的学习或者工作能带来一定的帮助,如果有疑问大家可以留言交流。