Quickstart for Adobe Document Generation API (Node.js)
To get started using Adobe Document Generation API, let's walk through a simple scenario - using a Word document as a template for dynamic receipt generation in PDF. 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:
- Node.js - Node.js version 14.0 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=document-generation-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.
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 "Node.js".
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."
6) After your credentials are created, they are automatically downloaded:
Step Two: Setting up the project
1) In your Downloads folder, find the ZIP file with your credentials: PDFServicesSDK-Node.jsSamples.zip. If you unzip that archive, you will find a README file, your private key, and a folder of samples:
2) We need two things from this download. The private.key
file (as shown in the screenshot above, and the pdfservices-api-credentials.json
file found in the samples directory:
Note that that private key is also found in this directory so feel free to copy them both from here.
3) Take these two files and place them in a new directory. Remember that these credential files are important and should be stored safely.
4) At the command line, change to the directory you created, and initialize a new Node.js project with npm init -y
5) Install the Adobe PDF Services Node.js SDK by typing npm install --save @adobe/pdfservices-node-sdk
at the command line.
At this point, we've installed the Node.js SDK for Adobe PDF Services API as a dependency for our project and have copied over our credentials files.
Our application will take a Word document, receiptTemplate.docx
(downloadable from here), and combine it with data in a JSON file, receipt.json
(downloadable from here), to be sent to the Acrobat Services API and generate a receipt PDF.
7) In your editor, open the directory where you previously copied the credentials. Create a new file, generatePDF.js
.
Now you're ready to begin coding.
Step Three: Creating the application
1) Let's start by looking at the Word template. If you open the document in Microsoft Word, you'll notice multiple tokens throughout the document (called out by the use of {{
and }}
).
When the Document Generation API is used, these tokens are replaced with the JSON data sent to the API. These tokens support simple replacements, for example, {{Customer.Name}}
will be replaced by a customer's name passed in JSON. You can also have dynamic tables. In the Word template, the table uses invoice items as a way to dynamically render whatever items were ordered. Conditions can also be used to hide or show content as you can see two conditions at the end of the document. Finally, basic math can be also be dynamically applied, as seen in the "Grand Total".
2) Next, let's look at our sample data:
Copied to your clipboard1{2 "author": "Gary Lee",3 "Company": {4 "Name": "Projected",5 "Address": "19718 Mandrake Way",6 "PhoneNumber": "+1-100000098"7 },8 "Invoice": {9 "Date": "January 15, 2021",10 "Number": 123,11 "Items": [12 {13 "item": "Gloves",14 "description": "Microwave gloves",15 "UnitPrice": 5,16 "Quantity": 2,17 "Total": 1018 },19 {20 "item": "Bowls",21 "description": "Microwave bowls",22 "UnitPrice": 10,23 "Quantity": 2,24 "Total": 2025 }26 ]27 },28 "Customer": {29 "Name": "Collins Candy",30 "Address": "315 Dunning Way",31 "PhoneNumber": "+1-200000046",32 "Email": "cc@abcdef.co.dw"33 },34 "Tax": 5,35 "Shipping": 5,36 "clause": {37 "overseas": "The shipment might take 5-10 more than informed."38 },39 "paymentMethod": "Cash"40}
Notice how the tokens in the Word document match up with values in our JSON. While our example will use a hard coded set of data in a file, production applications can get their data from anywhere. Now let's get into our code.
3) We'll begin by including our required dependencies:
Copied to your clipboard1const PDFServicesSdk = require('@adobe/pdfservices-node-sdk');2const fs = require('fs');
The first line includes the Adobe PDF Services Node.js SDK. The second third include Node's filesystem
package.
2) Now let's define our input and output:
Copied to your clipboard1const OUTPUT = './generatedReceipt.pdf';23// If our output already exists, remove it so we can run the application again.4if(fs.existsSync(OUTPUT)) fs.unlinkSync(OUTPUT);56const INPUT = './receiptTemplate.docx';78const JSON_INPUT = require('./receipt.json');
These lines are hard coded but in a real application would typically be dynamic.
3) Next, we setup the SDK to use our credentials.
Copied to your clipboard1const credentials = PDFServicesSdk.Credentials2 .serviceAccountCredentialsBuilder()3 .fromFile('pdfservices-api-credentials.json')4 .build();56// Create an ExecutionContext using credentials7const executionContext = PDFServicesSdk.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 clipboard1const documentMerge = PDFServicesSdk.DocumentMerge,2 documentMergeOptions = documentMerge.options,3 options = new documentMergeOptions.DocumentMergeOptions(JSON_INPUT, documentMergeOptions.OutputFormat.PDF);45// Create a new operation instance using the options instance.6const documentMergeOperation = documentMerge.Operation.createNew(options);78// Set operation input document template from a source file.9const input = PDFServicesSdk.FileRef.createFromLocalFile(INPUT);10documentMergeOperation.setInput(input);
This set of code defines what we're doing (a document merge operation, the SDK's way of describing Document Generation), points to our local JSON file and specifies the output is a PDF. It also points to the Word file used as a template.
5) The next code block executes the operation:
Copied to your clipboard1// Execute the operation and Save the result to the specified location.2documentMergeOperation.execute(executionContext)3.then(result => result.saveAsFile(OUTPUT))4.catch(err => {5 if(err instanceof PDFServicesSdk.Error.ServiceApiError6 || err instanceof PDFServicesSdk.Error.ServiceUsageError) {7 console.log('Exception encountered while executing operation', err);8 } else {9 console.log('Exception encountered while executing operation', err);10 }11});
This code runs the document generation process and then stores the result PDF document to the file system.
Here's the complete application (export.js
):
Copied to your clipboard1const PDFServicesSdk = require('@adobe/pdfservices-node-sdk');2const fs = require('fs');34const OUTPUT = './Bodea Brochure.docx';56// If our output already exists, remove it so we can run the application again.7if(fs.existsSync(OUTPUT)) fs.unlinkSync(OUTPUT);89const INPUT = './Bodea Brochure.pdf';101112console.log(`About to export ${INPUT} to ${OUTPUT}.`);1314// Set up our credentials object.15const credentials = PDFServicesSdk.Credentials16 .serviceAccountCredentialsBuilder()17 .fromFile('pdfservices-api-credentials.json')18 .build();1920// An exectuionContext object wraps our credentials21const executionContext = PDFServicesSdk.ExecutionContext.create(credentials);2223// This creates an instance of the Export operation we're using, as well as specifying output type (DOCX)24const exportPdfOperation = PDFServicesSdk.ExportPDF.Operation.createNew(PDFServicesSdk.ExportPDF.SupportedTargetFormats.DOCX);2526// Set operation input from a source file27const inputPDF = PDFServicesSdk.FileRef.createFromLocalFile(INPUT);28exportPdfOperation.setInput(inputPDF);2930try {3132 exportPdfOperation.execute(executionContext)33 .then(result => result.saveAsFile(OUTPUT))34 .then(() => {35 console.log('Export Done')36 })37 .catch(err => {38 console.log('Exception encountered while executing operation', err);39 });4041} catch(err) {42 console.error('Error:', err);43}
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.