"},exportation Excel sans Office,Remplacement d'Excel Interop,mise en forme de feuille Excel,insertion de données dynamique,Automatisation Excel avec C#,jeu de données vers Excel,manipulation de modèle Excel,Programmation C# pour Excel,construction de feuille de calcul Excel,exportation Excel haute performance,modèles de rapports Excel,préservation du formatage dans Excel,Excel sans Microsoft Office,sorties Excel professionnelles,tutoriel IronXL,automatisation de l'exportation de données"> Passer au contenu du pied de page
UTILISATION D'IRONXL

Comment exporter un modèle en C#

Working with Microsoft Excel templates streamlines report generation by preserving formatting, formulas, and layouts while dynamically populating data. This tutorial demonstrates how to efficiently export data to existing Excel worksheet templates using IronXL, eliminating the need for Microsoft Office dependencies or Excel Interop. The following example shows how to write data to excel templates and create professional excel sheet outputs. Suppose you're looking for a way to C# export to Excel template already existing without Microsoft Office installed. In that case, this Excel library provides a clean, high-performance solution with more advanced features that enable you to insert data from various sources including dataset objects.

In addition to Excel workbooks, IronXL integrates well with other data exchange formats such as XML files, allowing developers to import data, export, or transform structured data between systems with ease. Whether you need to write data to excel from a database or system files, this library supports seamless integration with .NET applications.

How to Export Template in C#: Figure 1

Why Use Excel Templates for Data Export?

Excel templates offer significant advantages over creating spreadsheets from scratch. Templates maintain professional formatting, complex formulas, conditional formatting rules, and validated data structures. Organizations often have standardized templates for invoices, reports, and dashboards that must retain their design while incorporating dynamic data from databases, APIs, or collection objects such as a data table. When applying conditional formatting and cell formatting to your output file, templates ensure consistency across all generated documents in xlsx format.

By populating existing templates programmatically, developers save countless hours of formatting work and ensure consistency across all generated documents. IronXL makes this process seamless, supporting various Excel formats, including XLSX, XLS file, XLSM, and XLTX templates without requiring Office installation. The source code for these operations is straightforward and easy to implement in any project folder.

How to Export Template in C#: Figure 2

Setting Up IronXL for Template Operations

Start by installing IronXL through NuGet Package Manager. Open your Package Manager Console and run the following command:

Install-Package IronXL.Excel

How to Export Template in C#: Figure 3

After installation, add the necessary namespace to your C# file:

using IronXL;
using IronXL;
Imports IronXL
$vbLabelText   $csharpLabel

IronXL operates independently without requiring Microsoft Office installation, making it ideal for server environments and cross-platform applications, including Docker containers and cloud platforms. For detailed setup instructions and additional information, visit the IronXL getting started guide. The library supports .NET Framework, .NET Core, and .NET 5+ across Windows, Linux, and macOS environments, making it perfect for .NET applications.

How to Export Template in C#: Figure 4 - Features

Loading and Populating Excel Templates

Loading an existing template is straightforward with IronXL's WorkBook.Load() method. The following example shows how to open a template and populate it with data, handling the first row as headers and managing column names effectively:

// Load the existing Excel template for data import
WorkBook workbook = WorkBook.Load("ReportTemplate.xlsx");
WorkSheet sheet = workbook.DefaultWorkSheet;
// Populate specific worksheet cells with data
sheet["B2"].Value = "Q4 2024 Sales Report";
sheet["C4"].StringValue = DateTime.Now.ToString("MMMM dd, yyyy");
sheet["C6"].DecimalValue = 125000.50m;
sheet["C7"].DecimalValue = 98500.75m;
sheet["C8"].Formula = "=C6-C7"; // Profit calculation
// Populate a range with array data
decimal[] monthlyData = { 10500, 12300, 15600, 11200 };
for (int i = 0; i < monthlyData.Length; i++)
{
    sheet[$"E{10 + i}"].DecimalValue = monthlyData[i];
}
// Save the populated template
workbook.SaveAs("Q4_Sales_Report.xlsx");
// Load the existing Excel template for data import
WorkBook workbook = WorkBook.Load("ReportTemplate.xlsx");
WorkSheet sheet = workbook.DefaultWorkSheet;
// Populate specific worksheet cells with data
sheet["B2"].Value = "Q4 2024 Sales Report";
sheet["C4"].StringValue = DateTime.Now.ToString("MMMM dd, yyyy");
sheet["C6"].DecimalValue = 125000.50m;
sheet["C7"].DecimalValue = 98500.75m;
sheet["C8"].Formula = "=C6-C7"; // Profit calculation
// Populate a range with array data
decimal[] monthlyData = { 10500, 12300, 15600, 11200 };
for (int i = 0; i < monthlyData.Length; i++)
{
    sheet[$"E{10 + i}"].DecimalValue = monthlyData[i];
}
// Save the populated template
workbook.SaveAs("Q4_Sales_Report.xlsx");
IRON VB CONVERTER ERROR developers@ironsoftware.com
$vbLabelText   $csharpLabel

This code loads a pre-designed template, maintains all existing formatting, and populates specific cells with new data. The DecimalValue property ensures numerical data retains proper formatting. Formula cells automatically recalculate when adjacent data changes, preserving the template's computational logic. Learn more about working with Excel formulas in IronXL.

Input

How to Export Template in C#: Figure 5 - Sample Template Input

Output

How to Export Template in C#: Figure 6 - Load Excel Template Output

Working with Template Placeholders

Many templates use placeholder text markers that need replacement with actual data. IronXL handles this scenario efficiently through cell iteration and text replacement. When you need to write data to excel templates and insert dynamic content, this approach provides maximum flexibility:

// Load template with placeholders
WorkBook workbook = WorkBook.Load("InvoiceTemplate.xlsx");
WorkSheet sheet = workbook.DefaultWorkSheet;
// Find and replace placeholder text in cells
foreach (var cell in sheet["A1:H50"])
{
    if (cell.Text.Contains("{{CustomerName}}"))
        cell.Value = cell.Text.Replace("{{CustomerName}}", "Acme Corporation");
    if (cell.Text.Contains("{{InvoiceDate}}"))
        cell.Value = cell.Text.Replace("{{InvoiceDate}}", DateTime.Now.ToShortDateString());
    if (cell.Text.Contains("{{InvoiceNumber}}"))
        cell.Value = cell.Text.Replace("{{InvoiceNumber}}", "INV-2024-001");
}
// Populate line items dynamically
var items = new[] {
    new { Description = "Software License", Qty = 5, Price = 299.99 },
    new { Description = "Support Package", Qty = 1, Price = 999.99 }
};
int startRow = 15;
foreach (var item in items)
{
    sheet[$"B{startRow}"].Value = item.Description;
    sheet[$"E{startRow}"].IntValue = item.Qty;
    sheet[$"F{startRow}"].DoubleValue = item.Price;
    sheet[$"G{startRow}"].Formula = $"=E{startRow}*F{startRow}";
    startRow++;
}
workbook.SaveAs("GeneratedInvoice.xlsx");
// Load template with placeholders
WorkBook workbook = WorkBook.Load("InvoiceTemplate.xlsx");
WorkSheet sheet = workbook.DefaultWorkSheet;
// Find and replace placeholder text in cells
foreach (var cell in sheet["A1:H50"])
{
    if (cell.Text.Contains("{{CustomerName}}"))
        cell.Value = cell.Text.Replace("{{CustomerName}}", "Acme Corporation");
    if (cell.Text.Contains("{{InvoiceDate}}"))
        cell.Value = cell.Text.Replace("{{InvoiceDate}}", DateTime.Now.ToShortDateString());
    if (cell.Text.Contains("{{InvoiceNumber}}"))
        cell.Value = cell.Text.Replace("{{InvoiceNumber}}", "INV-2024-001");
}
// Populate line items dynamically
var items = new[] {
    new { Description = "Software License", Qty = 5, Price = 299.99 },
    new { Description = "Support Package", Qty = 1, Price = 999.99 }
};
int startRow = 15;
foreach (var item in items)
{
    sheet[$"B{startRow}"].Value = item.Description;
    sheet[$"E{startRow}"].IntValue = item.Qty;
    sheet[$"F{startRow}"].DoubleValue = item.Price;
    sheet[$"G{startRow}"].Formula = $"=E{startRow}*F{startRow}";
    startRow++;
}
workbook.SaveAs("GeneratedInvoice.xlsx");
IRON VB CONVERTER ERROR developers@ironsoftware.com
$vbLabelText   $csharpLabel

This approach searches for placeholder markers within a specified range and replaces them with actual values. The template's formatting, including fonts, colors, and borders, remains intact throughout the process. For more advanced scenarios, explore IronXL's cell styling options to dynamically modify formatting when needed.

Real-World Implementation Example

Here's a complete example generating a monthly sales report from an existing Excel template with pre-formatted cells. This code demonstrates how to handle object sender events and write comprehensive reports. When working with data from a system database or in-memory collections, you can efficiently export data to excel using a new datatable or existing dataset to populate templates:

public void GenerateMonthlyReport(string templatePath, Dictionary<string, decimal> salesData)
{
    // Load the existing template file
    WorkBook workbook = WorkBook.Load(templatePath);
    WorkSheet sheet = workbook.GetWorkSheet("Monthly Report");
    // Set report header information
    sheet["B2"].Value = $"Sales Report - {DateTime.Now:MMMM yyyy}";
    sheet["B3"].Value = $"Generated: {DateTime.Now:g}";
    // Populate sales data starting from row 6
    int currentRow = 6;
    decimal totalSales = 0;
    foreach (var sale in salesData)
    {
        sheet[$"B{currentRow}"].Value = sale.Key;  // Product name
        sheet[$"C{currentRow}"].DecimalValue = sale.Value;  // Sales amount
        sheet[$"D{currentRow}"].Formula = $"=C{currentRow}/C${salesData.Count + 6}*100"; // Percentage formula
        totalSales += sale.Value;
        currentRow++;
    }
    // Update total row with sum
    sheet[$"C{currentRow}"].DecimalValue = totalSales;
    sheet[$"C{currentRow}"].Style.Font.Bold = true;
    // Save with timestamp
    string outputPath = $"Reports/Monthly_Report_{DateTime.Now:yyyyMMdd}.xlsx";
    workbook.SaveAs(outputPath);
}
public void GenerateMonthlyReport(string templatePath, Dictionary<string, decimal> salesData)
{
    // Load the existing template file
    WorkBook workbook = WorkBook.Load(templatePath);
    WorkSheet sheet = workbook.GetWorkSheet("Monthly Report");
    // Set report header information
    sheet["B2"].Value = $"Sales Report - {DateTime.Now:MMMM yyyy}";
    sheet["B3"].Value = $"Generated: {DateTime.Now:g}";
    // Populate sales data starting from row 6
    int currentRow = 6;
    decimal totalSales = 0;
    foreach (var sale in salesData)
    {
        sheet[$"B{currentRow}"].Value = sale.Key;  // Product name
        sheet[$"C{currentRow}"].DecimalValue = sale.Value;  // Sales amount
        sheet[$"D{currentRow}"].Formula = $"=C{currentRow}/C${salesData.Count + 6}*100"; // Percentage formula
        totalSales += sale.Value;
        currentRow++;
    }
    // Update total row with sum
    sheet[$"C{currentRow}"].DecimalValue = totalSales;
    sheet[$"C{currentRow}"].Style.Font.Bold = true;
    // Save with timestamp
    string outputPath = $"Reports/Monthly_Report_{DateTime.Now:yyyyMMdd}.xlsx";
    workbook.SaveAs(outputPath);
}
IRON VB CONVERTER ERROR developers@ironsoftware.com
$vbLabelText   $csharpLabel

This method accepts sales data and populates a standardized template, automatically calculating percentages and totals while preserving the template's professional appearance. The existing charts and conditional formatting in the template automatically update based on the new data. Note: When transferring data to excel from DataTable objects or dataset collections, preserve column names and handle the first row as headers.

The following example approach works seamlessly whether you need to write data from dictionaries, insert values from database queries, or export data to Excel from various system sources. Simply save the output file to your designated folder for easy access. For additional information on working with DataTables, see the DataTable import documentation and source code examples.

Input

How to Export Template in C#: Figure 7 - Excel Template Input

Output

How to Export Template in C#: Figure 8 - Monthly Report Output

Troubleshooting Common Issues

When working with templates, ensure file paths are correct and templates aren't locked by other processes. For password-protected templates, use WorkBook.Load("template.xlsx", "password"). If formulas aren't updating, call sheet.Calculate() after populating data. For large datasets, consider using workbook.SaveAs() with streaming options to optimize memory usage. Check the troubleshooting documentation for additional information and solutions when working with xlsx format files across different system environments.

Conclusion

IronXL simplifies Excel template population in C#, preserving complex formatting while efficiently injecting dynamic data from various sources including dataset objects and database connections. This approach significantly reduces development time and maintains document consistency across your organization's reporting workflows. Whether you need to write data to excel, insert new rows, or apply cell formatting to your output file, IronXL provides the tools necessary for professional excel automation in .NET applications.

Ready to streamline your Excel reporting? Start your free IronXL trial to test template population in your project, or explore more Excel automation tutorials to enhance your workflow. For production deployment, view licensing options that fit your needs.

How to Export Template in C#: Figure 9 - Licensing

Questions Fréquemment Posées

Quel est l'avantage d'utiliser IronXL pour exporter des données vers un modèle Excel ?

IronXL vous permet d'exporter des données vers un modèle Excel existant sans avoir besoin de Microsoft Office ou d'Excel Interop, préservant efficacement le formatage, les formules et les mises en page.

Puis-je exporter des données à partir d'un objet de jeu de données vers un modèle Excel en utilisant IronXL ?

Oui, IronXL prend en charge l'exportation de données à partir de diverses sources, y compris les objets de jeu de données, vers des modèles Excel tout en maintenant la structure existante du modèle.

Microsoft Office est-il requis pour utiliser IronXL pour les opérations Excel ?

Non, IronXL fonctionne indépendamment de Microsoft Office, fournissant une solution claire et performante pour travailler avec des modèles Excel en C#.

Comment IronXL gère-t-il le formatage lors de l'exportation de données vers des modèles Excel ?

IronXL préserve le formatage, les formules et la mise en page existants de vos modèles Excel, garantissant que vos données sont exportées de manière transparente dans la structure souhaitée.

Quel type de sorties Excel IronXL peut-il créer ?

IronXL peut créer des sorties de feuille Excel professionnelles en écrivant des données dans des modèles tout en préservant l'intégrité du formatage et de la structure d'origine.

IronXL prend-il en charge la population de données dynamique dans les modèles Excel ?

Oui, IronXL prend en charge la population de données dynamique, vous permettant de remplir efficacement des modèles Excel avec des données de diverses sources tout en conservant l'intégrité du modèle.

IronXL peut-il gérer des modèles Excel complexes avec des formules ?

IronXL est capable de gérer des modèles Excel complexes incluant des formules, garantissant que les formules restent intactes et fonctionnelles après l'exportation des données.

{"15":"Qu'est-ce qui rend IronXL une solution haute performance pour l'exportation de donn\u00e9es vers Excel ?<\/S>"}

La capacité d'IronXL à fonctionner indépendamment de Microsoft Office et ses fonctionnalités avancées pour gérer diverses sources de données en font une solution performante pour l'exportation de données vers Excel.

Est-il possible d'exporter des données vers un modèle de feuille de calcul Excel en utilisant C# sans dépendances externes ?

Oui, IronXL vous permet d'exporter des données vers un modèle de feuille de calcul Excel en utilisant C# sans dépendre de dépendances externes comme Microsoft Office.

Comment IronXL simplifie-t-il le processus de génération de rapports dans Excel ?

IronXL simplifie la génération de rapports en permettant aux utilisateurs d'exporter des données directement dans des modèles Excel, préservant le formatage et la mise en page d'origine, et éliminant le besoin d'ajustements manuels.

Jordi Bardia
Ingénieur logiciel
Jordi est le plus compétent en Python, C# et C++, et lorsqu'il ne met pas à profit ses compétences chez Iron Software, il programme des jeux. Partageant les responsabilités des tests de produit, du développement de produit et de la recherche, Jordi apporte une immense valeur à l'amé...
Lire la suite