我有一个具有以下结构的JSON对象
const inputObj = {
"prop1": "val1",
"prop2": {
"prop2_1": "val2_1",
"prop2_2": "val2_2"
}
"prop3": "val3"
}
我的目标:我想使用该属性(包括嵌套属性),并将结果存储在txt
文件中,但不以JSON格式存储。为了清楚起见,这是我在txt
文件中的预期输出:
{
prop1: {
id: 'prop1'
},
prop2_prop2_1: {
id: 'prop2.prop2_1'
},
prop2_prop2_2: {
id: 'prop2.prop2_2'
}
prop3: {
id: 'prop3'
}
}
到目前为止,我可以编写非嵌套属性,但仍不能使用我期望的结构。到目前为止的结果如下:
{
"prop1": "prop1",
"prop3": "prop3"
}
它仍然是JSON格式,而不是我期望的结构,并且嵌套属性仍然未被捕获(我仍在思考如何获取它)
到目前为止,这是产生我当前结果的代码:
const fs = require('fs')
const fileName = "./results.txt"
function getAllKeys(obj, path = [], result = []) {
Object.entries(obj).forEach(([k, v]) => {
if (typeof v === 'object') getAllKeys(v, path.concat(k), result)
else result.push(path.concat(k).join("."))
})
return result
}
const inputToFile = getAllKeys(inputObj)
// console.log(inputToFile)
// result of the console.log
// prop1
// prop2.prop2_1
// prop2.prop2_2
// prop3
const newObj = {}
for (var i = 0; i < inputToFile.length; i++) {
var input = inputToFile[i]
var dotIndex = input.indexOf('.') // to check if its from the nested JSON property of the inputObj
if (dotIndex === -1) {
// no dot or nested property in the JSON
newObj[input] = input.toString()
} else {
// if the input contain dot, which is a nested JSON
}
}
fs.writeFileSync(fileName, JSON.stringfy(newObj))
// if I use above line, the result in the file is as I had mention above. But, if the code is like below:
const finals = JSON.stringfy(newObj)
fs.writeFileSync(fileName, JSON.parse(finals))
// the output in the file is only "[Object object]" without double quote
更新 我之所以需要这样格式化结果,是因为我想使用react-intl。我已经有了语言环境文件(翻译),它看起来像inputObj(结构)。然后,我需要创建一个文件(如下所示),以便lib可以翻译它:
import { defineMessages } from 'react-intl';
const MessagesId = defineMessages({
prop1: {
id: 'prop1'
},
prop2_prop2_1: {
id: 'prop2.prop2_1'
},
prop2_prop2_2: {
id: 'prop2.prop2_2'
},
prop3: {
id: 'prop3'
}
})
export default MessagesId;
这就是为什么,我需要它不像JSON。因为我已经有上千个翻译代码,但是需要在MessagesId中定义它。如果我手动做的话,那会花很多时间。 ps:react-intl是有效的,问题只是转换为我最初的问题
答案 0 :(得分:0)
此脚本可以处理多层嵌套对象。
const outputObj = {};
const convertNestedObj = (obj, parentKey = []) => {
for (key in obj) {
newParentKey = [...parentKey, key];
if (typeof obj[key] === 'object') {
convertNestedObj(obj[key], newParentKey);
} else {
outputObj[newParentKey.join('_')] = { id: newParentKey.join('_') };
}
}
};
convertNestedObj(inputObj);