在Objects Javascript数组中添加一个Object

问题描述 投票:0回答:3

我需要在数组中添加一个由键标识的对象,该数组指定course属性中的id。

数组

[{
  "course": 1035, <- The id to find in the objects
  "start_time": "2018-01-04T20:55:00Z",
  "end_time": "2018-01-04T22:00:00Z",
  "details": { <- it has to be created
    <- here the corresponding object according to the id, 
        in this case 1035
  }
 }, {
  "course": 1106,
  "start_time": "2018-01-04T21:00:00Z",
  "end_time": "2018-01-04T22:00:00Z",
}]

对象

{
  "1035": {
    "id": 1035,
    "title": "Some Title1",
    "slug": "live-show",
    "free": true,
    "order": 0,
    "color": "#CB13A1"
  },
  "1106": {
    "id": 1106,
    "title": "Some Title2",
    "slug": "live-show",
    "free": true,
    "order": 0,
    "color": "#CB13A1"
  }
}

预期的结果

[{
  "course": 1035,
  "start_time": "2018-01-04T20:55:00Z",
  "end_time": "2018-01-04T22:00:00Z",
  "details": {
    "id": 1035,
    "title": "Some Title1",
    "slug": "live-show",
    "free": true,
    "order": 0,
    "color": "#CB13A1"
  }
 }, {
  "course": 1106,
  "start_time": "2018-01-04T21:00:00Z",
  "end_time": "2018-01-04T22:00:00Z",
  "details": {
    "id": 1106,
    "title": "Some Title2",
    "slug": "live-show",
    "free": true,
    "order": 0,
    "color": "#CB13A1"
  }
}]
javascript arrays json object
3个回答
3
投票

单行而不改变你的对象/数组(这通常是一个坏主意)。

target.map(item => Object.assign({}, item, { details: source[item.course]}));

其中target = The Arraysource = The Objects


1
投票

var arr =[{
  "course": 1035, 
  "start_time": "2018-01-04T20:55:00Z",
  "end_time": "2018-01-04T22:00:00Z",
  "details": {
  }
 }, {
  "course": 1106,
  "start_time": "2018-01-04T21:00:00Z",
  "end_time": "2018-01-04T22:00:00Z",
}];

var obj = {
  "1035": {
    "id": 1035,
    "title": "Some Title1",
    "slug": "live-show",
    "free": true,
    "order": 0,
    "color": "#CB13A1"
  },
  "1106": {
    "id": 1106,
    "title": "Some Title2",
    "slug": "live-show",
    "free": true,
    "order": 0,
    "color": "#CB13A1"
  }
};

arr.forEach(item=>{ 
       item.details = obj[item.course];
  });
console.log(arr);

/*RESULT:
[
  {
    "course": 1035,
    "start_time": "2018-01-04T20:55:00Z",
    "end_time": "2018-01-04T22:00:00Z",
    "details": {
      "id": 1035,
      "title": "Some Title1",
      "slug": "live-show",
      "free": true,
      "order": 0,
      "color": "#CB13A1"
    }
  },
  {
    "course": 1106,
    "start_time": "2018-01-04T21:00:00Z",
    "end_time": "2018-01-04T22:00:00Z",
    "details": {
      "id": 1106,
      "title": "Some Title2",
      "slug": "live-show",
      "free": true,
      "order": 0,
      "color": "#CB13A1"
    }
  }
]
*/

-1
投票

你可以这样做:

Object.keys(object).map(key => {
  const obj = object[key]
  // here, you can add all missed keys to your object
  return obj
})
© www.soinside.com 2019 - 2024. All rights reserved.