Распаковка в JavaScript как в Python

У меня есть следующая строка

output_string = "[10, 10, [1,2,3,4,5], [10,20,30,40,50]]"

Затем я JSON.parse Это

my_args = JSON.parse(output_string)

Как мне распаковать его как в Python, чтобы каждый элемент my_args становится аргументом функции JavaScript?

some_javascript_function(*my_args)
// should be equivalent to:
some_javascript_function(my_args[0],my_args[1],my_args[2],my_args[3])
// or:
some_javascript_function(10, 10, [1,2,3,4,5], [10,20,30,40,50])

Есть ли основная идиома JavaScript, которая делает это?

2 ответа

Решение

После того, как вы собрали аргументы функции в массиве, вы можете использовать apply() метод объекта функции для вызова вашей предопределенной функции с ним:

   some_javascript_function.apply(this, my_args)

Первый параметр (this) устанавливает контекст вызываемой функции.

Вы можете достичь этого, сделав это some_javascript_function(...my_args)

Это называется spread операция (как unpacking в питоне). просмотреть документы здесь https://developer.mozilla.org/en/docs/Web/JavaScript/Reference/Operators/Spread_operator

Unpack using "..."

The same way you accept unlimited args, you can unpack them.

let vals = [1, 2, 'a', 'b'];

console.log(vals);    // [1, 2, "a", "b"]
console.log(...vals); // 1 2 "a" "b"

Example: Accept unlimited arguments into a function

It will become an array

const someFunc = (...args) => {
    console.log(args);    // [1, 2, "a", "b"]
    console.log(args[0]); // 1
    console.log(...args); // 1 2 "a" "b"
}

someFunc(1, 2, 'a', 'b');

Example: Send array of arguments into a function

const someFunc = (num1, num2, letter1, letter2) => {
    console.log(num1);    // 1
    console.log(letter1); // "a"
}

let vals = [1, 2, 'a', 'b'];
someFunc(...vals);

Send arguments

Другие вопросы по тегам