Reputation: 1178
I'm currently practicing some basic problem in js and fairly new to any of these languages. I want to retrieve the value and name of the property into an array "temp" from the object "second" if the another obj "third" has the same property value. I can do it, when the property name is already defined, but how can I do the same if I don't know the actual property name. May be using Object.keys()
My code is something like this:
function where(second, third) {
var arr = [];
var temp=[];
for(var i in second)
{
if(third.hasOwnProperty('last')){
if(second[i].last===third.last){
arr=second[i];
temp.push(arr);
}
}
if(third.hasOwnProperty('first')){
if(second[i].first===third.first){
arr=second[i];
temp.push(arr);
}
}
}
return temp;
}
where([{ first: 'Ram', last: 'Ktm' }, { first: 'Sam', last: null }, { first: 'Tybalt', last: 'Capulet' }], { last: 'Capulet' });
The resulting array is : [{ 'first': 'Tybalt', 'last': 'Capulet' }]
How can I retrieve the same result even if I don't know the actual property name. For instance the name here first and last might be food, and uses which is unknown. I've already gone with the following threads here.
[2]: https://stackoverflow.com/questions/4607991/javascript-transform-object-into-array
[1]: https://stackoverflow.com/questions/4607991/javascript-transform-object-into-array
Upvotes: 0
Views: 159
Reputation: 386848
function where(second, third) {
var temp = [];
var k = Object.keys(third)[0]; // expecting only one element!
second.forEach(function (obj) {
if (obj[k] === third[k]) {
temp.push(obj);
}
});
return temp;
}
Upvotes: 1
Reputation: 994
I think the getOwnPropertyName is what you're looking for. https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Object/getOwnPropertyNames
Object.getOwnPropertyNames({a:1,2:"b",c:"a"}).sort() // returns Array [ "2", "a", "c" ]
I'll expand on my initial answer
var temp = [];
var myobj = [{cat:"Felix",dog:"Milo",bird:"Monkey",3:"pets"},
{cat:"Wiskers",dog:"yapper",bird:"tweeter",1:"human"}];
var myobj2 = {cat:"Harry",dog:"Fuzz",1:"human"};
var objKeys = Object.getOwnPropertyNames(myobj); //will have key "1" that matches below
objKeys.forEach(function(key) {
if(myobj2.hasOwnProperty(key)) {
temp.push(myobj2[key]) // will push "human" to temp array
}
})
Upvotes: 1
Reputation: 9813
function where(second, third) {
var tmp = [];
var length = second.length;
var i, k, test;
// Go through second's each item to see that...
for (i = 0; i < length; ++i) {
test = second[i];
// For all key in third that belongs to third (not inherited or else)
for (k in third) {
// Check has own property.
if (!third.hasOwnProperty(k)) {
continue;
}
// If second[i] don't have key `k` in second or second[i][k]'s value is
// not equal to third[k], then don't put it into tmp, start to check next.
if (!third.hasOwnProperty(k)) {
break;
} else if (test[k] !== third[k]) {
break;
}
tmp.push(test);
}
}
return tmp;
}
Upvotes: 0