In this article [Show more]
Read XML File in a C# Console Application
Reading XML files in a C# console application is straightforward with the System.Xml namespace, which provides the classes required to handle and manipulate XML data. This article will show you how to read an XML file efficiently in a console application using XmlDocument and XDocument.
Using XmlDocument to Read XML
The XmlDocument class represents an in-memory XML document that can be queried and navigated using XPath.
Example: Reading XML with XmlDocument
using System;
using System.Xml;
public class XmlReadExample
{
public static void Main()
{
// Path to the XML file
string filePath = "books.xml";
// Create an instance of XmlDocument
XmlDocument doc = new XmlDocument();
// Load the XML file
try
{
doc.Load(filePath);
// Access specific nodes using XPath
XmlNodeList bookNodes = doc.SelectNodes("//book");
Console.WriteLine("Books in the Library:");
foreach (XmlNode book in bookNodes)
{
string title = book["title"]?.InnerText;
string author = book["author"]?.InnerText;
string year = book["year"]?.InnerText;
Console.WriteLine($"Title: {title}, Author: {author}, Year: {year}");
}
}
catch (Exception ex)
{
Console.WriteLine($"Error reading XML: {ex.Message}");
}
}
}
Tips for Using XmlDocument
- XPath Queries: Use XPath queries with SelectNodes or SelectSingleNode to navigate efficiently.
- Exception Handling: Wrap XML loading operations in a try-catch block to handle errors gracefully.
Using XDocument to Read XML
XDocument is part of LINQ to XML, a more modern and functional approach to reading XML data.
Example: Reading XML with XDocument
using System;
using System.Linq;
using System.Xml.Linq;
public class XDocumentReadExample
{
public static void Main()
{
// Path to the XML file
string filePath = "books.xml";
try
{
// Load the XML file into an XDocument
XDocument doc = XDocument.Load(filePath);
// Query the XML data using LINQ
var books = from book in doc.Descendants("book")
select new
{
Title = book.Element("title")?.Value,
Author = book.Element("author")?.Value,
Year = book.Element("year")?.Value
};
Console.WriteLine("Books in the Library:");
foreach (var book in books)
{
Console.WriteLine($"Title: {book.Title}, Author: {book.Author}, Year: {book.Year}");
}
}
catch (Exception ex)
{
Console.WriteLine($"Error reading XML: {ex.Message}");
}
}
}
Tips for Using XDocument
- LINQ Queries: Use LINQ queries to navigate and filter XML data easily.
- Element Access: Access elements directly using .Element and .Descendants.
Conclusion
Whether using XmlDocument or XDocument, C# provides robust tools for reading XML files in console applications. Choose the approach that best fits your application's needs for navigating and querying XML data.