Home > Net >  I know the object value, How can I return just the object property?
I know the object value, How can I return just the object property?

Time:11-20

I'm doing this codewars I want return the object property is possible do it when I know the object value ?

function findOdd(A) {
    
        let counter = {};
        let finalResult;

   const NumInt =  A.sort((a, b)=> a - b)

    NumInt.forEach((e)=>{counter[e] = (counter[e] || 0)  1})
    console.log(counter)

    const values = Object.values(counter).filter((value)=>{
        return value % 2 !== 0
    })

    Object.values(counter).filter((value)=>{
       if(value % 2 !== 0){
           return console.log(value)
       }
    })
  }

  findOdd([1,1,2,-2,5,2,4,4,-1,-2,5])

CodePudding user response:

You can't loop an object using array built-in functions like map, forEach, for...of

I'm posting one solution here.

const data = {
   2: 0,
   1: 2,
   3: 1,
   4: 7,
   5: 9
}

for (const key in data) {
    if (data[key] % 2 === 1)
        console.log(key, data[key])
}

Other possible ways are using Object.keys() and Object.values()

Or Object.entries()

CodePudding user response:

Using the Object.values() method returns an array of a given object's own enumerable property values so it's not what you want in your case.

You can iterate through the for...in statement which iterates over all enumerable properties of an object that are keyed by strings to achieve that.

function findOdd(A) {
    
        let counter = {};
        let finalResult;

   const NumInt =  A.sort((a, b)=> a - b)

    NumInt.forEach((e)=>{counter[e] = (counter[e] || 0)  1})
    console.log(counter)

    const values = Object.values(counter).filter((value)=>{
        return value % 2 !== 0
    })

    for (const el in counter){
       if(counter[el] % 2 !== 0){
           return console.log(el, counter[el]); //logs property name and it's value
       }
    }
  }

  findOdd([1,1,2,-2,5,2,4,4,-1,-2,5])
<iframe name="sif1" sandbox="allow-forms allow-modals allow-scripts" frameborder="0"></iframe>

  • Related