How to Create PDFs in C#: From Scratch, HTML & Templates

Create PDF Programmatically Using C#

Creating PDFs in C# is a must-have skill for developers, especially when building apps that generate reports, invoices, or other dynamic documents. Libraries like Spire.PDF for .NET simplify the process by offering tools for adding text, tables, and even converting HTML to PDF—helping you create professional documents with minimal effort.

This guide walks you through C# PDF generation step by step, from basic text formatting to advanced features like HTML rendering and tenplate. By the end, you’ll be able to customize and creaete PDFs for any project.

.NET Library for Creating PDF Documents

Spire.PDF is a powerful and versatile .NET library designed for creating, editing, and manipulating PDF documents programmatically. It provides developers with a comprehensive set of features to generate high-quality PDFs from scratch, modify existing files, and convert various formats into PDF.

Key Features of Spire.PDF

  • PDF Creation & Editing – Build PDFs with text, images, tables, lists, and more.
  • Rich Formatting Options – Customize fonts, colors, alignment, and layouts.
  • HTML to PDF Conversion – Render web pages or HTML content into PDFs with precise formatting.
  • Template-Based PDF Generation – Use placeholders in existing PDFs to dynamically insert text and data.
  • Interactive Elements – Support for forms, annotations, and bookmarks.
  • Document Security – Apply passwords, permissions, and digital signatures.

Installing Spire.PDF

To begin using Spire.PDF to create PDF documents, install it directly through NuGet.

Install-Package Spire.PDF

Alternatively, you can download Spire.PDF from our official website and manually import the DLL in your project.

Creating a PDF File from Scratch in C#

Understanding the Coordinate System

Before delving into the code, it's important to understand the coordinate system used by Spire.PDF. It resembles those in many graphics libraries but has specific PDF considerations. The origin (0,0) is located at the top-left corner of the content area (excluding margins), with positive Y values extending downward.

Understanding this system is essential for accurate element placement when building document layouts.

Coordinate system in Spire.PDF

Note: This coordinate system applies only to newly created pages. In existing PDF pages, the origin is at the top-left corner of the entire page.

Creating a Simple PDF File with Text

Now, let's create our first PDF document. Text content is fundamental to most PDFs, so mastering text handling is crucial.

The following code demonstrates how to create a simple PDF with text in C#:

using Spire.Pdf;
using Spire.Pdf.Graphics;
using System.Drawing;

namespace CreatePdfDocument
{
    class Program
    {
        static void Main(string[] args)
        {
            // Create a PdfDocument object
            PdfDocument doc = new PdfDocument();

            // Add a page
            PdfPageBase page = doc.Pages.Add(PdfPageSize.A4, new PdfMargins(50f));

            // Create brush and font objects
            PdfSolidBrush titleBrush = new PdfSolidBrush(new PdfRGBColor(Color.Blue));
            PdfSolidBrush paraBrush = new PdfSolidBrush(new PdfRGBColor(Color.Black));
            PdfTrueTypeFont titleFont = new PdfTrueTypeFont(new Font("Times New Roman", 18f, FontStyle.Bold), true);
            PdfTrueTypeFont paraFont = new PdfTrueTypeFont(new Font("Times New Roman", 13f, FontStyle.Regular), true);

            // Specify title text
            String titleText = "What's Spire.PDF";

            // Set the text alignment via PdfStringFormat class
            PdfStringFormat format = new PdfStringFormat();
            format.Alignment = PdfTextAlignment.Center;

            // Draw title on the center of the page
            page.Canvas.DrawString(titleText, titleFont, titleBrush, page.Canvas.ClientSize.Width / 2, 20, format);

            // Get paragraph content from a .txt file
            string paraText = "Spire.PDF is a .NET library designed for creating, reading, and manipulating PDF documents." +
                " It offers a wide range of features, including the ability to generate PDF documents from scratch and " +
                "convert various formats into PDF. Users can modify existing PDF files by adding text, images, or annotations, " +
                "and it also supports filling and managing interactive PDF forms. Additionally, Spire.PDF allows for the " +
                "extraction of text and images from PDF documents, as well as converting PDF files into other formats like " +
                "Word, Excel, and images.";

            // Create a PdfTextWidget object to hold the paragrah content
            PdfTextWidget widget = new PdfTextWidget(paraText, paraFont, paraBrush);

            // Create a rectangle where the paragraph content will be placed
            RectangleF rect = new RectangleF(0, 50, page.Canvas.ClientSize.Width, page.Canvas.ClientSize.Height);

            // Set the PdfLayoutType to Paginate to make the content paginated automatically
            PdfTextLayout layout = new PdfTextLayout();
            layout.Layout = PdfLayoutType.Paginate;

            // Draw the widget on the page
            widget.Draw(page, rect, layout);

            // Save the document to file
            doc.SaveToFile("SimpleDocument.pdf");
            doc.Dispose();
        }
    }
}

In this code:

 

  • PdfDocument: Serves as the foundation for creating a PDF, managing its structure and content.
  • PdfPageBase: Adds a page to the document, specifying the A4 size and margins, setting up the drawing canvas.
  • PdfSolidBrush: Defines colors for the title and paragraph text, filling shapes and text.
  • PdfTrueTypeFont: Specifies font type, size, and style for text, creating distinct fonts for the title and paragraph.
  • PdfStringFormat: Used to set text alignment (centered for the title), enhancing presentation.
  • Canvas.DrawString(): Draws the title on the canvas at a specified location using the defined font, brush, and format.
  • PdfTextWidget: Encapsulates the paragraph text, simplifying management and rendering of larger text blocks.
  • PdfTextLayout: Configured for automatic pagination, ensuring text flows correctly to the next page if it exceeds the current one.
  • PdfTextWidget.Draw(): Renders the paragraph within a specified rectangle on the page.
  • SaveToFile(): Saves the document to the specified file path, completing the PDF creation process.

 

Output:

Output PDF document containing text only.

Enhancing Your PDF with Rich Elements

While text forms the foundation of most documents, professional PDFs often require richer content types to effectively communicate information. This section explores how to elevate your documents by incorporating images, tables, and lists.

1. Inserting an Image to PDF

Spire.PDF provides the PdfImage class to load and manage various image formats. You can position the image using the coordinate system discussed earlier with the DrawImage method.

// Load an image
PdfImage image = PdfImage.FromFile("C:\\Users\\Administrator\\Desktop\\ai.png"); 

// Specify the X and Y coordinates to start drawing the image
float x = 0f;
float y = 0f;

// Draw the image at a specified location on the page
page.Canvas.DrawImage(image, x, y);

2. Creating a Table in PDF

Spire.PDF provides the PdfTable class for creating and managing tables in a PDF document. You can populate the table with a DataTable and customize its appearance using various interfaces within PdfTable. Finally, the table is rendered on the page using the Draw method.

// Create a PdfTable
PdfTable table = new PdfTable();

// Create a DataTable
DataTable dataTable = new DataTable();
dataTable.Columns.Add("Name");
dataTable.Columns.Add("Age");
dataTable.Columns.Add("Deparment");
dataTable.Rows.Add(new object[] { "David", "35", "Development" });
dataTable.Rows.Add(new object[] { "Sophie", "32", "Support" });
dataTable.Rows.Add(new object[] { "Wayne", "28", "Marketing" });

// Show header (invisible by default)
table.Style.ShowHeader = true;

//Set font color and backgroud color of header row
table.Style.HeaderStyle.BackgroundBrush = PdfBrushes.Gray;
table.Style.HeaderStyle.TextBrush = PdfBrushes.White;

// Assign data source
table.DataSource = dataTable;

//Set text alignment in header row
table.Style.HeaderStyle.StringFormat = new PdfStringFormat(PdfTextAlignment.Center, PdfVerticalAlignment.Middle);

//Set text alignment in other cells
for (int i = 0; i < table.Columns.Count; i++)
{
    table.Columns[i].StringFormat = new PdfStringFormat(PdfTextAlignment.Center, PdfVerticalAlignment.Middle);
}

// Draw table on the page
table.Draw(page, new RectangleF(0, 150, 300, 150));

In addition to PdfTable, Spire.PDF offers the PdfGrid class, making it easier to create and manage complex tables in PDF documents. For detailed instruction, check this guide: Generate Tables in PDF Using C#.

3. Adding a List to PDF

The PdfSortedList class in Spire.PDF enables the creation of ordered lists with various numbering styles. You can specify the list content as a string and customize its appearance by adjusting properties such as font, indent, and text indent. The list is then rendered on the page using the Draw method at a specified location.

// Create a font
PdfFont listFont = new PdfFont(PdfFontFamily.TimesRoman, 12f, PdfFontStyle.Regular);

// Create a maker for ordered list
PdfOrderedMarker marker = new PdfOrderedMarker(PdfNumberStyle.Numeric, listFont);

//Create a numbered list
String listContent = "Data Structure\n"
        + "Algorithm\n"
        + "Computer Networks\n"
        + "Operating System\n"
        + "Theory of Computations";
PdfSortedList list = new PdfSortedList(listContent);

//Set the font, indent, text indent, brush of the list
list.Font = listFont;
list.Indent = 2;
list.TextIndent = 4;
list.Marker = marker;

//Draw list on the page at the specified location
list.Draw(page, 310, 125);

Output:

Below is a screenshot of the PDF file created by the code snippets in this section:

Output PDF document containing an image, a table and a list.

In addition to the mentioned elements, Spire.PDF supports the addition of nearly all common elements to PDFs. For more documentation, refer to the Spire.PDF Programming Guide.

Creating PDF from HTML in C#

In modern applications, it's increasingly common to need conversion of HTML content to PDF format—whether for web page archiving, report generation, or creating printable versions of web content.

Spire.PDF addresses this need through its HTML conversion capabilities, which leverage Chrome's rendering engine for exceptional fidelity. This approach ensures that your PDF output closely matches how the content appears in web browsers, including support for modern CSS features.

The conversion process is highly configurable, allowing you to control aspects like page size , margins , and timeout settings to accommodate various content types and network conditions.

Here's an exmaple demonstrating how to create PDF from HTML in C#:

using Spire.Additions.Chrome;

namespace ConvertHtmlToPdf
{
    internal class Program
    {
        static void Main(string[] args)
        {
            // Specify the input URL and output PDF file path
            string inputUrl = @"C:\Users\Administrator\Desktop\Html.html";
            string outputFile = @"HtmlToPDF.pdf";

            // Specify the path to the Chrome plugin
            string chromeLocation = @"C:\Program Files\Google\Chrome\Application\chrome.exe";

            // Create an instance of the ChromeHtmlConverter class
            ChromeHtmlConverter converter = new ChromeHtmlConverter(chromeLocation);

            // Create an instance of the ConvertOptions class
            ConvertOptions options = new ConvertOptions();
            options.Timeout = 10 * 3000;

            // Set paper size and page margins of the converted PDF
            options.PageSettings = new PageSettings()
            {
                PaperWidth = 8.27,
                PaperHeight = 11.69,
                MarginTop = 0,
                MarginLeft = 0,
                MarginRight = 0,
                MarginBottom = 0
            };

            //Convert the URL to PDF
            converter.ConvertToPdf(inputUrl, outputFile, options);
        }
    }
}

Output:

A screenshot of the input HTML file and output PDF file.

Creating PDF Based on Template in C#

Template-based PDF generation enhances maintainability and consistency in enterprise applications. Spire.PDF supports this with text replacement functionality, allowing the creation of master templates with placeholders filled at runtime. This separation enables non-technical users to update templates easily.

The PdfTextReplacer class facilitates replacements, including automatic text resizing to fit designated spaces, making it ideal for documents like contracts, certificates, or forms with a constant layout.

The following code demonstrates how to create a PDF file based on a predefined template in C#:

using Spire.Pdf;
using Spire.Pdf.Texts;

namespace GeneratePdfBasedOnTemplate
{
    class Program
    {
        static void Main(string[] args)
        {
            // Create a PdfDocument object
            PdfDocument doc = new PdfDocument();

            // Load a PDF file
            doc.LoadFromFile("C:\\Users\\Administrator\\Desktop\\Template.pdf");

            // Create a PdfTextReplaceOptions object and specify the options
            PdfTextReplaceOptions textReplaceOptions = new PdfTextReplaceOptions
            {
                ReplaceType = PdfTextReplaceOptions.ReplaceActionType.AutofitWidth | PdfTextReplaceOptions.ReplaceActionType.WholeWord
            };

            // Get a specific page
            PdfPageBase page = doc.Pages[0];

            // Create a PdfTextReplacer object based on the page
            PdfTextReplacer textReplacer = new PdfTextReplacer(page)
            {
                Options = textReplaceOptions
            };

            // Dictionary for old and new strings
            Dictionary<string, string> replacements = new Dictionary<string, string>
            {
                { "#name#", "John Doe" },
                { "#gender#", "Male" },
                { "#birthdate#", "January 15, 1990" },
                { "#address#", "123 Main St, Springfield, IL, 62701" }
            };

            // Loop through the dictionary to replace text
            foreach (var pair in replacements)
            {
                textReplacer.ReplaceText(pair.Key, pair.Value);
            }

            // Save the document to a different PDF file
            doc.SaveToFile("Output.pdf");
            doc.Dispose();
        }
    }
}

Output:

A screenshot of the input template file and output PDF document.

Conclusion

The ability to create and manipulate PDF documents in C# is an invaluable skill for developers, especially in today's data-driven environment. This guide has covered various methods for generating PDFs, including creating documents from scratch, converting HTML to PDF, and utilizing templates for dynamic content generation.

With the robust features of Spire.PDF, developers can produce professional-quality PDFs that meet diverse requirements, from simple reports to complex forms. Dive into the world of PDF generation with Spire.PDF and unlock endless possibilities for your projects.

FAQs

Q1. What is the best library for creating PDFs in C#?

Spire.PDF is highly recommended due to its extensive feature set, user-friendly interface, and support for advanced operations like HTML-to-PDF conversion. It allows developers to easily create, manipulate, and customize PDF documents to meet a variety of needs.

Q2. Can I create PDF files in C# without external libraries?

While .NET has limited built-in capabilities, libraries like Spire.PDF are essential for complex tasks like adding tables or images.

Q3. How do I generate a PDF from HTML in C#?

Spire.PDF’s integration with Chrome allows for seamless conversion of HTML to PDF. You can customize page settings, such as margins and orientation, ensuring that the output PDF maintains the desired formatting and layout of the original HTML content.

Q4. How do I protect my PDF with passwords or permissions?

Spire.PDF offers robust encryption options through the PdfSecurityPolicy class. You can set owner and user passwords to restrict access, as well as define permissions for printing, copying, and editing the PDF. For more details, refer to: Encrypt or Decrypt PDF Files in C# .NET

Q5. Can I create PDF files from Word and Excel using Spire.PDF?

No, you cannot convert Word or Excel files directly with Spire.PDF. For Word to PDF conversion, use Spire.Doc, and for Excel to PDF, use Spire.XLS.

Get a Free License

To fully experience the capabilities of Spire.PDF for .NET without any evaluation limitations, you can request a free 30-day trial license.