Je veux vérifier si une certaine clé dans un objet JSON comme celui ci-dessous contient une certaine valeur. Disons que je veux vérifier si la clé "nom", dans l'un des objets, a la valeur "Blofeld" (ce qui est vrai). Comment puis je faire ça?
[ {
"id" : 19,
"cost" : 400,
"name" : "Arkansas",
"height" : 198,
"weight" : 35
}, {
"id" : 21,
"cost" : 250,
"name" : "Blofeld",
"height" : 216,
"weight" : 54
}, {
"id" : 38,
"cost" : 450,
"name" : "Gollum",
"height" : 147,
"weight" : 22
} ]
vous pouvez également utiliser la fonction Array.some()
:
const arr = [{
id: 19,
cost: 400,
name: "Arkansas",
height: 198,
weight: 35
}, {
id: 21,
cost: 250,
name: "Blofeld",
height: 216,
weight: 54
}, {
id: 38,
cost: 450,
name: "Gollum",
height: 147,
weight: 22
}];
console.log(arr.some(item => item.name === 'Blofeld'));
console.log(arr.some(item => item.name === 'Blofeld2'));
// search for object using lodash
const objToFind1 = {
id: 21,
cost: 250,
name: "Blofeld",
height: 216,
weight: 54
};
const objToFind2 = {
id: 211,
cost: 250,
name: "Blofeld",
height: 216,
weight: 54
};
console.log(arr.some(item => _.isEqual(item, objToFind1)));
console.log(arr.some(item => _.isEqual(item, objToFind2)));
<script src="https://cdn.jsdelivr.net/npm/[email protected]/lodash.min.js"></script>
Écrivez une fonction simple pour vérifier si un tableau d'objets contient une valeur spécifique.
var arr=[{
"name" : "Blofeld",
"weight" : 54
},{
"name" : "",
"weight" : 22
}];
function contains(arr, key, val) {
for (var i = 0; i < arr.length; i++) {
if(arr[i][key] === val) return true;
}
return false;
}
console.log(contains(arr, "name", "Blofeld")); //true
console.log(contains(arr, "weight", 22));//true
console.log(contains(arr, "weight", "22"));//false (or true if you change === to ==)
console.log(contains(arr, "name", "Me")); //false
Cela vous donnera un tableau avec des éléments correspondant au nom === "Blofeld":
var data = [ {
"id" : 19,
"cost" : 400,
"name" : "Arkansas",
"height" : 198,
"weight" : 35
}, {
"id" : 21,
"cost" : 250,
"name" : "Blofeld",
"height" : 216,
"weight" : 54
}, {
"id" : 38,
"cost" : 450,
"name" : "Gollum",
"height" : 147,
"weight" : 22
} ];
var result = data.filter(x => x.name === "Blofeld");
console.log(result);
Avec une simple boucle à travers tous les objets d'un tableau, en utilisant hasOwnProperty () :
var json = [...];
var wantedKey = ''; // your key here
var wantedVal = ''; // your value here
for(var i = 0; i < json.length; i++){
if(json[i].hasOwnProperty(wantedKey) && json[i][wantedKey] === wantedVal) {
// it happened.
break;
}
}