将 JavaScript 对象扁平化为单深度对象
给定一个嵌套的 JavaScript 对象,任务是将对象展平并将所有值提取到一个深度。如果这些值已经处于单一深度,则它返回未更改的结果。
typeof() 方法: typeof() 方法在脚本中用于检查 JavaScript 变量的类型。
句法:
typeof(variable)
参数:此方法接受一个参数,如上所述,如下所述:
- 变量:输入变量。
返回值:此方法返回一个字符串,其中包含传递的变量的类型。
方法:
- 我们创建了一个名为 flatten object 的函数,它接受一个对象的输入并返回一个对象。
- 循环遍历对象并检查当前属性的类型:
- 如果它是 Object 类型且不是 Array ,则再次递归调用该函数。
- 否则,将值存储在结果中。
- 返回对象。
例子:
Javascript
// Declare an object
let ob = {
Company: "GeeksforGeeks",
Address: "Noida",
contact: +91-999999999,
mentor: {
HTML: "GFG",
CSS: "GFG",
JavaScript: "GFG"
}
};
// Declare a flatten function that takes
// object as parameter and returns the
// flatten object
const flattenObj = (ob) => {
// The object which contains the
// final result
let result = {};
// loop through the object "ob"
for (const i in ob) {
// We check the type of the i using
// typeof() function and recursively
// call the function again
if ((typeof ob[i]) === 'object' && !Array.isArray(ob[i])) {
const temp = flattenObj(ob[i]);
for (const j in temp) {
// Store temp in result
result[i + '.' + j] = temp[j];
}
}
// Else store ob[i] in result directly
else {
result[i] = ob[i];
}
}
return result;
};
console.log(flattenObj(ob));
输出:
{
Company: 'GeeksforGeeks',
Address: 'Noida',
contact: -999999908,
'mentor.HTML': 'GFG',
'mentor.CSS': 'GFG',
'mentor.JavaScript': 'GFG'
}