Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

loop through object properties in flash

I have an object that gets properties added in this sequence.

Home
School
living
status
sound
Memory

When I loop through the object they don't come out in that sequence. How do I get them to come out in this order.

data is the object

for (var i:String in data)
{
    trace(i + ": " + data[i]);
}

Is there a way to sort it maybe?

like image 592
Chapsterj Avatar asked Dec 27 '22 22:12

Chapsterj


2 Answers

The only way to sort the order that you can access properties is manually. Here is a function I have created for you to do just that:

function getSortedPairs(object:Object):Array
{
    var sorted:Array = [];

    for(var i:String in object)
    {
        sorted.push({ key: i, value: object[i] });
    }

    sorted.sortOn("key");

    return sorted;
}

Trial:

var test:Object = { a: 1, b: 2, c: 3, d: 4, e: 5 };
var sorted:Array = getSortedPairs(test);

for each(var i:Object in sorted)
{
    trace(i.key, i.value);
}
like image 191
Marty Avatar answered Jan 06 '23 07:01

Marty


The link Marty shared explains what is happening pretty well and his answer is excellent too.

Another solution you might also consider if order matters is to use a Vector.

// Init the vector
var hectorTheVector:Vector.<String> = new Vector.<String>();

// Can add items by index
hectorTheVector[0] = "Home";
hectorTheVector[1] = "School";
hectorTheVector[2] = "living";

// Or add items by push
hectorTheVector.push("status");
hectorTheVector.push("sound");
hectorTheVector.push("Memory");

//See all items in order
for(var i:int = 0; i < hectorTheVector.length; i++){
    trace(hectorTheVector[i]);
}

/* Traces out:
Home
School
living
status
sound
Memory
*/

An Array would also preserve order. here is a good topic on sorting Arrays

like image 33
ToddBFisher Avatar answered Jan 06 '23 06:01

ToddBFisher