EN
JavaScript - convert array to object
3 points
In this article, we would like to show you how to convert array to object working with JavaScript.
Quick solution:
xxxxxxxxxx
1
const array = ['a', 'b', 'c'];
2
const result = Object.assign({}, array);
3
4
console.log(JSON.stringify(result, null, 4));
Hint: it works since ES6.
or:
xxxxxxxxxx
1
const array = ['a', 'b', 'c'];
2
const result = {array};
3
4
console.log(JSON.stringify(result, null, 4));
Hint: it works since ES8.
In this section, you can find different ways how to create reusable function that converts array to object.
The solution extends empty object with array items by using Object.assign()
, finally giving array converted to object.
xxxxxxxxxx
1
const toObject = (array) => {
2
return Object.assign({}, array);
3
}
4
5
6
// Usage example:
7
8
const array = ['a', 'b', 'c'];
9
const object = toObject(array);
10
11
console.log(JSON.stringify(object, null, 4));
12
13
14
// Type check:
15
16
console.log(Array.isArray(array)); // true
17
console.log(Array.isArray(object)); // false
The solution iterates over array items adding them into new object.
xxxxxxxxxx
1
function toObject(array) {
2
var keys = Object.keys(array);
3
var object = {};
4
for (var i = 0; i < keys.length; ++i) {
5
var key = keys[i];
6
object[key] = array[i];
7
}
8
return object;
9
}
10
11
12
// Usage example:
13
14
var array = ['a', 'b', 'c'];
15
var object = toObject(array);
16
17
console.log(JSON.stringify(object, null, 4));
18
19
20
// Type check:
21
22
console.log(Array.isArray(array)); // true
23
console.log(Array.isArray(object)); // false
The solution creates new object by using spread operatior on the array.
xxxxxxxxxx
1
const toObject = (array) => {
2
return {array};
3
}
4
5
6
// Usage example:
7
8
const array = ['a', 'b', 'c'];
9
const object = toObject(array);
10
11
console.log(JSON.stringify(object, null, 4));
12
13
14
// Type check:
15
16
console.log(Array.isArray(array)); // true
17
console.log(Array.isArray(object)); // false