This is likely the shortest code you can write to get your object:
// your existing code (a tiny bit changed)
var idArray = $("*[id]").map(function() {
return this.id;
}).get();
// this one liner does the trick
var obj = $.extend({}, idArray);
A better approach for your problem - associative array
But as I've read in your comments in other answers this object structure may not be best in your case. What you want is to check whether a particular ID already exists. This object
{
0: "ID1",
1: "otherID",
...
}
won't help too much. A better object would be your associative array object:
{
ID1: true,
otherID: true,
...
}
because that would make it simple to determine particular ID by simply checking using this condition in if
statement:
if (existingIDs[searchedID]) ...
All IDs that don't exist would fail this condition and all that do exist will return true
. But to convert your array of IDs to this object you should use this code:
// your existing code (a tiny bit changed)
var idArray = $("*[id]").map(function() {
return this.id;
}).get();
// convert to associative "array"
var existingIDs = {};
$.each(idArray, function() { existingIDs[this] = true; });
or given the needed results you can optimise this a bit more:
var existingIDs = {};
$("*[id]").each(function() { existingIDs[this.id] = true; });
This will speed up your existing ID searching to the max. Checking ID uniqueness likely doesn't need hierarchical object structure as long as you can get the info about ID existence in O(1). Upper associative array object will give you this super fast possibility. And when you create a new object with a new ID, you can easily add it to existing associative array object by simply doing this:
existingIDs[newID] = true;
And that's it. The new ID will get cached along with others in the same associative array object.
Caution: I can see your code has implied global (listy
variable). Beware and avoid if possible.
Performance testing
As @Blazemonger suggests this doesn't hold water I'd say that this claim may be true. It all boils down to:
- the number of elements with IDs you have
- number of searches you'd like to do
If the first one is normally low as in regular HTML pages where CSS classes are more frequently used than IDs and if the second one is large enough then this performance test proves that associative array can be a fair bit faster than using jQuery alone. HTML Used in this test is a copy of Stackoverflow's list of questions on the mobile site (so I had less work eliminating scripts from the source). I deliberately took an example of a real world site content than prepared test case which can be deliberately manufactured to favour one or the other solution.
If you're searching on a much smaller scale, than I using straight forwards jQuery would be faster because it doesn't require start-up associative array preparation and gets off searching right away.