views:

927

answers:

2

I need to get just the first item (actually, just the first key) off a rather large associative array in JavaScript. Here's how I'm doing it currently (using jQuery):

getKey = function (data) {
    var firstKey;
    $.each(data, function (key, val) {
        firstKey = key;
        return false;
    });
    return firstKey;
};

Just guessing, but I'd say there's got to be a better (read: more efficient) way of doing this. Any suggestions?

UPDATE: Thanks for the insightful answers and comments! I had forgotten my JavaScript 101, wherein the spec says you're not guaranteed a particular order in an associative array. It's interesting, though, that most browsers do implement it that way. I'd prefer not to sort the array before getting that first key, but it may be unavoidable given my use case.

+4  A: 

If it's an associative array, how do you know what the first item is?

John Millikin
I think he means the first item that was inserted into the array.
spoon16
If you want that, you would need to build your own implementation of a Stack. Assoc arrays don't preserve any key ordering.
Toby Hede
They do in JS -- go backwards compatibility! :D
olliej
+8  A: 

There isn't really a first or last element in associative arrays (i.e. objects). The only order you can hope to acquire is the order the elements were saved by the parser -- and no guarantees for consistency with that.

But, if you want the first to come up, the classic manner might actually be a bit easier:

function getKey(data) {
  for (var prop in data)
    return prop;
}

Want to avoid inheritance properties?

function getKey(data) {
  for (var prop in data)
    if (data.propertyIsEnumerable(prop))
      return prop;
}
Jonathan Lonowski
Actually you are guaranteed order -- not by the spec, but simply by virtue of too many sites depending on order in the past.Basically you are guaranteed that for (a in b) .. will cover each enumerable property in b in the exact order they were added to the object at runtime.
olliej
(I ran out of space above) The exception to this is the order the you enumerate properties in the prototype chain which still varies from browser to browser
olliej