Length of a JavaScript object
Asked Answered
U

44

3026

I have a JavaScript object. Is there a built-in or accepted best practice way to get the length of this object?

const myObject = new Object();
myObject["firstname"] = "Gareth";
myObject["lastname"] = "Simpson";
myObject["age"] = 21;
Unchaste answered 7/8, 2008 at 19:42 Comment(3)
@neitony - that's kinda true, but so many people are used to PHP's "associative array" that they might assume it means "ordered associative map", when JS objects are in fact unordered.Ethelynethene
In the above example, myObject.length is undefined, at least in a browser environment. That's why it isn't valid, @AdrianMVillalba
Variants of Object.{keys, values, entries}(obj).length have now been mentioned a total of 38 times in 16 answers plus in the comments of this question, and another 11 times in 7 deleted answers. I think that’s enough now.Klepht
I
3393

Updated answer

Here's an update as of 2016 and widespread deployment of ES5 and beyond. For IE9+ and all other modern ES5+ capable browsers, you can use Object.keys() so the above code just becomes:

var size = Object.keys(myObj).length;

This doesn't have to modify any existing prototype since Object.keys() is now built-in.

Edit: Objects can have symbolic properties that can not be returned via Object.key method. So the answer would be incomplete without mentioning them.

Symbol type was added to the language to create unique identifiers for object properties. The main benefit of the Symbol type is the prevention of overwrites.

Object.keys or Object.getOwnPropertyNames does not work for symbolic properties. To return them you need to use Object.getOwnPropertySymbols.

var person = {
  [Symbol('name')]: 'John Doe',
  [Symbol('age')]: 33,
  "occupation": "Programmer"
};

const propOwn = Object.getOwnPropertyNames(person);
console.log(propOwn.length); // 1

let propSymb = Object.getOwnPropertySymbols(person);
console.log(propSymb.length); // 2

Older answer

The most robust answer (i.e. that captures the intent of what you're trying to do while causing the fewest bugs) would be:

Object.size = function(obj) {
  var size = 0,
    key;
  for (key in obj) {
    if (obj.hasOwnProperty(key)) size++;
  }
  return size;
};

// Get the size of an object
const myObj = {}
var size = Object.size(myObj);

There's a sort of convention in JavaScript that you don't add things to Object.prototype, because it can break enumerations in various libraries. Adding methods to Object is usually safe, though.


Ichthyo answered 9/8, 2008 at 8:31 Comment(14)
@Tres - your code can be broken if someone would come and overide the 'size' property without knowing you declared it already somewhere in the code, so it's always worth checking if it's already definedFogbound
@Fogbound You are very correct. One should always implement necessary sanity checks :)Ezraezri
I wrapped this answer as a jQuery plugin, for those that don't like messing around with Object: https://mcmap.net/q/37125/-length-of-a-javascript-objectGrating
@James Coglan why are you declaring the function within Object class and not just as a regular function ? i.e. function getSize(obj) {...} ?Kirbee
@Kirbee I guess he's just maintaining proper structure. This function returns size of an object so it makes sense to make it an extension of Object. Keep your code clean and maintainable.Togoland
This method is however more buggy, especially when hasownprop seldom clears out when deleting object keys with delete keyword.Naarah
Why is everyone ignoring this: Object.keys(obj).lengthLepage
@MuhammadUmer Probably because that method didn't even exist when this answer was written. Even today, using it will probably require a polyfill for old browsers.Sylphid
Re Object.keys(obj).length: That's because IE8 don't support this method.Kirkwood
@Kirkwood IE8, IE9, IE10 are dead browsers that don't get support from Microsoft. IE8, IE9, IE10 user gets notification from Microsoft, that they use old, unsupported browser and should expect that stuff will not work for them. support.microsoft.com/en-us/kb/3123303Vazquez
Yeah, it's 2017. Nobody should be using anything other than Object.keys(myObj).length. This answer was correct in 2008 but not any more.Streeter
Not sure if it has been mentioned already because TL;DR but extending JavaScript's built in objects is frowned upon.Condorcet
Nor Object.keys() nor getOwnProperty*() functions will give you the correct answer if their parameter will be new Date(), which of course IS an object (typeof new Date() === 'object'). Freaky…Galatea
@Galatea I don't understand what you mean. Object.keys(new Date()).length gives 0, x = new Date(); Object.keys(x).length also gives 0.Toulon
H
2037

If you know you don't have to worry about hasOwnProperty checks, you can use the Object.keys() method in this way:

Object.keys(myArray).length
Hulbard answered 3/4, 2011 at 1:44 Comment(17)
why not? from what I know, it is a standard: developer.mozilla.org/en/JavaScript/Reference/Global_Objects/…Fogbound
It's not a universally implemented method, but you can check which browser supports it with this table.Hulbard
@Grating That depends on your requirements.Roseboro
According to that table, IE8 supports 4 / 34 of the "standards". Wow.Unconquerable
time to switch to firefox = unfortunately, you switching doesn't mean your website's users will...Brucite
@Grating no IE support = time to polyfillBesides
if (typeof Object.keys != 'function') { Object.keys = function(obj) { var ret = []; for (var x in obj) { if (obj.hasOwnProperty(x)) { ret[ret.length] = x; } } return ret; } }Essentialism
@ripper234: No IE8, Object.keys or= (obj) -> key for own key of obj (CoffeeScript, you can easily copy generated output).Shroudlaid
@Grating who cares about IE, no one should care about IE unstandards, only standards. users wanna use IE then they will not navigate my website I do not care any more. developers should not polyfill not standards made by ie "developers"Longsufferance
creating a new array just to count the length of it? It's an overkill of resourcesGrounder
The specification says that the keys() method returns only the names of the the object's own properties, so using this method would avoid the hasOwnProperty check.Windpipe
@SteelBrain - Don't optimize prematurely. If you need to conserve resources then I'd recommend maintaining a separate length variable (or use a for loop) but that's probably only necessary when dealing with huge hashes.Co
@Longsufferance That attitude won't get you far in web development. Websites are made for the visitors, not for the developers.Garrot
Great polyfill for legacy IE at: developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/…Niobium
map creates an array with the same length. Did you mean filter?Epilogue
Even if you worried about .hasOwnProperty*() functions, you wouldn't get the right answer if the object you wanted to check against, was new Date().Galatea
In case speed is a concern for you it turns out Object.values(myObject).length is faster. At least in Chrome v67. gist.github.com/flekschas/5aad97d1c2520db7af0a9623deec005fSpermogonium
G
313

Updated: If you're using Underscore.js (recommended, it's lightweight!), then you can just do

_.size({one : 1, two : 2, three : 3});
=> 3

If not, and you don't want to mess around with Object properties for whatever reason, and are already using jQuery, a plugin is equally accessible:

$.assocArraySize = function(obj) {
    // https://mcmap.net/q/37125/-length-of-a-javascript-object
    var size = 0, key;
    for (key in obj) {
        if (obj.hasOwnProperty(key)) size++;
    }
    return size;
};
Grating answered 5/7, 2012 at 14:39 Comment(6)
_.size() was the perfect solution for my Meteor project, which has underscore.js support.Bookseller
I use underscore and this post just reminded me that I'm not using it enough in this project. If you handle objects, you should have underscore.js available.Scalise
Underscore > (all -['lo-dash'])Adjacency
underscorejs, things that should be under js :)Pompous
Question: Why the extra if statement within the loop?Bethesde
@Babydead to distinguish real properties of the object vs inherited ones. developer.mozilla.org/en/docs/Web/JavaScript/Reference/…Grating
P
71

Here's the most cross-browser solution.

This is better than the accepted answer because it uses native Object.keys if exists. Thus, it is the fastest for all modern browsers.

if (!Object.keys) {
    Object.keys = function (obj) {
        var arr = [],
            key;
        for (key in obj) {
            if (obj.hasOwnProperty(key)) {
                arr.push(key);
            }
        }
        return arr;
    };
}

Object.keys(obj).length;
Plump answered 1/9, 2013 at 16:12 Comment(1)
Object.keys() returns an array that contains the names of only those properties that are enumerable. If you want an array with ALL properties, you should use Object.getOwnPropertyNames() instead. See developer.mozilla.org/en/docs/Web/JavaScript/Reference/…Volkan
B
48

Simply use this to get the length:

Object.keys(myObject).length
Behka answered 18/1, 2018 at 10:29 Comment(5)
please explain how your answer differs from https://mcmap.net/q/37125/-length-of-a-javascript-objectUlulate
Good, it's always better to name your variables according to what they actually are. Makes your code more readable to other devs.Satisfied
Before the "myArray" -> "myObject" edit, this was identical to the second-highest upvoted answer.Nakasuji
Same as past responses.Gooseflesh
Same as the linked answer, but without any explanation.Pheasant
V
44

I'm not a JavaScript expert, but it looks like you would have to loop through the elements and count them since Object doesn't have a length method:

var element_count = 0;
for (e in myArray) {  if (myArray.hasOwnProperty(e)) element_count++; }

@palmsey: In fairness to the OP, the JavaScript documentation actually explicitly refer to using variables of type Object in this manner as "associative arrays".

Vivian answered 7/8, 2008 at 19:52 Comment(1)
Will not work, because it will count methods too, that are added through prototype.Citrate
S
38

This method gets all your object's property names in an array, so you can get the length of that array which is equal to your object's keys' length.

Object.getOwnPropertyNames({"hi":"Hi","msg":"Message"}).length; // => 2
Soonsooner answered 1/7, 2014 at 12:40 Comment(1)
@PatrickRoberts keys method doesn't return properties from prototype chain. So why the need for hasOwnProperty here. Also getOwnProperty will return hidden properties, as length is in array etc.Lepage
H
31

To not mess with the prototype or other code, you could build and extend your own object:

function Hash(){
    var length=0;
    this.add = function(key, val){
         if(this[key] == undefined)
         {
           length++;
         }
         this[key]=val;
    }; 
    this.length = function(){
        return length;
    };
}

myArray = new Hash();
myArray.add("lastname", "Simpson");
myArray.add("age", 21);
alert(myArray.length()); // will alert 2

If you always use the add method, the length property will be correct. If you're worried that you or others forget about using it, you could add the property counter which the others have posted to the length method, too.

Of course, you could always overwrite the methods. But even if you do, your code would probably fail noticeably, making it easy to debug. ;)

Heterogeneity answered 11/6, 2011 at 15:44 Comment(1)
I think this is the best solution as it doesn't require looping with 'for' which could be costly if the array is bigGaberones
T
29

We can find the length of Object by using:

const myObject = {};
console.log(Object.values(myObject).length);
Tittle answered 22/5, 2017 at 13:42 Comment(1)
Theoretically, his would be slower than the "keys" method if you have long values as it is directly accessing the values then counting them.Merited
P
25

Here's how and don't forget to check that the property is not on the prototype chain:

var element_count = 0;
for(var e in myArray)
    if(myArray.hasOwnProperty(e))
        element_count++;
Parasitism answered 8/8, 2008 at 19:18 Comment(0)
P
24

Here is a completely different solution that will only work in more modern browsers (Internet Explorer 9+, Chrome, Firefox 4+, Opera 11.60+, and Safari 5.1+)

See this jsFiddle.

Setup your associative array class

/**
 * @constructor
 */
AssociativeArray = function () {};

// Make the length property work
Object.defineProperty(AssociativeArray.prototype, "length", {
    get: function () {
        var count = 0;
        for (var key in this) {
            if (this.hasOwnProperty(key))
                count++;
        }
        return count;
    }
});

Now you can use this code as follows...

var a1 = new AssociativeArray();
a1["prop1"] = "test";
a1["prop2"] = 1234;
a1["prop3"] = "something else";
alert("Length of array is " + a1.length);
Polycarp answered 2/8, 2013 at 8:49 Comment(2)
I think that is not safe. For example it cannot have an element with a key of "length", the statement a1["length"] = "Hello world"; fails to store the entry. Also the statement a1["hasOwnProperty"] = "some prop"; totaly breaks the functionSoothsay
@PanosTheof I don't think you'd want it to store the value if you used the length property, any code that used it would have to ensure it did not try and store against length, but I guess that would be the same if it was a standard array too. Overriding hasOwnProperty on any object would most likely produce an undesired result.Polycarp
E
21

If you need an associative data structure that exposes its size, better use a map instead of an object.

const myMap = new Map();

myMap.set("firstname", "Gareth");
myMap.set("lastname", "Simpson");
myMap.set("age", 21);

console.log(myMap.size); // 3
Epilogue answered 18/5, 2016 at 18:16 Comment(0)
P
20

Use Object.keys(myObject).length to get the length of object/array

var myObject = new Object();
myObject["firstname"] = "Gareth";
myObject["lastname"] = "Simpson";
myObject["age"] = 21;

console.log(Object.keys(myObject).length); //3
Prewitt answered 8/9, 2019 at 4:45 Comment(0)
E
19

Use:

var myArray = new Object();
myArray["firstname"] = "Gareth";
myArray["lastname"] = "Simpson";
myArray["age"] = 21;
obj = Object.keys(myArray).length;
console.log(obj)
Eirene answered 31/5, 2016 at 4:49 Comment(0)
S
19

<script>
myObj = {"key1" : "Hello", "key2" : "Goodbye"};
var size = Object.keys(myObj).length;
console.log(size);
</script>

<p id="myObj">The number of <b>keys</b> in <b>myObj</b> are: <script>document.write(size)</script></p>

This works for me:

var size = Object.keys(myObj).length;
Stanislas answered 6/6, 2018 at 6:51 Comment(0)
G
18

For some cases it is better to just store the size in a separate variable. Especially, if you're adding to the array by one element in one place and can easily increment the size. It would obviously work much faster if you need to check the size often.

Gawain answered 29/7, 2011 at 13:41 Comment(0)
R
18

The simplest way is like this:

Object.keys(myobject).length

Where myobject is the object of what you want the length of.

Remaremain answered 30/5, 2018 at 15:41 Comment(2)
This appears to be just a repeat of this existing answer.Honeymoon
@Honeymoon agreed, and it does not provide any further context like other answers do.Sendai
I
17

@palmsey: In fairness to the OP, the JavaScript documentation actually explicitly refer to using variables of type Object in this manner as "associative arrays".

And in fairness to @palmsey he was quite correct. They aren't associative arrays; they're definitely objects :) - doing the job of an associative array. But as regards to the wider point, you definitely seem to have the right of it according to this rather fine article I found:

JavaScript “Associative Arrays” Considered Harmful

But according to all this, the accepted answer itself is bad practice?

Specify a prototype size() function for Object

If anything else has been added to Object .prototype, then the suggested code will fail:

<script type="text/javascript">
Object.prototype.size = function () {
  var len = this.length ? --this.length : -1;
    for (var k in this)
      len++;
  return len;
}
Object.prototype.size2 = function () {
  var len = this.length ? --this.length : -1;
    for (var k in this)
      len++;
  return len;
}
var myArray = new Object();
myArray["firstname"] = "Gareth";
myArray["lastname"] = "Simpson";
myArray["age"] = 21;
alert("age is " + myArray["age"]);
alert("length is " + myArray.size());
</script>

I don't think that answer should be the accepted one as it can't be trusted to work if you have any other code running in the same execution context. To do it in a robust fashion, surely you would need to define the size method within myArray and check for the type of the members as you iterate through them.

Intrepid answered 8/8, 2008 at 22:34 Comment(0)
A
17

Using the Object.entries method to get length is one way of achieving it

const objectLength = obj => Object.entries(obj).length;

const person = {
    id: 1,
    name: 'John',
    age: 30
}
  
const car = {
    type: 2,
    color: 'red',
}

console.log(objectLength(person)); // 3
console.log(objectLength(car)); // 2
Amary answered 21/4, 2022 at 16:0 Comment(0)
S
15

If we have the hash

hash = {"a" : "b", "c": "d"};

we can get the length using the length of the keys which is the length of the hash:

keys(hash).length

Scrambler answered 9/2, 2014 at 6:48 Comment(4)
This is a great answer, however I can't find any documentation for this keys function. So I can't be confident on the cross browser support.September
Unfortunately, this is not as good an answer as I first thought! It turns out that the keys function is only available in the chrome and firefox web consoles. If you put this code in to a script then it will fail with Uncaught ReferenceError: keys is not definedSeptember
#32373185September
How is this different from aeosynth's answer?Vitric
L
14
var myObject = new Object();
myObject["firstname"] = "Gareth";
myObject["lastname"] = "Simpson";
myObject["age"] = 21;
  1. Object.values(myObject).length
  2. Object.entries(myObject).length
  3. Object.keys(myObject).length
Lowboy answered 5/4, 2018 at 23:45 Comment(6)
Which one is faster among the above 3.Gyrostat
Object.values(myObject).lengthLowboy
how can we say that it Object.values(myObject).length is faster is there any example Thanks, @LowboyGyrostat
just try this in console:var myObject = {}; for (let i=0; i<10000000; i++) myObject[i] = i;Lowboy
why Object.values(myObject).length faster, where as Object.entries(myObject).length not giving output even after sometime what is the reason here ? Thanks @tdjprogGyrostat
On explanation would be in order. You can edit your answer.Vitric
H
13

What about something like this --

function keyValuePairs() {
    this.length = 0;
    function add(key, value) { this[key] = value; this.length++; }
    function remove(key) { if (this.hasOwnProperty(key)) { delete this[key]; this.length--; }}
}
Hoad answered 24/8, 2011 at 14:26 Comment(0)
U
12

If you are using AngularJS 1.x you can do things the AngularJS way by creating a filter and using the code from any of the other examples such as the following:

// Count the elements in an object
app.filter('lengthOfObject', function() {
  return function( obj ) {
    var size = 0, key;
    for (key in obj) {
      if (obj.hasOwnProperty(key)) size++;
    }
   return size;
 }
})

Usage

In your controller:

$scope.filterResult = $filter('lengthOfObject')($scope.object)

Or in your view:

<any ng-expression="object | lengthOfObject"></any>
Unbeknown answered 15/9, 2015 at 19:15 Comment(1)
The OP has not asked for a AngularJS version. This is not a valid answer to the question.Garrot
P
11
const myObject = new Object();
myObject["firstname"] = "Gareth";
myObject["lastname"] = "Simpson";
myObject["age"] = 21;

console.log(Object.keys(myObject).length)

// o/p 3
Pious answered 11/1, 2020 at 12:54 Comment(5)
What does "o/p 3" mean?Vitric
An explanation of this answer would be in order.Vitric
Also, how is it different from previous answers, e.g. shaheb's answer?Vitric
@PeterMortensen “o/p” probably means “output”.Klepht
o/p means outputPious
P
10

A variation on some of the above is:

var objLength = function(obj){    
    var key,len=0;
    for(key in obj){
        len += Number( obj.hasOwnProperty(key) );
    }
    return len;
};

It is a bit more elegant way to integrate hasOwnProp.

Pleasurable answered 18/11, 2011 at 18:6 Comment(0)
V
10

If you don't care about supporting Internet Explorer 8 or lower, you can easily get the number of properties in an object by applying the following two steps:

  1. Run either Object.keys() to get an array that contains the names of only those properties that are enumerable or Object.getOwnPropertyNames() if you want to also include the names of properties that are not enumerable.
  2. Get the .length property of that array.

If you need to do this more than once, you could wrap this logic in a function:

function size(obj, enumerablesOnly) {
    return enumerablesOnly === false ?
        Object.getOwnPropertyNames(obj).length :
        Object.keys(obj).length;
}

How to use this particular function:

var myObj = Object.create({}, {
    getFoo: {},
    setFoo: {}
});
myObj.Foo = 12;

var myArr = [1,2,5,4,8,15];

console.log(size(myObj));        // Output : 1
console.log(size(myObj, true));  // Output : 1
console.log(size(myObj, false)); // Output : 3
console.log(size(myArr));        // Output : 6
console.log(size(myArr, true));  // Output : 6
console.log(size(myArr, false)); // Output : 7

See also this Fiddle for a demo.

Volkan answered 7/3, 2016 at 13:13 Comment(0)
B
7

Here's a different version of James Cogan's answer. Instead of passing an argument, just prototype out the Object class and make the code cleaner.

Object.prototype.size = function () {
    var size = 0,
        key;
    for (key in this) {
        if (this.hasOwnProperty(key)) size++;
    }
    return size;
};

var x = {
    one: 1,
    two: 2,
    three: 3
};

x.size() === 3;

jsfiddle example: http://jsfiddle.net/qar4j/1/

Bartizan answered 26/6, 2013 at 23:47 Comment(4)
Object.prototype - bad idea.Hypnotherapy
@tborychowski can you please explain why?Teenateenage
here's one article: bit.ly/1droWrG. I'm not saying it mustn't be done, only that you need to know all the repercussions before you do this.Hypnotherapy
If you’re going to extend built-in prototypes or polyfill a property (i.e. monkey-patch), please do it correctly: for forward compatibility, check if the property exists first, then make the property non-enumerable so that the own keys of constructed objects aren’t polluted. For methods use actual methods. My recommendation: follow these examples which demonstrate how to add a method that behaves as closely as possible like built-in methods.Klepht
B
6

You can always do Object.getOwnPropertyNames(myObject).length to get the same result as [].length would give for normal array.

Boutique answered 12/1, 2016 at 1:37 Comment(2)
Object.keys() returns an array that contains the names of only those properties that are enumerable. If you want an array with ALL properties, you should use Object.getOwnPropertyNames() instead. See developer.mozilla.org/en/docs/Web/JavaScript/Reference/…Volkan
How is this different from aeosynth's answer?Vitric
S
5

You can simply use Object.keys(obj).length on any object to get its length. Object.keys returns an array containing all of the object keys (properties) which can come in handy for finding the length of that object using the length of the corresponding array. You can even write a function for this. Let's get creative and write a method for it as well (along with a more convienient getter property):

function objLength(obj)
{
  return Object.keys(obj).length;
}

console.log(objLength({a:1, b:"summit", c:"nonsense"}));

// Works perfectly fine
var obj = new Object();
obj['fish'] = 30;
obj['nullified content'] = null;
console.log(objLength(obj));

// It also works your way, which is creating it using the Object constructor
Object.prototype.getLength = function() {
   return Object.keys(this).length;
}
console.log(obj.getLength());

// You can also write it as a method, which is more efficient as done so above

Object.defineProperty(Object.prototype, "length", {get:function(){
    return Object.keys(this).length;
}});
console.log(obj.length);

// probably the most effictive approach is done so and demonstrated above which sets a getter property called "length" for objects which returns the equivalent value of getLength(this) or this.getLength()
Sendai answered 17/9, 2016 at 1:48 Comment(4)
How is this different from aeosynth's answer?Vitric
It's because it shows how to make it as a function and a global object method (more object oriented and uses some form of encapsulation); however aeosynth's answer doesn't.Sendai
If you’re going to extend built-in prototypes or polyfill a property (i.e. monkey-patch), please do it correctly: for forward compatibility, check if the property exists first, then make the property non-enumerable so that the own keys of constructed objects aren’t polluted. For methods use actual methods. My recommendation: follow these examples which demonstrate how to add a method that behaves as closely as possible like built-in methods.Klepht
Also, how is writing a method “more efficient”?Klepht
L
4

A nice way to achieve this (Internet Explorer 9+ only) is to define a magic getter on the length property:

Object.defineProperty(Object.prototype, "length", {
    get: function () {
        return Object.keys(this).length;
    }
});

And you can just use it like so:

var myObj = { 'key': 'value' };
myObj.length;

It would give 1.

Latour answered 4/7, 2017 at 15:20 Comment(1)
Arguments against prototype modification aside, I personally have NEVER had a bug caused by it and for me is one of the strong points of JavaScript.Latour
H
3

Below is a version of James Coglan's answer in CoffeeScript for those who have abandoned straight JavaScript :)

Object.size = (obj) ->
  size = 0
  size++ for own key of obj
  size
Hem answered 4/3, 2013 at 17:38 Comment(2)
You probably wanted to say size++ for own key of obj (own key being syntax sugar in CoffeeScript). Using hasOwnProperty directly from the object is dangerous, as it breaks when object actually has such property.Shroudlaid
The OP didn't ask for a CoffeeScript version, nor it is tagged as such. This is not a valid answer to the question.Garrot
L
3

Property

Object.defineProperty(Object.prototype, 'length', {
    get: function () {
        var size = 0, key;
        for (key in this)
            if (this.hasOwnProperty(key))
                size++;
        return size;
    }
});

Use

var o = {a: 1, b: 2, c: 3};
alert(o.length); // <-- 3
o['foo'] = 123;
alert(o.length); // <-- 4
Lincolnlincolnshire answered 6/1, 2015 at 19:10 Comment(1)
If you’re going to extend built-in prototypes or polyfill a property (i.e. monkey-patch), please do it correctly: for forward compatibility, check if the property exists first, then make the property non-enumerable so that the own keys of constructed objects aren’t polluted. For methods use actual methods. My recommendation: follow these examples which demonstrate how to add a method that behaves as closely as possible like built-in methods.Klepht
M
3

With the ECMAScript 6 in-built Reflect object, you can easily count the properties of an object:

Reflect.ownKeys(targetObject).length

It will give you the length of the target object's own properties (important).

Reflect.ownKeys(target)

Returns an array of the target object's own (not inherited) property keys.

Now, what does that mean? To explain this, let's see this example.

function Person(name, age){
  this.name = name;
  this.age = age;
}

Person.prototype.getIntro= function() {
  return `${this.name} is ${this.age} years old!!`
}

let student = new Person('Anuj', 11);

console.log(Reflect.ownKeys(student).length) // 2
console.log(student.getIntro()) // Anuj is 11 years old!!

You can see here, it returned only its own properties while the object is still inheriting the property from its parent.

For more information, refer this: Reflect API

Maida answered 5/3, 2020 at 8:7 Comment(0)
H
3

Try: Object.values(theObject).length

const myObject = new Object();
myObject["firstname"] = "Gareth";
myObject["lastname"] = "Simpson";
myObject["age"] = 21;
console.log(Object.values(myObject).length);
Hawes answered 17/4, 2021 at 8:36 Comment(0)
A
2

Like most JavaScript problems, there are many solutions. You could extend the Object that for better or worse works like many other languages' Dictionary (+ first class citizens). Nothing wrong with that, but another option is to construct a new Object that meets your specific needs.

function uberject(obj){
    this._count = 0;
    for(var param in obj){
        this[param] = obj[param];
        this._count++;
    }
}

uberject.prototype.getLength = function(){
    return this._count;
};

var foo = new uberject({bar:123,baz:456});
alert(foo.getLength());
Andraandrade answered 9/5, 2014 at 18:45 Comment(2)
don't modify the prototype :)Arguelles
Modifying the prototype of a factory function is the way you extend them.Andraandrade
P
2

Simple one liner:

console.log(Object.values({id:"1",age:23,role_number:90}).length);
Prefabricate answered 6/10, 2020 at 18:24 Comment(0)
B
1

Simple solution:

  var myObject = {};      // ... your object goes here.

  var length = 0;

  for (var property in myObject) {
    if (myObject.hasOwnProperty(property)){
      length += 1;
    }
  };

  console.log(length);    // logs 0 in my example.
Buonarroti answered 11/4, 2015 at 14:33 Comment(0)
M
1

Here you can give any kind of varible array,object,string

function length2(obj){
    if (typeof obj==='object' && obj!== null){return Object.keys(obj).length;}
   //if (Array.isArray){return obj.length;}
    return obj.length;

}
Meg answered 19/12, 2021 at 16:33 Comment(0)
F
1

Here are some methods:

const myObject = new Object();
myObject["firstname"] = "Gareth";
myObject["lastname"] = "Simpson";
myObject["age"] = 21;


//first method
console.log(Object.entries(myObject).length); //3

//second method
let len = 0;
for(let i in myObject)len++;
console.log(len); //3
Famous answered 11/8, 2023 at 17:21 Comment(0)
P
0

The solution work for many cases and cross browser:

Code

var getTotal = function(collection) {

    var length = collection['length'];
    var isArrayObject =  typeof length == 'number' && length >= 0 && length <= Math.pow(2,53) - 1; // Number.MAX_SAFE_INTEGER

    if(isArrayObject) {
        return collection['length'];
    }

    i= 0;
    for(var key in collection) {
        if (collection.hasOwnProperty(key)) {
            i++;
        }
    }

    return i;
};

Data Examples:

// case 1
var a = new Object();
a["firstname"] = "Gareth";
a["lastname"] = "Simpson";
a["age"] = 21;

//case 2
var b = [1,2,3];

// case 3
var c = {};
c[0] = 1;
c.two = 2;

Usage

getLength(a); // 3
getLength(b); // 3
getLength(c); // 2
Pennington answered 7/8, 2016 at 16:28 Comment(0)
H
0

Object.keys does not return the right result in case of object inheritance. To properly count object properties, including inherited ones, use for-in. For example, by the following function (related question):

var objLength = (o,i=0) => { for(p in o) i++; return i }

var myObject = new Object();
myObject["firstname"] = "Gareth";
myObject["lastname"] = "Simpson";
myObject["age"] = 21;

var child = Object.create(myObject);
child["sex"] = "male";

var objLength = (o,i=0) => { for(p in o) i++; return i }

console.log("Object.keys(myObject):", Object.keys(myObject).length, "(OK)");
console.log("Object.keys(child)   :", Object.keys(child).length, "(wrong)");
console.log("objLength(child)     :", objLength(child), "(OK)");
Hom answered 13/2, 2019 at 4:15 Comment(0)
A
-1
 vendor = {1: "", 2: ""}
 const keysArray = Object.keys(vendor)
 const objectLength = keysArray.length
 console.log(objectLength)
 Result 2
Awaken answered 21/10, 2021 at 22:9 Comment(1)
A code-only answer is not high quality. While this code may be useful, you can improve it by saying why it works, how it works, when it should be used, and what its limitations are. Please edit your answer to include explanation and link to relevant documentation.Godspeed
J
-2

I had a similar need to calculate the bandwidth used by objects received over a websocket. Simply finding the length of the Stringified object was enough for me.

websocket.on('message', data => {
    dataPerSecond += JSON.stringify(data).length;
}
Jecon answered 16/8, 2019 at 14:0 Comment(1)
This does not answer the question.Theomorphic
K
-4

var myObject = new Object();
myObject["firstname"] = "Gareth";
myObject["lastname"] = "Simpson";
myObject["age"] = 21;

var size = JSON.stringify(myObject).length;

document.write(size);

JSON.stringify(myObject)
Krystlekrystyna answered 9/4, 2018 at 10:24 Comment(2)
the question resolved around the number of properties. your answer just shows what the length of one (out of many!) serialized forms is.Interfaith
On explanation would be in order. You can edit your answer.Vitric

© 2022 - 2024 — McMap. All rights reserved.