Guide to Reading Excel Files Using C#
A comprehensive guide on how to read content from Excel files (.xlsx, .xls) using C#, utilizing the EPPlus
library with step-by-step installation and illustrative examples.
In this article, we will use the EPPlus library to read content from an Excel file. EPPlus is a powerful library that allows creating, modifying, and reading Excel files in C#.
// Step 1: Install the EPPlus library
// You can install it via the NuGet Package Manager Console using the following command:
// Install-Package EPPlus
using OfficeOpenXml;
using System;
using System.IO;
class Program
{
static void Main(string[] args)
{
// Path to the Excel file
var filePath = "example.xlsx";
// Check if the file exists
if (File.Exists(filePath))
{
// Load the Excel file
using (var package = new ExcelPackage(new FileInfo(filePath)))
{
// Get the first sheet
var worksheet = package.Workbook.Worksheets[0];
// Iterate through each row and column to read data
for (int row = 1; row <= worksheet.Dimension.End.Row; row++)
{
for (int col = 1; col <= worksheet.Dimension.End.Column; col++)
{
Console.Write(worksheet.Cells[row, col].Text + "\t"); // Print the value of each cell
}
Console.WriteLine(); // Move to the next line after reading a row
}
}
}
else
{
Console.WriteLine("File does not exist.");
}
}
}
Detailed Explanation:
-
Installing the EPPlus Library: Use the
Install-Package EPPlus
command in the NuGet Package Manager Console to install the EPPlus library. -
Loading the Excel File:
ExcelPackage
is used to load the Excel file. -
Accessing the Sheet:
package.Workbook.Worksheets[0]
retrieves the first sheet in the workbook. -
Iterating through Rows and Columns: A
for
loop is used to iterate through each row and column, andworksheet.Cells[row, col].Text
retrieves the value of each cell.
System Requirements:
The code is compatible with C# 7.0 and later, requiring .NET Framework 4.5 or higher.
Tips:
- Ensure you have installed the correct version of the EPPlus library.
- Check the path to the Excel file to avoid file not found errors.
- Use an integrated development environment (IDE) like Visual Studio to easily manage and run the code.