在Python中,[2]是一个列表,以下代码给出以下输出:

[2] * 5 # Outputs: [2,2,2,2,2]

是否存在一种简单的方法来做到这一点与JavaScript数组?

我写了下面的函数来实现它,但是有没有更短或更好的函数呢?

var repeatelem = function(elem, n){
    // returns an array with element elem repeated n times.
    var arr = [];

    for (var i = 0; i <= n; i++) {
        arr = arr.concat(elem);
    };

    return arr;
};

当前回答

在ES6中使用Array fill()方法

console.log ( 数组(5).fill (2) ) //=> [2,2,2,2,2]

其他回答

这可能是另一个答案。

让卡=(“一个”、“2”、“3”、“4”、“5”、“6”、“7”、“8”,“9”,“10”、“J”,“问”、“K”);

let totalCards =[…]卡,…卡,…卡,……卡);

在ES6中使用Array fill()方法

console.log ( 数组(5).fill (2) ) //=> [2,2,2,2,2]

var finalAry = [...“2”.repeat(5).split(“”)].map(Number); console.log(finalary);

如果需要重复一个数组,请使用下面的方法。

Array(3).fill(['a','b','c']).flat() 

将返回

Array(9) [ "a", "b", "c", "a", "b", "c", "a", "b", "c" ]

使用这个函数:

function repeatElement(element, count) {
    return Array(count).fill(element)
}
>>> repeatElement('#', 5).join('')
"#####"

或者是更简洁的版本:

const repeatElement = (element, count) =>
    Array(count).fill(element)
>>> repeatElement('#', 5).join('')
"#####"

或者是咖喱口味的:

const repeatElement = element => count =>
    Array(count).fill(element)
>>> repeatElement('#')(5).join('')
"#####"

你可以在列表中使用这个函数:

const repeatElement = (element, count) =>
    Array(count).fill(element)

>>> ['a', 'b', ...repeatElement('c', 5)]
['a', 'b', 'c', 'c', 'c', 'c', 'c']