Jenny
Jenny

Reputation: 494

Filter Object passed on Value Properties

I have an object like this:

let obj = {'machine1':{'err':'404', switch:false},
           'gadget1':{'err':'404', switch:true}}

Would not pass validation. => return false



let obj2 = {'machine2':{'err':'404', switch:false},
           'gadget2':{'err':null, switch:true}}

Would pass validation. => return true

I want to return true when every key in the object in which the switch is set to true does not have any errors (see obj2). (For machine2 the '404' error does not matter, because the switch is set to false.)

I tried something like that, but didn't get far.

function try() { 
  for (x in obj) {
    obj[x].filter(x=>y.switch === true)
}
}

Thanks for reading!

Upvotes: 1

Views: 49

Answers (3)

Adrien
Adrien

Reputation: 1

Did you mean something like that?

let obj={
    1:{
        'machine':{'err':'404', switch:false},
        'gadget':{'err':'404', switch:true}
    },
    2:{
        'machine':{'err':'404', switch:false},
        'gadget':{'err':null, switch:true}
    }
}

I changed the facility a bit to make it easier.

var n=1;
while (n<=2) {

if(obj[n].machine.switch==true){
    if(obj[n].machine.err!='404')
       console.log('SUKCES')
    else console.log('ERROR 1')
}
else console.log('ERROR 0')

if(obj[n].gadget.switch==true){
    if(obj[n].gadget.err!='404')
       console.log('SUKCES')
    else console.log('ERROR 1')
}
else console.log('ERROR 0')
n++;
}

Results:

ERROR 0

ERROR 1

ERROR 0

SUKCES

Upvotes: 0

Saeed Shamloo
Saeed Shamloo

Reputation: 6554

You can do it by usign entries and every helpers of Array, like this:

let obj = {
  'machine1': {
    'err': '404',
    switch: false
  },
  'gadget1': {
    'err': '404',
    switch: true
  }
}

let obj2 = {
  'machine2': {
    'err': '404',
    switch: false
  },
  'gadget2': {
    'err': null,
    switch: true
  }
};
const validate = (data) => {
  return Object.entries(data).every(([key, value]) => !value.switch || value.err === null)
}

console.log(validate(obj));
console.log(validate(obj2));

Upvotes: 1

Marco Nisi
Marco Nisi

Reputation: 1241

you could do something like the follow:

const test = obj => Object.keys(obj).every(k => !obj[k].switch || obj[k].err === null)

So you check if every key in the object has switch set to false or the err equal to null.

Upvotes: 2

Related Questions