检查嵌套对象是否包含特定键,然后替换父对象的键

Check if the nested object contains a specific key, then replace a key of the parent object

我有一个嵌套对象。

现在,我需要检查对象是否始终包含 'items' 作为键的任何地方 'array',然后将 'type' : 'list' 替换为 'type':父级的 'array'。

它适用于第一级,但当涉及到包含 'items' 的嵌套对象时,我被卡住了。

function convertData() {
 const arr = {
  "type": "list",
  "items": [{
   "type": "list",
   "items": [{
    "type": "string",
    "value": 0,
    "unit": "",
    "pattern": "^(auto|0)$|^[+-]?[0-9]+(\.)?([0-9]+)?(rem|px|em|ex|%|in|cm|mm|pt|pc)$"
   }, {
    "type": "string",
    "value": 0.1875,
    "unit": "rem",
    "pattern": "^(auto|0)$|^[+-]?[0-9]+(\.)?([0-9]+)?(rem|px|em|ex|%|in|cm|mm|pt|pc)$"
   }, {
    "type": "string",
    "value": 0.75,
    "unit": "rem",
    "pattern": "^(auto|0)$|^[+-]?[0-9]+(\.)?([0-9]+)?(rem|px|em|ex|%|in|cm|mm|pt|pc)$"
   }, {
    "type": "string",
    "value": 0,
    "unit": "",
    "pattern": "^(auto|0)$|^[+-]?[0-9]+(\.)?([0-9]+)?(rem|px|em|ex|%|in|cm|mm|pt|pc)$"
   }]
  }, {
   "type": "string",
   "value": {
    "r": 161,
    "g": 161,
    "b": 161,
    "a": 0.75,
    "hex": "#a1a1a1"
   },
   "pattern": "^rgba?\(((25[0-5]|2[0-4]\d|1\d{1,2}|\d\d?)\s*,\s*?){2}(25[0-5]|2[0-4]\d|1\d{1,2}|\d\d?)\s*,?\s*([01]\.?\d*?)?\)"
  }]
 };
 if (Array.isArray(arr.items)) {
  arr.type = "array";
  console.log(arr);
 }
}
<button onclick="convertData()">Click me!</button>

你可以使用递归来做到这一点。

  • 创建一个将对象作为参数的函数changeValue
  • 使用Object.hasOwnProperty()
  • 检查对象是否有键items
  • 如果它包含将 type 更改为 "array" 并在其每个项目上递归调用该函数。

function convertData() {
 const arr = { "type": "list", "items": [{ "type": "list", "items": [{ "type": "string", "value": 0, "unit": "", "pattern": "^(auto|0)$|^[+-]?[0-9]+(\.)?([0-9]+)?(rem|px|em|ex|%|in|cm|mm|pt|pc)$" }, { "type": "string", "value": 0.1875, "unit": "rem", "pattern": "^(auto|0)$|^[+-]?[0-9]+(\.)?([0-9]+)?(rem|px|em|ex|%|in|cm|mm|pt|pc)$" }, { "type": "string", "value": 0.75, "unit": "rem", "pattern": "^(auto|0)$|^[+-]?[0-9]+(\.)?([0-9]+)?(rem|px|em|ex|%|in|cm|mm|pt|pc)$" }, { "type": "string", "value": 0, "unit": "", "pattern": "^(auto|0)$|^[+-]?[0-9]+(\.)?([0-9]+)?(rem|px|em|ex|%|in|cm|mm|pt|pc)$" }] }, { "type": "string", "value": { "r": 161, "g": 161, "b": 161, "a": 0.75, "hex": "#a1a1a1" }, "pattern": "^rgba?\(((25[0-5]|2[0-4]\d|1\d{1,2}|\d\d?)\s*,\s*?){2}(25[0-5]|2[0-4]\d|1\d{1,2}|\d\d?)\s*,?\s*([01]\.?\d*?)?\)" }] };
 changeValue(arr);
 console.log(arr)
}

function changeValue(obj){
  if(obj.hasOwnProperty('items')){
    obj.type = "array";
    obj.items.forEach(x => changeValue(x))
  }
}
<button onclick="convertData()">Click me!</button>