React - how to map nested object values?

前端 未结 3 776
野趣味
野趣味 2020-12-30 15:37

I am just trying to map nested values inside of a state object. The data structure looks like so:

I want to map each milestone name and then all tasks insid

3条回答
  •  情书的邮戳
    2020-12-30 16:00

    What you want is flatMap. flatMap takes an array and a function that will be applied to each element in the array, which you can use to (for example) access properties inside each object in the array. It then returns a new array with the returned values from its lambda:

    function flatMap(arr, lambda) {
      return Array.prototype.concat.apply([], arr.map(lambda))
    }
    

    In our case, we don't have an array, we have an object so we can't use flatMap directly. We can convert the object to an array of its properties' values with Object.values and then make a function that accesses the object with the passed key:

    function tasksFromDataGoal(key) {
      return flatMap(Object.values(dataGoal[key].milestones), milestone => milestone.tasks)
    }
    

    Working example:

    function flatMap(arr, lambda) {
      return Array.prototype.concat.apply([], arr.map(lambda))
    }
    
    function tasksFromDataGoal(key) {
      return flatMap(Object.values(dataGoal[key].milestones), milestone => milestone.tasks)
    }
    
    const dataGoal = { 123: { milestones: { milestone1: { tasks: ['a', 'b'] }, milestone2: { tasks: ['c', 'd'] } } } }
    
    alert(tasksFromDataGoal('123'))

    Author of this implementation of flatMap: https://gist.github.com/samgiles/762ee337dff48623e729

提交回复
热议问题