tags:

views:

76

answers:

5

I have a string :

responsestring = "<?xml version="1.0" encoding="utf-8"?>
<upload><image><name></name><hash>SOmetext</hash>"

How can i get the value between

<hash> and </hash>

?

My attempts :

responseString.Substring(responseString.LastIndexOf("<hash>") + 6, 8); // this sort of works , but won't work in every situation.

also tried messing around with xmlreader , but couldn't find the solution.

ty

+1  A: 

var val = XElement.Parse();

val.Descendants(...).Value

Noel Abrahams
+7  A: 

Try

XDocument doc = XDocument.Parse(str);
var a = from hash in doc.Descendants("hash")
        select hash.Value;

you will need System.Core and System.Xml.Linq assembly references

Vinay B R
A: 

You can use an xmlreader and/or xpath queries to get all desired data.

Kangkan
could you elaborate please. I am completely unfamiliar with xml
See the answer from Vinay below this.
Kangkan
@kangkan@ u have a beautiful mustache
i am a girl
THNX! @Jenny. Questions and answers should be more beautiful!!
Kangkan
+3  A: 

Others have suggested LINQ to XML solutions, which is what I'd use as well, if possible.

If you're stuck with .NET 2.0, use XmlDocument or even XmlReader.

But don't try to manipulate the raw string yourself using Substring and IndexOf. Use an XML API of some description. Otherwise you will get it wrong. It's a matter of using the right tool for the job. Parsing XML properly is a significant chunk of work - work that's already been done.

Now, just to make this a full answer, here's a short but complete program using your sample data:

using System;
using System.Xml.Linq;

class Test
{
    static void Main()
    {
        string response = @"<?xml version='1.0' encoding='utf-8'?>
<upload><image><name></name><hash>Some text</hash></image></upload>";

        XDocument doc = XDocument.Parse(response);

        foreach (XElement hashElement in doc.Descendants("hash"))
        {
            string hashValue = (string) hashElement;
            Console.WriteLine(hashValue);
        }
    }
}

Obviously that will loop over all the hash elements. If you only want one, you could use doc.Descendants("hash").Single() or doc.Descendants("hash").First() depending on your requirements.

Note that both the conversion I've used here and the Value property will return the concatenation of all text nodes within the element. Hopefully that's okay for you - or you could get just the first text node which is a direct child if necessary.

Jon Skeet
works perfect! thanks for the complete solution
+1  A: 

Get your xml well formed and escape the double quotes with backslash. Then apply the following code

 XDocument resp = XDocument.Parse("<hash>SOmetext</hash>");

       var r= from element in resp.Elements()
           where element.Name == "hash"
           select element;


    foreach (var item in r)
    {
        Console.WriteLine(item.Value);
    }
mumtaz