使用 JavaScript 中的 for 循环,用特定字符连接数组的每个元素
我们假定编写一个函数,它接收两个参数,第一个参数是 String 或 Number 字面量的数组,第二个参数是 String,并且我们必须返回一个字符串,其中包含数组的所有元素,这些元素由字符串前置和后置。
例如,−
applyText([1,2,3,4], ‘a’);
应返回“a1a2a3a4a”
对于这些要求,与 for 循环相比,数组 map() 方法是一个更好的选择,这样做的代码如下:
示例
const numbers = [1, 2, 3, 4]; const word = 'a'; const applyText = (arr, text) => { const appliedString = arr.map(element => { return `${text}${element}`; }).join(""); return appliedString + text; }; console.log(applyText(numbers, word));
输出
此代码的控制台输出为 −
a1a2a3a4a
广告