web-dev-qa-db-fra.com

Lodash pour rechercher si la propriété de l'objet existe dans le tableau

J'ai un tableau d'objets comme celui-ci:

[ {"name": "Apple", "id": "Apple_0"}, 
  {"name": "dog",   "id": "dog_1"}, 
  {"name": "cat", "id": "cat_2"}
]

Je veux insérer un autre élément, également nommé Apple, cependant, comme je ne veux pas de doublons, comment puis-je utiliser lodash pour voir s'il existe déjà un objet dans le tableau avec le même nom? 

7
reectrix

C'est ce qui a fonctionné pour moi (après avoir testé les différentes solutions): 

  addItem(items, item) {
    let foundObject = _.find(items, function(e) {
      return e.value === item.value;
    });

    if(!foundObject) {
      items.Push(item);
    }
    return items;
  }
2
reectrix

Vous pouvez utiliser Lodash _.find() comme ceci.

var data = [ {"name": "Apple", "id": "Apple_0"}, 
  {"name": "dog",   "id": "dog_1"}, 
  {"name": "cat", "id": "cat_2"}
]

if(!_.find(data, {name: 'Apple'})) {
  data.Push({name: 'Apple2'});
}
console.log(data)
<script src="https://cdnjs.cloudflare.com/ajax/libs/lodash.js/4.15.0/lodash.min.js"></script>

15
Nenad Vracar

C'est la forme

_.has(object, path)

Exemple:

const countries = { country: { name: 'Venezuela' } }
const isExist = _.has(countries, 'country.name')
// isExist = true

Pour plus d'informations Document Lodash

6
Alex Quintero

Vous pouvez utiliser Array.prototype.find() ou _.find() de lodash:

const addItem = (arr, item) => {
  if(!arr.find((x) => x.name === item.name)) { // you can also change `name` to `id`
    arr.Push(item);
  }
};

const arr = [ 
  {"name": "Apple", "id": "Apple_0"}, 
  {"name": "dog",   "id": "dog_1"}, 
  {"name": "cat", "id": "cat_2"}
];

addItem(arr, { "name": "Apple", "id": "Apple_0" });

addItem(arr, { "name": "pear", "id": "pear_3" });

console.log(arr);

Et une version un peu plus courte mais moins lisible:

    const addItem = (arr, item) => arr.find((x) => x.name === item.name) || arr.Push(item); // you can also change `name` to `id`

    const arr = [ 
      {"name": "Apple", "id": "Apple_0"}, 
      {"name": "dog",   "id": "dog_1"}, 
      {"name": "cat", "id": "cat_2"}
    ];

    addItem(arr, { "name": "Apple", "id": "Apple_0" });

    addItem(arr, { "name": "pear", "id": "pear_3" });

    console.log(arr);

4
Ori Drori

Voici un autre exemple avec lodash

var a = [ {"name": "Apple", "id": "Apple_0"}, 
  {"name": "dog",   "id": "dog_1"}, 
  {"name": "cat", "id": "cat_2"}
]

var b = _.find(a, ['name', "Apple2"]);

if(_.isObject(b)){
  console.log('exists')
}else{
    console.log('insert new')
}

https://jsfiddle.net/jorge182/s4og07jg/

2
Jorge Mejia

Si vous souhaitez insérer dans le tableau une seule valeur, utilisez _.find peut être une option. Toutefois, si vous souhaitez en insérer un ou plusieurs, je vous suggérerais plutôt d'utiliser _.unionBy:

var currentArr = [{
    "name": "Apple",
    "id": "Apple_0"
  }, {
    "name": "dog",
    "id": "dog_1"
  }, {
    "name": "cat",
    "id": "cat_2"
  }],
  arrayOneValue = [{
    "name": "Apple",
    "id": "Apple_0"
  }],
  arrayTwoValues = arrayOneValue.concat({
    "name": "lemon",
    "id": "lemon_0"
  })

console.log(_.unionBy(currentArr, arrayOneValue, 'name'));
console.log(_.unionBy(currentArr, arrayTwoValues, 'name'));
// It also allow you to perform the union using more than one property
console.log(_.unionBy(currentArr, arrayTwoValues, 'name', 'id'));
<script src="https://cdn.jsdelivr.net/lodash/4.16.4/lodash.min.js"></script>

0
acontell

Voici trois manières de réaliser ceci en utilisant lodash4.17.5:

Supposons que vous souhaitiez ajouter un objet entry à un tableau d'objets numbers, uniquement si entry n'existe pas encore.

let numbers = [
    { to: 1, from: 2 },
    { to: 3, from: 4 },
    { to: 5, from: 6 },
    { to: 7, from: 8 },
    { to: 1, from: 2 } // intentionally added duplicate
];

let entry = { to: 1, from: 2 };

/* 
 * 1. This will return the *index of the first* element that matches:
 */
_.findIndex(numbers, (o) => { return _.isMatch(o, entry) });
// output: 0


/* 
 * 2. This will return the entry that matches. Even if the entry exists
 *    multiple time, it is only returned once.
 */
_.find(numbers, (o) => { return _.isMatch(o, entry) });
// output: {to: 1, from: 2}


/* 
 * 3. This will return an array of objects containing all the matches.
 *    If an entry exists multiple times, if is returned multiple times.
 */
_.filter(numbers, _.matches(entry));
// output: [{to: 1, from: 2}, {to: 1, from: 2}]


/* 
 * 4. This will return `true` if the entry exists, false otherwise.
 */
_.some(numbers, entry);
// output: true

Si vous souhaitez renvoyer une Boolean (c'est-à-dire en supposant que vous n'utilisez pas _.some()), dans le premier cas, vous pouvez simplement vérifier la valeur d'index renvoyée:

_.findIndex(numbers, (o) => { return _.isMatch(o, entry) }) > -1;
// output: true

Lodash documentation est une excellente source d’exemples et d’expérimentation.

0
Mihai