views:

1363

answers:

1

Here is the basics of the schema... there is more than this, but this gives a good idea of what I need to accomplish:

<item>
    <name>This is some product name to sort with dictionary sort.</name>
    <price value="29.99">$29.99</price>
</item>
<item>
    <name>This is some product name to sort with dictionary sort.</name>
    <price value="29.99">$29.99</price>
</item>

Here is a down-and-dirty approach:

var node = null;
var path = null;
var items = jQuery( "item", xml );
var itemsTmp = new Array();
var itemsSorted = [];

for ( i = 0; i < items.length; i++ ) {

    // price
    itemsTmp[i] = jQuery( "price", items[i] ).attr( "value" );

}

itemsTmp.sort(function(a,b){return a-b});

for ( i=0;i<itemsTmp.length;i++ ) {

    itemsSorted[ i ] = jQuery( "price[value=" + itemsTmp[ i ] + "]", items ).parent();

}

The problem is that itemsSorted is now an array of jQuery objects. I need to get all of my item nodes back together, but sorted, so that later I can do:

jQuery( "item", xml ).each(function() {
    alert( jQuery( "price", this ).text() );
});
+3  A: 

When adding to the itemsSorted array, you could use ...parent().get(0); To add the node to the array instead of the jQuery object.

Then after the last iteration:

jQuery("item", xml).remove();
jQuery.each(itemsSorted, function() {
    jQuery(xml).append(this);
});

Also, you should be aware that you haven't defined the variable 'i' in your for-loops. Which makes it a global variable, and can cause lots of strange behavior. I prefer to use the jQuery.each, because that also gives you local scope inside the for-loop :)

gregers
Awesome. The key was that I was trying to either create a new element on the fly and append jQuery objects to it, or use an array and figure out how to join the elements together. What I needed to be doing was modifying the original XML object document. Thanks!
hal10001