When to use an object or an array in javascript? [duplicate]

不问归期 提交于 2019-11-28 07:00:17

When you need to depend on the order of the elements in the collection, use Arrays, when order is not important, use objects. Order is not guaranteed in objects, but they provide for fast key-value pair lookups.

I'd use an Array [] when I'm dealing with a list of objects the same type* (like a list of strings) that I want the order of and an Object {} when I'm dealing with something that I want properties of (and the properties are of different types, usually).

For example:

var numberNames = ["one","two","three","four"];

var computer = {
     motherBoard : "mother", 
     psu : psu_object(),
     ram : { 
             ram1 : GB,
             ram2 : TwoGB
     }
};

* This is just my preference. Arrays can contain elements of multiple different types.

They are just different data structures, they serve different purposes. Array extends Object and provides properties like length and methods like push() and pop().

Think of an object as a hash table and an array as a list.

E.g. you can use arrays as queue or as a stack which would not be possible with objects.

On the other side if you want to store data and want to access a specific datum directly, you would use an object.

In the end it boils down to the question which data structure is the right one for the job. Maybe neither of them is and you would need a tree instead (which can be implemented via objects).

Objects are a good candidate if you have a unique key.

Example Array vs. Object:

var item = { id: '123', prop1: 456 };

var obj = {}, arr = [];

// add to object
obj[item.id] = item;

// add to array
arr.push(item);

// get from object
var got = obj[item.id];

// get from array
var got;
for(var i = 0; i < arr.length; i++)
    if(arr[i].id == item.id){
        got = arr[i];
        break;
    }

As you can see finding an object is much more expensive with an array (loop). Using an object you will not have access to all the array helper methods (sort/push/etc) but you can still iterate an objects' properties using a for...in loop.

Use an array when you want to store a collection of objects that are of one type and that logically belong together.

Is there something specific you were wondering about?

Arrays are useful when you want to operate on all related items (looping), accessing items by index and for sorting.

Objects keys are strings; array keys are integers. JavaScript objects are maps (String -> anything) and arrays are lists (ordered collections ofanything).

Does that help?

You often use arrays when you have a series of related items that you want ordered and indexed.

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!