Saltar al pie de página
USANDO IRONPDF PARA PYTHON

Cómo Generar Formularios PDF en Python

This tutorial will explore how to use this library to create PDF forms, create new PDF files, and explicitly group interactive forms with data.

Creating Interactive PDF Forms in Python

  1. Install the PDF library to generate PDF forms.
  2. Create a PDF form from an HTML string and save the PDF document.
  3. Upload the created PDF file using the PdfDocument class.
  4. Update the PDF document fields.
  5. Save the document to a new location.

IronPDF

Python is a programming language that aids in the quick and simple creation of graphical user interfaces. For programmers, Python is also far more dynamic than other languages. Because of this, adding the IronPDF library to Python is a simple process. A large range of pre-installed tools, such as PyQt, wxWidgets, Kivy, and many other packages and libraries, can be used to quickly and safely construct a fully complete GUI.

IronPDF for Python combines a number of capabilities from other frameworks like .NET Core. For more information, click on the following official webpage of IronPDF for Python.

Python web design and development are made easier using IronPDF. As a result, three Python web development paradigms--Django, Flask, and Pyramid--have gained widespread recognition. Websites and online services such as Reddit, Mozilla, and Spotify have utilized these frameworks.

IronPDF Features

  • With IronPDF, PDFs can be produced from a variety of formats, including HTML, HTML5, ASPX, and Razor/MVC View. It offers the choice to convert images into PDF formats and HTML pages into PDF files.
  • Creating interactive PDFs, completing and submitting interactive forms, merging and dividing PDF files, extracting text and images, searching text within PDF files, rasterizing PDFs to images, changing font size, border and background color, and converting PDF files are all tasks that the IronPDF toolkit can help with.
  • IronPDF offers HTML login form validation with support for user-agents, proxies, cookies, HTTP headers, and form variables.
  • IronPDF uses usernames and passwords to allow users access to secured documents.
  • With just a few lines of code, we can print a PDF file from a variety of sources, including a string, stream, or URL.
  • IronPDF allows us to create flattened PDF documents.

Setup Python

Environment Configuration

Verify that Python is set up on your computer. To download and install the most recent version of Python that is compatible with your operating system, go to the official Python website. After installing Python, create a virtual environment to separate the requirements for your project. Your conversion project can have a tidy, independent workspace thanks to the venv module, which enables you to create and manage virtual environments.

New Project in PyCharm

For this article, PyCharm is recommended as an IDE for developing Python code.

Once PyCharm IDE has started, choose "New Project".

How to Generate PDF Forms in Python, Figure 1: PyCharm PyCharm

When you choose "New Project," a new window will open where you can specify the environment and location of the project. You might find it easier to understand this in the image below.

How to Generate PDF Forms in Python, Figure 2: New Project New Project

After choosing the project location and environment path, click the Create button to launch a new project. The subsequent new window that appears can then be used to construct the software. Python 3.9 is used in this guide.

How to Generate PDF Forms in Python, Figure 3: Create Project Create Project

IronPDF Library Requirement

Most of the time, the Python module IronPDF uses .NET 6.0. As a result, the .NET 6.0 runtime must be installed on your computer in order to use IronPDF with Python. It might be necessary to install .NET before this Python module can be used by Linux and Mac users. Visit this page to get the needed runtime environment.

IronPDF Library Setup

To generate, modify, and open files with the ".pdf" extension, the "ironpdf" package must be installed. Open a terminal window and enter the following command to install the package in PyCharm:

 pip install ironpdf

The installation of the 'ironpdf' package is shown in the screenshot below.

How to Generate PDF Forms in Python, Figure 4: IronPDF IronPDF

Generate PDF Forms

Interactive PDF Forms can be created with ease with the help of IronPDF. With a few lines of code, the sample PDF Form with a radio demo is shown below.

How to Generate PDF Forms in Python, Figure 5: Sample PDF Form First Page Sample PDF Form First Page

The above HTML is used as a string to create PDF Forms in the following code.

from ironpdf import ChromePdfRenderer, PdfDocument

# Define HTML string to construct the form
form_data = """
<html>
    <body>
        <table>
            <tr>
                <td>Name</td>
                <td><input name="name" type="text"/></td>
            </tr>
            <tr>
                <td>Age</td>
                <td><input name="age" type="text"/></td>
            </tr>
            <tr>
                <td>Gender</td>
            </tr>
            <tr>
                <td><input name="Gender" type="radio">Male</input></td>
                <td><input name="Gender" type="radio">Female</input></td>
            </tr>
        </table>
    </body>
</html>"""

# Step 1: Create PDF Form from HTML string
renderer = ChromePdfRenderer()
renderer.RenderingOptions.CreatePdfFormsFromHtml = True
# Render HTML to PDF and save it
renderer.RenderHtmlAsPdf(form_data).SaveAs("DemoForm.pdf")

# Step 2: Reading and Writing PDF form values
form_document = PdfDocument.FromFile("DemoForm.pdf")

# Find the 'name' field and update its value
name_field = form_document.Form.FindFormField("name")
name_field.Value = "Mike"
print(f"NameField value: {name_field.Value}")

# Find the 'age' field and update its value
age_field = form_document.Form.FindFormField("age")
age_field.Value = "21"
print(f"AgeField value: {age_field.Value}")

# Update the first 'Gender' radio field, assuming it's the male option
gender_field = form_document.Form.Fields[3]
gender_field.Value = "On"

# Save the updated PDF to a new file
form_document.SaveAs("UpdatedForm.pdf")
from ironpdf import ChromePdfRenderer, PdfDocument

# Define HTML string to construct the form
form_data = """
<html>
    <body>
        <table>
            <tr>
                <td>Name</td>
                <td><input name="name" type="text"/></td>
            </tr>
            <tr>
                <td>Age</td>
                <td><input name="age" type="text"/></td>
            </tr>
            <tr>
                <td>Gender</td>
            </tr>
            <tr>
                <td><input name="Gender" type="radio">Male</input></td>
                <td><input name="Gender" type="radio">Female</input></td>
            </tr>
        </table>
    </body>
</html>"""

# Step 1: Create PDF Form from HTML string
renderer = ChromePdfRenderer()
renderer.RenderingOptions.CreatePdfFormsFromHtml = True
# Render HTML to PDF and save it
renderer.RenderHtmlAsPdf(form_data).SaveAs("DemoForm.pdf")

# Step 2: Reading and Writing PDF form values
form_document = PdfDocument.FromFile("DemoForm.pdf")

# Find the 'name' field and update its value
name_field = form_document.Form.FindFormField("name")
name_field.Value = "Mike"
print(f"NameField value: {name_field.Value}")

# Find the 'age' field and update its value
age_field = form_document.Form.FindFormField("age")
age_field.Value = "21"
print(f"AgeField value: {age_field.Value}")

# Update the first 'Gender' radio field, assuming it's the male option
gender_field = form_document.Form.Fields[3]
gender_field.Value = "On"

# Save the updated PDF to a new file
form_document.SaveAs("UpdatedForm.pdf")
PYTHON

In the above example, a ChromePdfRenderer() object is created, and the RenderingOptions.CreatePdfFormsFromHtml value is set to True, which enables the forms in the PDF file. The RenderHtmlAsPdf method is used to pass the HTML string as a parameter.

With the help of the SaveAs method, PDF files are created from the HTML string with a PDF form, which will look like the image below and is initially empty. IronPDF again updates the fields in the PDF forms. In the PDF, the first two fields are a text input and the other field is radio buttons.

How to Generate PDF Forms in Python, Figure 6: PDF Form PDF Form

Next, the same PdfDocument object is used to upload the existing PDF Form. With the Form.FindFormField method, it allows you to get the value from the name of the element, or Form.Fields[] can be used by passing the element index into the array value. Those properties allow you to get and set the value of the element in the PDF Forms. Finally, the SaveAs function is triggered to save the updated/new PDF file to a location.

How to Generate PDF Forms in Python, Figure 7: Upload PDF Form Upload PDF Form

The above is the result from the code, which helps to fill PDF Forms. To learn more about PDF Forms, refer to the following example page.

Conclusion

The IronPDF library offers strong security techniques to reduce risks and guarantee data security. It is not restricted to any particular browser and is compatible with all popular ones. With just a few lines of code, IronPDF enables programmers to quickly generate and read PDF files. The IronPDF library offers a range of licensing options to meet the diverse demands of developers, including a free developer license and additional development licenses that can be purchased.

The $799 Lite package includes a perpetual license, a 30-day money-back guarantee, a year of software maintenance, and upgrade options. There are no additional expenses after the initial purchase. These licenses can be used in development, staging, and production settings. Additionally, IronPDF provides free licenses with some time and redistribution restrictions. Users can assess the product in actual use during the free trial period without a watermark. Please click the following licensing page to learn more about the cost of the IronPDF trial edition and how to license it.

Preguntas Frecuentes

¿Cómo genero un formulario PDF usando Python?

Puede generar un formulario PDF en Python usando IronPDF escribiendo una cadena HTML para definir la estructura del formulario y utilizando el ChromePdfRenderer para convertir este HTML en un formulario PDF. Asegúrese de habilitar la opción CreatePdfFormsFromHtml para que el formulario sea interactivo.

¿Cuál es el proceso para actualizar campos en un formulario PDF en Python?

Para actualizar campos en un formulario PDF usando IronPDF, cargue el PDF en un objeto PdfDocument. Luego, use Form.FindFormField o Form.Fields para encontrar los campos específicos del formulario. Establezca los valores deseados para estos campos y guarde el documento modificado.

¿Qué marcos de desarrollo web son compatibles con una biblioteca PDF en Python?

IronPDF es compatible con marcos web populares de Python como Django, Flask y Pyramid, permitiendo una integración fluida en diversas aplicaciones web.

¿Cuáles son los beneficios de usar una biblioteca PDF en el desarrollo web?

Usar una biblioteca PDF como IronPDF en el desarrollo web le permite convertir HTML, imágenes y otros formatos a PDF, manejar formularios interactivos, fusionar y dividir documentos, extraer texto y garantizar el acceso seguro a documentos, mejorando la funcionalidad general de las aplicaciones web.

¿Qué pasos de instalación son necesarios para una biblioteca PDF en Python?

Para instalar IronPDF en un entorno Python, primero asegúrese de que Python y el runtime .NET 6.0 estén instalados. Luego, use pip para agregar el paquete IronPDF a su proyecto, preferiblemente usando un IDE como PyCharm.

¿Puedo usar una biblioteca PDF de manera segura?

Sí, IronPDF incluye funciones de seguridad como protección con contraseña y credenciales de acceso para proteger documentos PDF, haciéndola adecuada para su uso en entornos seguros.

¿Qué opciones de licencia ofrece una biblioteca PDF en Python?

IronPDF proporciona opciones de licencia flexibles, incluyendo una licencia de desarrollador gratuita, licencias perpetuas con garantía de devolución de dinero de 30 días y opciones de mantenimiento, adecuadas para entornos de desarrollo, staging y producción.

¿Cuál es el IDE recomendado para trabajar con una biblioteca PDF en Python?

Se recomienda PyCharm para trabajar con IronPDF en Python, ya que ofrece un entorno robusto con características que facilitan la gestión de proyectos y el desarrollo de código.

¿Hay una versión de prueba disponible para la biblioteca PDF en Python?

Sí, IronPDF ofrece una versión de prueba gratuita sin marca de agua, permitiendo a los desarrolladores evaluar sus capacidades en escenarios del mundo real antes de comprometerse con una compra.

Curtis Chau
Escritor Técnico

Curtis Chau tiene una licenciatura en Ciencias de la Computación (Carleton University) y se especializa en el desarrollo front-end con experiencia en Node.js, TypeScript, JavaScript y React. Apasionado por crear interfaces de usuario intuitivas y estéticamente agradables, disfruta trabajando con frameworks modernos y creando manuales bien ...

Leer más