Table of Contents
const newStr1 = 1 + "str"; // '1str'const newStr2 = "hello" + [89, 150.156, "mike"]; // 'hello89,150.156,mike'
Copy after login
" >
const newStr1 = 1 + "str"; // '1str'const newStr2 = "hello" + [89, 150.156, "mike"]; // 'hello89,150.156,mike'
Copy after login
2.3 原始值转布尔
2.4 原始值转对象
3.0 对象转布尔值
3.1 对象的 toString 和 valueOf
3.2 对象转字符串和数字的基本规则
3.3 ToPrimitive
如果是 ToPrimitive(obj, Number),处理步骤如下:
如果是 ToPrimitive(obj, String),处理步骤如下:
4.2 一元操作符 !
5.1 字符串和数字之间
5.2 被转换成布尔值的操作
5.3 == 和 ===
Home Web Front-end JS Tutorial JavaScript Topic 7: Type Conversion

JavaScript Topic 7: Type Conversion

Mar 10, 2021 am 10:32 AM
javascript type conversion

JavaScript Topic 7: Type Conversion

Contents

  • Preface
  • 1. What is type conversion?
  • 2. Basic rules for primitive value conversion
  • 3. Convert objects to strings and numbers
  • 4. Common type conversion operators
  • 5. Common type conversion operations
  • are written at the end

(free learning recommendation: javascript video tutorial

##Preface

Before understanding type conversion, if you still have doubts about the basic types of Js, you may wish to read Take a look at this article about basic data types in JavaScript~

Type conversions are often criticized, but in fact they are very useful in many cases. Some forced type conversions can clearly tell us where type conversions have occurred. Helps improve code readability and maintainability. But some of them happen in places we can't see, so today we will discuss common type conversion operations and operations~

1. What is type conversion?

We all know that the type of a variable is determined by the type of value it stores, so converting a value from one type to another is usually called type-casting, and It can also be divided into two categories according to certain characteristics

    Explicit type conversion
  • Implicit type conversion.

Explicit type conversion

Explicit type conversion mainly refers to converting corresponding strings, numbers, Boolean through String, Number, Boolean and other construction methods Value

const str = String(1);const num = Number("123.3"); //number:123.3
Copy after login
This is an explicit case - the type conversion action is initiated by us.

1.2 Implicit type conversion
const newStr1 = 1 + "str"; // '1str'const newStr2 = "hello" + [89, 150.156, "mike"]; // 'hello89,150.156,mike'
Copy after login
If students working in C, Java and other strongly typed languages ​​write similar combinations, they should report an error, but not in Js.

Since implicit type conversion will always exist, we must accept it and understand its advantages and disadvantages!

JavaScript Topic 7: Type Conversion

2. Basic rules of conversion

The conversion between some data types will go through "multiple processes". We Try to introduce the few "processes" first~

2.1 Converting original value to string
We use the String function to convert the type into a string type. If the

String function does not pass Parameters, return an empty string. If there are parameters, call ToString(value), and ToString also gives a corresponding result table. The table is as follows:

Rules:

Parameter typeReturnUndefined"undefined"Null"null"BooleanIf the parameter is true, return "true". The parameter is false, and "false" is returned NumberThere are many results, such as NaN and InfinityStringReturn a value equal to

Example:

console.log(String()); // 空字符串console.log(String(undefined)); // undefinedconsole.log(String(null)); // nullconsole.log(String(false)); // falseconsole.log(String(true)); // true// Numberconsole.log(String(0)); // 0console.log(String(-0)); // 0console.log(String(NaN)); // NaNconsole.log(String(Infinity)); // Infinityconsole.log(String(-Infinity)); // -Infinityconsole.log(String(1)); // 1
Copy after login
2.2 Convert original value to number
Sometimes we need to use non-numeric values ​​as numbers, such as mathematical operations. For this reason, the ES5 specification defines the abstract operation

ToNumber in Section 9.3. Similar to ToString, it also has certain conversion rules:

Parameter typeReturntrue1false0undefinedNaNnull0StringReturns an equal value, but returns NaN if processing fails
console.log(Number(true)); // 1console.log(Number(false)); // 0console.log(Number(undefined)); // NaNconsole.log(Number("余光")); // NaNconsole.log(Number("1")); // 1
Copy after login
2.3 原始值转布尔

我们使用 Boolean 函数将类型转换成布尔类型,在 JavaScript 中,只有 6 种 值可以被转换成false,其他都会被转换成true

console.log(Boolean()); // falseconsole.log(Boolean(false)); // falseconsole.log(Boolean(undefined)); // falseconsole.log(Boolean(null)); // falseconsole.log(Boolean(+0)); // falseconsole.log(Boolean(-0)); // falseconsole.log(Boolean(NaN)); // falseconsole.log(Boolean("")); // false
Copy after login
2.4 原始值转对象

原始值到对象的转换非常简单,原始值通过调用 String()、Number() 或者 Boolean() 构造函数,转换为它们各自的包装对象

nullundefined 属于例外,当将它们用在期望是一个对象的地方都会造成一个类型错误 (TypeError) 异常,而不会执行正常的转换。

var a = 1;console.log(typeof a); // numbervar b = new Number(a);console.log(typeof b); // object
Copy after login

三、对象转字符串和数字

3.0 对象转布尔值

3.0 这一小节是我认为值得一提,但篇幅较少的一点:

对象到布尔值的转换非常简单:所有对象(包括数组和函数)都转换为 true。对于包装对象也是这样,举个例子:

console.log(Boolean(new Boolean(false))); // true
Copy after login
3.1 对象的 toString 和 valueOf

这是一个不太常见的操作,或者说现象,但我们也不能忽略它。

  1. 对象=>字符串
  2. 对象=>数字

转换都是通过调用待转换对象的一个方法来完成的,在 Js 中,一般待转换对象拥有两个方法:

  1. toString
  2. valueOf

toString

所有的对象除了nullundefined之外的任何值都具有toString方法,通常情况下,它和使用String方法返回的结果一致。

在JavaSciprt 专题之类型检测中我们提到过Object.prototype.toString 方法会根据这个对象的[[class]]内部属性,返回由 "[object " 和 class 和 “]” 三个部分组成的字符串。举个例子:

const obj = { name: "余光" };obj.toString(); // "[object Object]"obj.toString === Object.prototype.toString; // true
Copy after login

我们已经验证了 => 对象调用 toString 方法是调用其构造函数原型上的方法

其他数据类型的 toString 方法也都有自己的特点:

  • 数组:将每个数组元素转换成一个字符串,并在元素之间添加逗号后合并成结果字符串。
  • 函数:返回源代码字符串。
[1, 2, 3, 4].toString(); // "1,2,3,4"[].toString(); // ""function func() {
  console.log();}func.toString(); // "function func () { console.log() }"
Copy after login

valueOf

valueOf 方法返回这个对象本身,数组、函数、正则简单的继承了这个默认方法,也会返回对象本身。日期是一个例外,它会返回它的一个内容表示: 1970 年 1 月 1 日以来的毫秒数。

var date = new Date(2017, 4, 21);console.log(date.valueOf()); // 1495296000000
Copy after login
3.2 对象转字符串和数字的基本规则

在我们知道了 toString()和 valueOf()这两个方法后,来看看转换的规则,即什么时候用:ES5 规范 9.8

参数类型 结果
Object 1. primValue = ToPrimitive(input, String)
2. 返回 ToString(primValue)

所谓的 ToPrimitive 方法,其实就是输入一个值,然后返回一个一定是基本类型的值。

我们总结一下,当我们用 String 方法转化一个值的时候:

  1. 基本类型:参照 “原始值转字符” 的对应表
  2. 引用类型:调用一个ToPrimitive方法,将其转为基本类型,然后再参照 “原始值转字符” 的对应表进行转换。

其实,从对象到数字的转换也是一样:

参数类型 结果
Object 1. primValue = ToPrimitive(input, Number)
2. 返回 ToNumber(primValue)

注意:转字符和数字的时候处理略有不同~

3.3 ToPrimitive

那接下来就要看看 ToPrimitive 了,ES5 规范 9.1

这个返回原始值的方法接受一个输入参数 和一个可选的参数来表示转换类型:

  1. input,表示要处理的输入值
    • 如果传入的 input 是 Undefined、Null、Boolean、Number、String 类型,直接返回该值。
  2. PreferredType,非必填,表示希望转换成的类型,有两个值可以选,Number 或者 String。
    • 当不传入 PreferredType 时,如果 input 是日期类型,相当于传入 String,否则,都相当于传入 Number。
如果是 ToPrimitive(obj, Number),处理步骤如下:
  • 如果 obj 为 基本类型,直接返回
  • 否则,调用 valueOf 方法,如果返回一个原始值,则 JavaScript 将其返回。
  • 否则,调用 toString 方法,如果返回一个原始值,则 JavaScript 将其返回。
  • 否则,JavaScript 抛出一个类型错误异常。
如果是 ToPrimitive(obj, String),处理步骤如下:
  • 如果 obj 为 基本类型,直接返回
  • 否则,调用 toString 方法,如果返回一个原始值,则 JavaScript 将其返回。
  • 否则,调用 valueOf 方法,如果返回一个原始值,则 JavaScript 将其返回。
  • 否则,JavaScript 抛出一个类型错误异常。

所以总结下,对象转字符串(就是 Number() 函数)可以概括为:

举个例子:

console.log(Number({})); // NaNconsole.log(Number({ a: 1 })); // NaNconsole.log(Number([])); // 0console.log(Number([0])); // 0console.log(Number([1, 2, 3])); // NaNconsole.log(
  Number(function() {
    var a = 1;
  })); // NaNconsole.log(Number(/\d+/g)); // NaNconsole.log(Number(new Date(2010, 0, 1))); // 1262275200000console.log(Number(new Error("a"))); // NaN
Copy after login

注意:

  • 转换对象时,你会发现它变成了 NaN,所以

  • 在这个例子中,[][0]都返回了 0

    • 当我们 Number([]) 的时候,先调用 []valueOf 方法,此时返回 []
    • 因为返回了一个对象,所以又调用了 toString 方法;
    • 此时返回一个空字符串,接下来调用 ToNumber 这个规范上的方法;
    • 等价于 Number([].valueOf().toString()),结果为 0;
  • [1, 2, 3] 却返回了一个 NaN:

    • 当我们 Number([]) 的时候,先调用 [1,2,3]valueOf 方法,此时返回 [1,2,3];
    • 因为返回了一个对象,所以又调用了 toString 方法;
    • 此时为1,2,3,接下来调用 ToNumber 这个规范上的方法;
    • 等价于 Number([1,2,3].valueOf().toString()),结果为 NaN;

JavaScript Topic 7: Type Conversion

四、涉及到类型转换的运算符

读到这里我们对类型转换有了一定的概念,现在我们再来看看在运算中常见的类型转换问题。

4.1 一元操作符 +

+a 运算符显式地将后面的变量 a 保存的数据转换为数字,不是字符串拼接。
查看 ES5 规范 11.4.6,会调用 ToNumber 处理该值,相当于 Number(‘1’),最终结果返回数字 1。

const a = "1.1";const b = 5 + +a;console.log(b); // 6.6
Copy after login

上面的代码应该是我们经常用到的,当我们知道一个字段是字符串但希望它是数字时,一般会这么做~

我们一起验证下下面这些类型

console.log(+[]); // 0console.log(+["1"]); // 1console.log(+["1", "2", "3"]); // NaNconsole.log(+{}); // NaN
Copy after login

既然是调用 ToNumber 方法我们在之前的小节中提到过

  • 如果 obj 为基本类型,直接返回
  • 否则,调用 valueOf 方法,如果返回一个原始值,则 JavaScript 将其返回。
  • 否则,调用 toString 方法,如果返回一个原始值,则 JavaScript 将其返回。
  • 否则,JavaScript 抛出一个类型错误异常。
  • +[] 为例,[] 调用 valueOf 方法,返回一个空数组,因为不是原始值,调用 toString 方法,返回 ""
  • 得到返回值后,然后再调用 ToNumber 方法,"" 对应的返回值是 0,所以最终返回 0。
4.2 一元操作符 !

一元运算符!显式地将值强制类型转换为布尔值。但是它同时还将真值反转为假值(或者将假值反转为真值)。

const a = 1;const b = "str";const c = [1, 2, 3];console.log(!a); // falseconsole.log(!b); // falseconsole.log(!c); // falseconsole.log(!0); // trueconsole.log(!""); // trueconsole.log(![]); //falseconsole.log(![]); //falseconsole.log(!undefined); // trueconsole.log(!null); // true
Copy after login

同样的 !! 会讲其他类型转成对应的 bool 值

!和 + 运算符是我们最常用的两种显式类型转换运算符,之后我们再看看那些不经意间就被转换类型的操作~

五、常见的类型转换操作

5.1 字符串和数字之间
const num = 1;const str = "200";console.log(num + str); // '1200'
Copy after login

这段代码大家应该都知道结果,但是其中的原理是否和大家想的一样呢?

const arr1 = [1, 2];const arr2 = [3, 4];console.log(arr1 + arr2); // 1,23,4
Copy after login

两个数组的结果为什么也是个字符串?

原因

ES5 规范 11.6.1 中提到,如果某个操作数是字符串或者能通过以下步骤转换为字符串,+将进行拼接操作

如果其中的一个操作数是引用类型,则首先对其进行ToPrimitive操作(第三小节有提)

总结

简单来说就是,如果+的其中一个操作数是字符串(或者通过以上步骤可以得到字符串),则执行字符串拼接;否则执行数字加法。

5.2 被转换成布尔值的操作

现在我们来看看到布尔值的隐式强制类型转换,它最为常见也最容易搞错。相对布尔值,数字和字符串操作中的隐式强制类型转换还算比较明显。

下面的情况会发生布尔值隐式强制类型转换。

  • if (…)语句
    • 括号内的条件为true时执行操作;
  • for ( let i = 0; i
  • 语句中的条件判断表达式即 i true
  • while (…)和 do…while(…)
    • 循环中的条件判断表达式为true;
  • 三目运算 ? :
  • 逻辑运算符 ||(逻辑或)和 &&(逻辑与)左边的操作数;
  • 5.3 == 和 ===

    谈到类型转换,一定绕不开 =====

    ==用于比较两个值是否相等,当要比较的两个值类型不一样的时候,就会发生类型的转换。

    在ES5 规范 11.9.5 中简述了它的规则:

    当执行 x == y 时:

    • 如果 x 与 y 是同一类型:
      • x 是 Undefined,返回 true
      • x 是 Null,返回 true
      • x 是数字:
        • x 是 NaN,返回 false
        • y 是 NaN,返回 false
        • x 与 y 相等,返回 true
        • x 是+0,y 是-0,返回 true
        • x 是-0,y 是+0,返回 true
      • x 是字符串,完全相等返回 true,否则返回 false
      • x 是布尔值,x 和 y 都是 true 或者 false,返回 true,否则返回 false
      • x 和 y 指向同一个对象,返回 true,否则返回 false
    • x 是 null 并且 y 是 undefined,返回 true
    • x 是 undefined 并且 y 是 null,返回 true
    • x 是数字,y 是字符串,判断 x == ToNumber(y)
    • x 是字符串,y 是数字,判断 ToNumber(x) == y
    • x 是布尔值,判断 ToNumber(x) == y
    • y 是布尔值,判断 x ==ToNumber(y)
    • x 不是字符串或者数字,y 是对象,判断 x == ToPrimitive(y)
    • x 是对象,y 不是字符串或者数字,判断 ToPrimitive(x) == yJavaScript Topic 7: Type Conversion

    相关免费学习推荐:javascript(视频)

    The above is the detailed content of JavaScript Topic 7: Type Conversion. For more information, please follow other related articles on the PHP Chinese website!

    Statement of this Website
    The content of this article is voluntarily contributed by netizens, and the copyright belongs to the original author. This site does not assume corresponding legal responsibility. If you find any content suspected of plagiarism or infringement, please contact admin@php.cn

    Hot AI Tools

    Undresser.AI Undress

    Undresser.AI Undress

    AI-powered app for creating realistic nude photos

    AI Clothes Remover

    AI Clothes Remover

    Online AI tool for removing clothes from photos.

    Undress AI Tool

    Undress AI Tool

    Undress images for free

    Clothoff.io

    Clothoff.io

    AI clothes remover

    AI Hentai Generator

    AI Hentai Generator

    Generate AI Hentai for free.

    Hot Article

    R.E.P.O. Energy Crystals Explained and What They Do (Yellow Crystal)
    2 weeks ago By 尊渡假赌尊渡假赌尊渡假赌
    Hello Kitty Island Adventure: How To Get Giant Seeds
    1 months ago By 尊渡假赌尊渡假赌尊渡假赌
    Two Point Museum: All Exhibits And Where To Find Them
    1 months ago By 尊渡假赌尊渡假赌尊渡假赌

    Hot Tools

    Notepad++7.3.1

    Notepad++7.3.1

    Easy-to-use and free code editor

    SublimeText3 Chinese version

    SublimeText3 Chinese version

    Chinese version, very easy to use

    Zend Studio 13.0.1

    Zend Studio 13.0.1

    Powerful PHP integrated development environment

    Dreamweaver CS6

    Dreamweaver CS6

    Visual web development tools

    SublimeText3 Mac version

    SublimeText3 Mac version

    God-level code editing software (SublimeText3)

    How to implement an online speech recognition system using WebSocket and JavaScript How to implement an online speech recognition system using WebSocket and JavaScript Dec 17, 2023 pm 02:54 PM

    How to use WebSocket and JavaScript to implement an online speech recognition system Introduction: With the continuous development of technology, speech recognition technology has become an important part of the field of artificial intelligence. The online speech recognition system based on WebSocket and JavaScript has the characteristics of low latency, real-time and cross-platform, and has become a widely used solution. This article will introduce how to use WebSocket and JavaScript to implement an online speech recognition system.

    WebSocket and JavaScript: key technologies for implementing real-time monitoring systems WebSocket and JavaScript: key technologies for implementing real-time monitoring systems Dec 17, 2023 pm 05:30 PM

    WebSocket and JavaScript: Key technologies for realizing real-time monitoring systems Introduction: With the rapid development of Internet technology, real-time monitoring systems have been widely used in various fields. One of the key technologies to achieve real-time monitoring is the combination of WebSocket and JavaScript. This article will introduce the application of WebSocket and JavaScript in real-time monitoring systems, give code examples, and explain their implementation principles in detail. 1. WebSocket technology

    How to implement an online reservation system using WebSocket and JavaScript How to implement an online reservation system using WebSocket and JavaScript Dec 17, 2023 am 09:39 AM

    How to use WebSocket and JavaScript to implement an online reservation system. In today's digital era, more and more businesses and services need to provide online reservation functions. It is crucial to implement an efficient and real-time online reservation system. This article will introduce how to use WebSocket and JavaScript to implement an online reservation system, and provide specific code examples. 1. What is WebSocket? WebSocket is a full-duplex method on a single TCP connection.

    How to use JavaScript and WebSocket to implement a real-time online ordering system How to use JavaScript and WebSocket to implement a real-time online ordering system Dec 17, 2023 pm 12:09 PM

    Introduction to how to use JavaScript and WebSocket to implement a real-time online ordering system: With the popularity of the Internet and the advancement of technology, more and more restaurants have begun to provide online ordering services. In order to implement a real-time online ordering system, we can use JavaScript and WebSocket technology. WebSocket is a full-duplex communication protocol based on the TCP protocol, which can realize real-time two-way communication between the client and the server. In the real-time online ordering system, when the user selects dishes and places an order

    JavaScript and WebSocket: Building an efficient real-time weather forecasting system JavaScript and WebSocket: Building an efficient real-time weather forecasting system Dec 17, 2023 pm 05:13 PM

    JavaScript and WebSocket: Building an efficient real-time weather forecast system Introduction: Today, the accuracy of weather forecasts is of great significance to daily life and decision-making. As technology develops, we can provide more accurate and reliable weather forecasts by obtaining weather data in real time. In this article, we will learn how to use JavaScript and WebSocket technology to build an efficient real-time weather forecast system. This article will demonstrate the implementation process through specific code examples. We

    Simple JavaScript Tutorial: How to Get HTTP Status Code Simple JavaScript Tutorial: How to Get HTTP Status Code Jan 05, 2024 pm 06:08 PM

    JavaScript tutorial: How to get HTTP status code, specific code examples are required. Preface: In web development, data interaction with the server is often involved. When communicating with the server, we often need to obtain the returned HTTP status code to determine whether the operation is successful, and perform corresponding processing based on different status codes. This article will teach you how to use JavaScript to obtain HTTP status codes and provide some practical code examples. Using XMLHttpRequest

    Type conversion of golang function Type conversion of golang function Apr 19, 2024 pm 05:33 PM

    In-function type conversion allows data of one type to be converted to another type, thereby extending the functionality of the function. Use syntax: type_name:=variable.(type). For example, you can use the strconv.Atoi function to convert a string to a number and handle errors if the conversion fails.

    Implicit type conversion: An exploration of different variations of types and their applications in programming Implicit type conversion: An exploration of different variations of types and their applications in programming Jan 13, 2024 pm 02:54 PM

    Explore the different types of implicit type conversions and their role in programming Introduction: In programming, we often need to deal with different types of data. Sometimes, we need to convert one data type to another type in order to perform a specific operation or meet specific requirements. In this process, implicit type conversion is a very important concept. Implicit type conversion refers to the process in which the programming language automatically performs data type conversion without explicitly specifying the conversion type. This article will explore the different types of implicit type conversions and their role in programming,

    See all articles