Insert object on array in key value format

前端 未结 3 1154
失恋的感觉
失恋的感觉 2021-01-01 22:49

I have an object set like this

var total = { \'Apple\': 0.6,
              \'Banana\': 0.6,
              \'Orange\': 1,
              \'Grapes\': 0.4,
             


        
3条回答
  •  悲&欢浪女
    2021-01-01 23:43

    You can use Array#map function on the object keys and create your objects with desired shape.

    const total = { 
        'Apple': 0.6,
        'Banana': 0.6,
        'Orange': 1,
        'Grapes': 0.4,
        'Pineapple': 0.4 
    };
                  
    const array = Object.keys(total)
                        .map(key => ({ name: key, value: total[key] }))
                        .sort((f, s) => f.value - s.value);
    
    console.log(array);

    If you use ES7 or higher you can replace Object#keys with Object#entries. Use also object destructuring in the parameter list to get name and value separately.

    const total = { 
        'Apple': 0.6,
        'Banana': 0.6,
        'Orange': 1,
        'Grapes': 0.4,
        'Pineapple': 0.4 
    };
                  
    const array = Object.entries(total)
                        .map(([name, value]) => ({ name, value }))
                        .sort((f, s) => f.value - s.value);;
    
    console.log(array);

提交回复
热议问题