这是最好的方式(如果有一个)从数字转换到字符串在Typescript?
var page_number:number = 3;
window.location.hash = page_number;
在这种情况下,编译器抛出错误:
类型'number'不能赋值给类型'string'
因为位置。哈希是一个字符串。
window.location.hash = ""+page_number; //casting using "" literal
window.location.hash = String(number); //casting creating using the String() function
那么哪种方法更好呢?
“铸造”不同于“转换”。在这种情况下,window.location.hash将自动将数字转换为字符串。但是为了避免TypeScript编译错误,你可以自己进行字符串转换:
window.location.hash = ""+page_number;
window.location.hash = String(page_number);
如果您不希望在page_number为空或未定义时抛出错误,则这些转换是理想的。而page_number. tostring()和page_number. tolocalestring()则在page_number为空或未定义时抛出。
当你只需要强制转换而不需要转换时,下面是如何在TypeScript中强制转换为字符串:
window.location.hash = <string>page_number;
// or
window.location.hash = page_number as string;
<string>或as string强制转换注释告诉TypeScript编译器在编译时将page_number作为字符串处理;它不会在运行时进行转换。
然而,编译器会报错你不能给字符串赋值。你必须先转换为<any>,然后转换为<string>:
window.location.hash = <string><any>page_number;
// or
window.location.hash = page_number as any as string;
所以转换更简单,它在运行时和编译时处理类型:
window.location.hash = String(page_number);
(感谢@RuslanPolutsygan捕获字符串数字转换问题。)