Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

XElement attribute sorting

I have a XML file like that:

<Users>
    <User>
        <Adress Name="bbbb"/>
        <Adress Name="aaaa" />
    </User>
</Users>

I want to sort User element's nodes in ascending order. How can I order Adress elements?

Thank you for your help.

like image 855
cagin Avatar asked Sep 10 '25 12:09

cagin


2 Answers

If node is your user node:

node.Elements("Adress").OrderBy(e=>e.Attribute("Name").Value)
like image 198
Gregoire Avatar answered Sep 13 '25 00:09

Gregoire


Are you merely wanting to work with the XML objects in memory or are you looking to store the sorted results back in a file?

This code shows reordering the elements within an XDocument so that you can save it.

string xml = @"<Users> 
<User> 
<Address Name=""bbbb""/> 
<Address Name=""aaaa"" /> 
</User> 
<User> 
<Address Name=""dddd""/> 
<Address Name=""cccc"" /> 
</User> 
</Users> ";

XDocument document = XDocument.Parse(xml);

var users = document.Root.Elements("User");
foreach (var user in users)
{
    var elements = user.Elements("Address").OrderBy(a => a.Attribute("Name").Value).ToArray();
    user.Elements().Remove();
    user.Add(elements);
}

If you want an ordered in-memory model, then you can do it like this

var query = from user in document.Root.Elements("User")
            select new
            {
                Addresses = from address in user.Elements("Address")
                            orderby address.Attribute("Name").Value
                            select new
                            {
                                Name = address.Attribute("Name").Value 
                            }
            };

foreach (var user in query)
{
    foreach (var address in user.Addresses)
    {
        // do something with address.Name
    }
}
like image 23
Anthony Pegram Avatar answered Sep 13 '25 02:09

Anthony Pegram