类型转换
1.String->Number
const string = "99";
console.log(string * 1 + 77);
console.log(Number(string) + 77);
data:image/s3,"s3://crabby-images/4817c/4817cd2149705ab0e441191bb077ae972d12dcd3" alt="在这里插入图片描述"
2.Number->String
const number = 66;
console.log(typeof number);
console.log(typeof (number + ""));
console.log(typeof String(number));
data:image/s3,"s3://crabby-images/d2cbb/d2cbb4826c1cb8e68db821ce4a54e7e01bf040d2" alt="在这里插入图片描述"
3.混合String->Number
把位于开头的数值字符串转为数值型
const string = "66.66alison";
console.log(parseInt(string));
console.log(parseFloat(string));
data:image/s3,"s3://crabby-images/46f03/46f0353f4039073d1d0dd0c0c7cfc1ca1c6c7de6" alt="在这里插入图片描述"
4.String->Array
const name = "alison";
console.log(name.split(""));
data:image/s3,"s3://crabby-images/c230d/c230d5bd150d097407fc6727be1eb185ea65d1c5" alt="在这里插入图片描述"
5.Array->String
const array = ["yooo", "alison", "ruby", "andy"];
console.log(array.join(""));
console.log(array.join("&"));
data:image/s3,"s3://crabby-images/8ac7d/8ac7dd823659eee0e7d204a44039d7a7594778a1" alt="在这里插入图片描述"
6.Array->Number
空数组为0,x单元素数组为x,多元素数组为NaN
console.log(Number([]));
console.log(Number([3]));
console.log(Number([1, 2, 3]));
data:image/s3,"s3://crabby-images/0026f/0026f7098732be30d273c78f9d676fdcd42bc120" alt="在这里插入图片描述"
7.toString()
主要用于将Array(由逗号隔开)、Boolean、Date、Number等对象转换成String。
const array = ["yooo", "alison", "ruby", "andy"];
console.log(array.toString());
const number = 99;
console.log(typeof number.toString());
data:image/s3,"s3://crabby-images/739fe/739fe0acfb3b0cab12d4d9c993ffd1313a83d6bf" alt="在这里插入图片描述"
8.Boolean隐式转换
比较和运算是两件事
(1)比较
在将boolean与number、string比较时,会隐式地将boolean中的true转为1、false转为0
let number = 99;
console.log(number == true);
data:image/s3,"s3://crabby-images/71b85/71b8592e674270bd8f67fc69a86f642bf5d6168e" alt="在这里插入图片描述"
let hd = '0';
let hd2 = "1";
let hd3 = "99";
console.log(hd == false);
console.log(hd2 == true);
console.log(hd3 == true);
data:image/s3,"s3://crabby-images/b9570/b9570e9157dd7f3cf9bd4d7e9223bc3cf26b9760" alt="在这里插入图片描述"
(2)运算
在运算中string和number会被隐式转换为boolean
let number = 99;
if (number) console.log("number");
data:image/s3,"s3://crabby-images/4575b/4575b877610b4a90be9ada2ea68632db863cb566" alt="在这里插入图片描述"
(3)其他类型转换为Boolean
console.log(Boolean([]));
console.log(Boolean({}));
data:image/s3,"s3://crabby-images/f6d7a/f6d7a45733f884a7408759c20a7c8dc8fa8a5225" alt="在这里插入图片描述"
| 假 | 真 |
---|
数值类型 | 0 | 其他 | 字符串类型 | 空串 | 其他 | 引用类型 | 数组和对象 | |
9.Boolean显式转换
(1)!!
!先将number转换为boolean类型,然后再取反
!!相当于把数值转为布尔
(2)构造函数 Boolean()
let number = 0;
number = !!number;
console.log(Boolean(number));
let string = "Alison";
console.log(!!string);
console.log(Boolean(string));
let array = [];
console.log(!!array);
console.log(Boolean(array));
let object = {};
console.log(!!object);
console.log(Boolean(object));
let date = new Date();
console.log(!!date);
console.log(Boolean(date));
|