Edit in GitHubLog an issue

Getting Started with PDF Extract API (Python)

To get started using Adobe PDF Extract API, let's walk through a simple scenario - taking an input PDF document and running PDF Extract API against it. Once the PDF has been extracted, we'll parse the results and report on any major headers in the document. In this guide, we will walk you through the complete process for creating a program that will accomplish this task.

Prerequisites

To complete this guide, you will need:

  • Python - Python 3.6 or higher is required.
  • An Adobe ID. If you do not have one, the credential setup will walk you through creating one.
  • A way to edit code. No specific editor is required for this guide.

Step One: Getting credentials

1) To begin, open your browser to https://acrobatservices.adobe.com/dc-integration-creation-app-cdn/main.html?api=pdf-extract-api. If you are not already logged in to Adobe.com, you will need to sign in or create a new user. Using a personal email account is recommend and not a federated ID.

Sign in

2) After registering or logging in, you will then be asked to name your new credentials. Use the name, "New Project".

3) Change the "Choose language" setting to "Python".

4) Also note the checkbox by, "Create personalized code sample." This will include a large set of samples along with your credentials. These can be helpful for learning more later.

5) Click the checkbox saying you agree to the developer terms and then click "Create credentials."

Project setup

6) After your credentials are created, they are automatically downloaded:

alt

Step Two: Setting up the project

1) In your Downloads folder, find the ZIP file with your credentials: PDFServicesSDK-Python (Extract)Samples.zip. If you unzip that archive, you will find a README file, a folder of samples and the pdfservices-api-credentials.json file.

alt

2) Take the pdfservices-api-credentials.json file and place it in a new directory.

3) At the command line, change to the directory you created, and run the following command to install the Python SDK: pip install pdfservices-sdk.

alt

At this point, we've installed the Python SDK for Adobe PDF Services API as a dependency for our project and have copied over our credentials files.

Our application will take a PDF, Adobe Extract API Sample.pdf (downloadable from here and extract it's contents. The results will be saved as a ZIP file, ExtractTextInfoFromPDF.zip. We will then parse the results from the ZIP and print out the text of any H1 headers found in the PDF.

4) In your editor, open the directory where you previously copied the credentials. Create a new file, extract.py.

Now you're ready to begin coding.

Step Three: Creating the application

1) We'll begin by including our required dependencies:

Copied to your clipboard
1from adobe.pdfservices.operation.auth.credentials import Credentials
2from adobe.pdfservices.operation.exception.exceptions import ServiceApiException, ServiceUsageException, SdkException
3from adobe.pdfservices.operation.execution_context import ExecutionContext
4from adobe.pdfservices.operation.io.file_ref import FileRef
5from adobe.pdfservices.operation.pdfops.extract_pdf_operation import ExtractPDFOperation
6from adobe.pdfservices.operation.pdfops.options.extractpdf.extract_pdf_options import ExtractPDFOptions
7from adobe.pdfservices.operation.pdfops.options.extractpdf.extract_element_type import ExtractElementType
8
9import os.path
10import zipfile
11import json

The first set of imports bring in the Adobe PDF Extract SDK while the second set will be used by our code later on.

2) Now let's define our input and output:

Copied to your clipboard
1zip_file = "./ExtractTextInfoFromPDF.zip"
2
3if os.path.isfile(zip_file):
4 os.remove(zip_file)
5
6input_pdf = "./Adobe Extract API Sample.pdf"

This defines what our output ZIP will be and optionally deletes it if it already exists. Then we define what PDF will be extracted. (You can download the source we used here.) In a real application, these values would be typically be dynamic.

3) Next, we setup the SDK to use our credentials.

Copied to your clipboard
1#Initial setup, create credentials instance.
2credentials = Credentials.service_principal_credentials_builder() \
3 .with_client_id(os.getenv('PDF_SERVICES_CLIENT_ID')) \
4 .with_client_secret(os.getenv('PDF_SERVICES_CLIENT_SECRET')) \
5 .build()
6
7#Create an ExecutionContext using credentials and create a new operation instance.
8execution_context = ExecutionContext.create(credentials)

This code both points to the credentials downloaded previously as well as sets up an execution context object that will be used later.

4) Now, let's create the operation:

Copied to your clipboard
1extract_pdf_operation = ExtractPDFOperation.create_new()
2
3#Set operation input from a source file.
4source = FileRef.create_from_local_file(input_pdf)
5extract_pdf_operation.set_input(source)
6
7#Build ExtractPDF options and set them into the operation
8extract_pdf_options: ExtractPDFOptions = ExtractPDFOptions.builder() \
9 .with_element_to_extract(ExtractElementType.TEXT) \
10 .build()
11extract_pdf_operation.set_options(extract_pdf_options)

This set of code defines what we're doing (an Extract operation), points to our local file and specifies the input is a PDF, and then defines options for the Extract call. PDF Extract API has a few different options, but in this example, we're simply asking for the most basic of extractions, the textual content of the document.

5) The next code block executes the operation:

Copied to your clipboard
1#Execute the operation.
2result: FileRef = extract_pdf_operation.execute(execution_context)
3
4#Save the result to the specified location.
5result.save_as(zip_file)

This code runs the Extraction process and then stores the result zip to the file system.

6) In this block, we read in the ZIP file, extract the JSON result file, and parse it:

Copied to your clipboard
1archive = zipfile.ZipFile(zip_file, 'r')
2jsonentry = archive.open('structuredData.json')
3jsondata = jsonentry.read()
4data = json.loads(jsondata)

7) Finally we can loop over the result and print out any found element that is an H1:

Copied to your clipboard
1for element in data["elements"]:
2 if element["Path"].endswith("/H1"):
3 print(element["Text"])

Example running at the command line

Here's the complete application (extract.py):

Copied to your clipboard
1from adobe.pdfservices.operation.auth.credentials import Credentials
2from adobe.pdfservices.operation.exception.exceptions import ServiceApiException, ServiceUsageException, SdkException
3from adobe.pdfservices.operation.execution_context import ExecutionContext
4from adobe.pdfservices.operation.io.file_ref import FileRef
5from adobe.pdfservices.operation.pdfops.extract_pdf_operation import ExtractPDFOperation
6from adobe.pdfservices.operation.pdfops.options.extractpdf.extract_pdf_options import ExtractPDFOptions
7from adobe.pdfservices.operation.pdfops.options.extractpdf.extract_element_type import ExtractElementType
8
9import os.path
10import zipfile
11import json
12
13zip_file = "./ExtractTextInfoFromPDF.zip"
14
15if os.path.isfile(zip_file):
16 os.remove(zip_file)
17
18input_pdf = "./Adobe Extract API Sample.pdf"
19
20try:
21
22 # Initial setup, create credentials instance.
23 credentials = Credentials.service_principal_credentials_builder() \
24 .with_client_id(os.getenv('PDF_SERVICES_CLIENT_ID')) \
25 .with_client_secret(os.getenv('PDF_SERVICES_CLIENT_SECRET')) \
26 .build()
27
28 # Create an ExecutionContext using credentials and create a new operation instance.
29 execution_context = ExecutionContext.create(credentials)
30 extract_pdf_operation = ExtractPDFOperation.create_new()
31
32 # Set operation input from a source file.
33 source = FileRef.create_from_local_file(input_pdf)
34 extract_pdf_operation.set_input(source)
35
36 # Build ExtractPDF options and set them into the operation
37 extract_pdf_options: ExtractPDFOptions = ExtractPDFOptions.builder() \
38 .with_element_to_extract(ExtractElementType.TEXT) \
39 .build()
40 extract_pdf_operation.set_options(extract_pdf_options)
41
42 # Execute the operation.
43 result: FileRef = extract_pdf_operation.execute(execution_context)
44
45 # Save the result to the specified location.
46 result.save_as(zip_file)
47
48 print("Successfully extracted information from PDF. Printing H1 Headers:\n");
49
50 archive = zipfile.ZipFile(zip_file, 'r')
51 jsonentry = archive.open('structuredData.json')
52 jsondata = jsonentry.read()
53 data = json.loads(jsondata)
54 for element in data["elements"]:
55 if (element["Path"].endswith("/H1")):
56 print(element["Text"])
57
58except (ServiceApiException, ServiceUsageException, SdkException):
59 logging.exception("Exception encountered while executing operation")

Next Steps

Now that you've successfully performed your first operation, review the documentation for many other examples and reach out on our forums with any questions. Also remember the samples you downloaded while creating your credentials also have many demos.

  • Privacy
  • Terms of Use
  • Do not sell or share my personal information
  • AdChoices
Copyright © 2024 Adobe. All rights reserved.