JavaScript 中将数组转换为不带逗号的字符串
要将数组转换为不带逗号的字符串,请调用数组的 join()
方法,将空字符串作为参数传递给它 - arr.join('')
。 join
方法返回一个字符串,其中包含由提供的分隔符连接的所有数组元素。
const arr = ['one', 'two', 'three'];
const withoutCommas = arr.join('');
console.log(withoutCommas); // 👉️ 'onetwothree'
console.log(typeof withoutCommas); // 👉️ string
我们传递给 Array.join
方法的唯一参数是一个分隔符。
该方法返回一个字符串,其中包含由提供的分隔符连接的所有数组元素。
如果使用空字符串分隔符调用
Array.join
方法,则所有数组元素都将连接起来,中间没有任何字符。
如果我们的用例要求您连接具有不同字符的数组元素,请将字符作为参数传递给 join() 方法。
const arr = ['one', 'two', 'three'];
const withSpaces = arr.join(' ');
console.log(withSpaces); // 👉️ 'one two three'
const withDashes = arr.join('-');
console.log(withDashes); // 👉️ 'one-two-three'
const withCommaAndSpace = arr.join(', ');
console.log(withCommaAndSpace); // 👉️ 'one, two, three'
如果对空数组调用 join
方法,将返回一个空字符串。
console.log([].join('')); // 👉️ ''
如果数组包含未定义的元素、null
或空数组 []
,它们将被转换为空字符串。
console.log(['a', 'b', null].join('')); // 👉️ 'ab'
对于大多数用例,此行为非常有效。
相关文章
Do you understand JavaScript closures?
发布时间:2025/02/21 浏览次数:108 分类:JavaScript
-
The function of a closure can be inferred from its name, suggesting that it is related to the concept of scope. A closure itself is a core concept in JavaScript, and being a core concept, it is naturally also a difficult one.
Do you know about the hidden traps in variables in JavaScript?
发布时间:2025/02/21 浏览次数:178 分类:JavaScript
-
Whether you're just starting to learn JavaScript or have been using it for a long time, I believe you'll encounter some traps related to JavaScript variable scope. The goal is to identify these traps before you fall into them, in order to av
How much do you know about the Prototype Chain?
发布时间:2025/02/21 浏览次数:150 分类:JavaScript
-
The prototype chain can be considered one of the core features of JavaScript, and certainly one of its more challenging aspects. If you've learned other object-oriented programming languages, you may find it somewhat confusing when you start
将 NumPy 数组转换为 Pandas DataFrame
发布时间:2024/04/21 浏览次数:111 分类:Python
-
本教程介绍了如何使用 pandas.DataFrame()方法从 NumPy 数组生成 Pandas DataFrame。
如何将 Pandas Dataframe 转换为 NumPy 数组
发布时间:2024/04/20 浏览次数:176 分类:Python
-
本教程介绍如何将 Pandas Dataframe 转换为 NumPy 数组的方法,例如 to_numpy,value 和 to_records
如何在 JavaScript 中合并两个数组而不出现重复的情况
发布时间:2024/03/23 浏览次数:86 分类:JavaScript
-
本教程介绍了如何在 JavaScript 中合并两个数组,以及如何删除任何重复的数组。