i have an array like this,and want to find index of maximum of value .for this sample it should return c1:
      var arr={
       c1:{val: 9, x: 2, y: 0}
       c2:{val: 1, x: 3, y: 0}
       c3:{val: 6, x: 4, y: 0}
        }
i have an array like this,and want to find index of maximum of value .for this sample it should return c1:
      var arr={
       c1:{val: 9, x: 2, y: 0}
       c2:{val: 1, x: 3, y: 0}
       c3:{val: 6, x: 4, y: 0}
        }
 
    
    var arr=[{val: 9, x: 2, y: 0},
         {val: 1, x: 3, y: 0},
         {val: 6, x: 4, y: 0}
        ];
 var max_value = arr.reduce((a,b)=> (a.x+a.y+a.val) > (b.x+b.y+b.val) ? a:b )
   // or if it is the index that you want :
 var max_index = arr.reduce((a,b,i,_)=> (_[a].x+_[a].y+_[a].val) > (b.x+b.y+b.val) ? a:i, 0);
 console.log(max_value);
 console.log(max_index); 
    
    Assuming your array is
var arr =  [ 
       {val: 9, x: 2, y: 0}, {val: 1, x: 3, y: 0}, {val: 6, x: 4, y: 0},
];
You can get the max value by using Math.max.apply and map
var output = Math.max.apply( null, arr.map( c => c.val ) )
Or if it is an object (as per your latest update)
var arr = {
   c1:{val: 9, x: 2, y: 0},
   c2:{val: 1, x: 3, y: 0},
   c3:{val: 6, x: 4, y: 0}
};
var maxValue = Math.max.apply( null, Object.values( arr ).map( c => c.val ) )
You can get the index-Of the maxValue by doing
var output = Object.keys(arr).findIndex( s => arr[s].val == maxValue ); 
