Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Lodash check whether an array is array of object?

I couldn't find any Lodash method that can differentiate between a normal (e.g. integer) array and array of objects, since JavaScript treats object as array.

like both will return true

console.log(_.isArray([1,2,3])); // true
console.log(_.isArray([{"name":1}])); // true
like image 425
Alex Yong Avatar asked Dec 15 '22 00:12

Alex Yong


2 Answers

You can use _.every, _.some, and _.isObject to differentiate between arrays of primitives, arrays of objects, and arrays containing both primitives and objects.

Basic Syntax

// Is every array element an object?
_.every(array, _.isObject)
// Is any array element an object?
_.some(array, _.isObject)
// Is the element at index `i` an object?
_.isObject(array[i])

More Examples

var primitives = [1, 2, 3]
var objects = [{name: 1}, {name: 2}]
var mixed = [{name: 1}, 3]

// Is every array element an object?
console.log( _.every(primitives, _.isObject) ) //=> false
console.log( _.every(objects,    _.isObject) ) //=> true
console.log( _.every(mixed,      _.isObject) ) //=> false

// Is any array element an object?
console.log( _.some(primitives, _.isObject) ) //=> false
console.log( _.some(objects,    _.isObject) ) //=> true
console.log( _.some(mixed,      _.isObject) ) //=> true
<script src="//cdnjs.cloudflare.com/ajax/libs/lodash.js/4.17.4/lodash.min.js"></script>
like image 153
gyre Avatar answered Dec 16 '22 12:12

gyre


This should do the job

_.every(yourArray, function (item) { return _.isObject(item); });

This will return true if all elements of yourArray are objects.

If you need to perform partial match (if at least one object exists) you can try _.some

_.some(yourArray, _.isObject);
like image 30
Paul T. Rawkeen Avatar answered Dec 16 '22 14:12

Paul T. Rawkeen