Here is one way to do this:
using System; using System.Linq; using System.Xml.Linq; class Program { static void Main() { String xml = @"<Pricing> <MPrice> <Id>0079</Id> <Price> <Price>31.25</Price> <StartDt>2009-8-01</StartDt> <EndDt>2009-08-26</EndDt> </Price> <Price> <ListPrice>131.25</ListPrice> <StartDt>2009-08-26</StartDt> <EndDt>9999-12-31</EndDt> </Price> </MPrice> </Pricing>"; var priceInfo = from e in XElement.Parse(xml).Elements("MPrice").Elements("Price") let start = DateTime.Parse(e.Descendants("StartDt").FirstOrDefault().Value) let end = DateTime.Parse(e.Descendants("EndDt").FirstOrDefault().Value) where start < DateTime.Now && end > DateTime.Now select new { Id = e.Parent.Element("Id").Value, ListPrice = e.Element("ListPrice").Value }; Console.WriteLine(priceInfo.FirstOrDefault().Id); Console.WriteLine(priceInfo.FirstOrDefault().ListPrice); } }
Output:
0079 131.25
Note that error checking should be much larger than in this example. I would specifically add a check around datetime parsing (possibly using a function that wraps DateTime.TryParseExact ).
Edit: If you want to use XDocument instead of XElement , you will need to make a slight change to the request (note the use of the Descendants method instead of the Elements method):
var priceInfo = from e in XDocument.Parse(xml).Descendants("MPrice").Elements("Price") let start = DateTime.Parse(e.Descendants("StartDt").FirstOrDefault().Value) let end = DateTime.Parse(e.Descendants("EndDt").FirstOrDefault().Value) where start < DateTime.Now && end > DateTime.Now select new { Id = e.Parent.Element("Id").Value, ListPrice = e.Element("ListPrice").Value };
Remember that you do not need to use XDocument if you are not working with XML as a genuine document. In most cases, an XElement enough.
Edit # 2: If you want to load XDocument from disk, use this approach:
using System; using System.Linq; using System.Xml.Linq; class Program { static void Main() { XDocument document = XDocument.Load(@"d:\test.xml"); var priceInfo = from e in document.Descendants("MPrice").Elements("Price") let start = DateTime.Parse(e.Descendants("StartDt").FirstOrDefault().Value) let end = DateTime.Parse(e.Descendants("EndDt").FirstOrDefault().Value) where start < DateTime.Now && end > DateTime.Now select new { Id = e.Parent.Element("Id").Value, ListPrice = e.Element("ListPrice").Value }; Console.WriteLine(priceInfo.FirstOrDefault().Id); Console.WriteLine(priceInfo.FirstOrDefault().ListPrice); } }
source share