How to add digital signatures to PDFs using React
Table of contents
Use Nutrient Web SDK to add digital signatures to PDFs in your React app. This tutorial covers setting up a React project with Vite, integrating the Nutrient React PDF viewer, generating a self-signed certificate and private key, and applying a PKCS#7 digital signature to a PDF in the browser. Start a free trial or launch the demo.
Nutrient React digital signature library
Nutrient supports creating and validating digital signatures with hand-drawn, scanned, or typed options. Signatures can be stored locally or remotely, and workflows can trigger based on signature actions. The UI is customizable, and client-side signing works without a dedicated server. The library also handles forms, annotations, and other PDF operations.
Signature support
Nutrient offers two types of signatures: electronic signatures and digital signatures.
- Electronic signatures let users create signatures with ink drawings, bitmap images, or text. The Electronic Signatures component supports draw, image, and type modes, and it stores signatures for reuse.
- Digital signatures use certificates to prove a document’s origin and detect unauthorized changes. Both signature types can be used together.
Nutrient’s React PDF library
We offer a commercial React.js PDF viewer library that integrates into web applications. It includes 30+ features for viewing, annotating, editing, and signing documents in the browser. The UI can be extended or simplified based on your needs.
- A prebuilt UI
- 15+ annotation tools for document collaboration
- Client-side PDF, MS Office, and image viewing
- Engineering support for integration
Why use Nutrient for React PDF digital signatures?
There are a few ways to add digital signatures to PDFs in a React application:
- Roll your own signing flow with low-level crypto libraries and a basic PDF renderer.
- Call a server-side signing service you build yourself on top of libraries like OpenSSL.
- Embed a complete React PDF signing component that handles viewing, form fields, certificates, and validation end to end.
Nutrient takes the third approach. Instead of wiring up a PDF renderer, form fields, certificate handling, and PKCS#7 signing manually, you embed a React PDF viewer with built-in signing. This provides:
- A React PDF viewer with annotations, forms, and signing UI.
- Client-side signing using X.509 certificates and PKCS#7, keeping documents in the browser.
- Support for electronic signatures (drawn, typed, image) and digital signatures (certificate-backed).
- A path to advanced scenarios like CAdES-style signatures and long-term validation as requirements grow.
Requirements
You need:
- Node.js(opens in a new tab) (latest version).
- A package manager compatible with npm. Examples below use Yarn(opens in a new tab) and npm(opens in a new tab) (installed with Node.js by default).
Creating a new React project with Vite
- Create a new React app using Vite(opens in a new tab):
yarn create vite nutrient-react-example --template reactnpm create vite@latest nutrient-react-example -- --template react- Change to the created project directory:
cd nutrient-react-example
Adding Nutrient to your project
Add the Nutrient dependency:
yarn add @nutrient-sdk/viewernpm install @nutrient-sdk/viewerSelf-hosting assets (recommended) — Copy the Nutrient library assets to your
publicfolder:
cp -R node_modules/@nutrient-sdk/viewer/dist/nutrient-viewer-lib public/Note: By default, the SDK loads assets from the Nutrient CDN when no baseUrl is provided. For production use or offline scenarios, self-hosting is recommended. See the self-hosting guide for more details.
Displaying a PDF
Add the PDF document you want to display to the
publicdirectory. You can use our demo document as an example.Update
src/index.cssto ensure the viewer displays correctly. Remove or modify the default Vite styles::root {font-family: system-ui, Avenir, Helvetica, Arial, sans-serif;line-height: 1.5;font-weight: 400;}body {margin: 0;min-width: 320px;min-height: 100vh;}#root {width: 100%;height: 100vh;}Add a component wrapper for the Nutrient library and save it as
components/PdfViewerComponent.jsx:import { useEffect, useRef } from 'react';export default function PdfViewerComponent(props) {const containerRef = useRef(null);useEffect(() => {const container = containerRef.current;let NutrientViewer = null;(async () => {NutrientViewer = (await import('@nutrient-sdk/viewer')).default;NutrientViewer.unload(container); // Ensure there's only one Nutrientinstance.if (container && NutrientViewer) {await NutrientViewer.load({container,document: props.document,// Required when self-hosting assets.baseUrl:`${window.location.protocol}//${window.location.host}/`,});}})();return () => {if (NutrientViewer) {NutrientViewer.unload(container);}};}, [props.document]);return (<divref={containerRef}style={{ width: '100%', height: '100vh' }}/>);}Note: If using the CDN (not self-hosting), you can omit the
baseUrloption.Include the newly created component in
App.jsx:src/App.jsx import PdfViewerComponent from "./components/PdfViewerComponent";function App() {return (<div className="App" style={{ width: "100vw" }}><div className="PDF-viewer"><PdfViewerComponent document={"document.pdf"} /></div></div>);}export default App;Your project structure should now look like this:
nutrient-react-example├── public│ ├── document.pdf│ └── nutrient-viewer-lib/ # Only if self-hosting├── src│ ├── components│ | └── PdfViewerComponent.jsx| └── App.jsx├── package.json└── yarn.lockStart the app and run it in your default browser:
yarn devnpm run dev
Adding a digital signature to a PDF using Nutrient
Nutrient requires an X.509 certificate(opens in a new tab) and a private key pair for adding a digital signature to a PDF document. To do this, follow the steps in the next section.
Step 1: Generating a self-signed certificate and private key
Generate a self-signed certificate and private key using OpenSSL(opens in a new tab):
- Open your terminal in the project directory.
- Run the following OpenSSL command to generate a self-signed certificate and private key:
openssl req -x509 -sha256 -nodes -newkey rsa:2048 -keyout private-key.pem -out cert.pem-x509— Tells OpenSSL to create a self-signed certificate.-sha256— Specifies the hash function to use for the certificate.-nodes— Prevents encryption of the private key. You can remove this option for production keys if encryption is desired.-newkey rsa:2048— Generates a new RSA private key with a key size of 2,048 bits.-keyout private-key.pem— Specifies the name of the private key file.-out cert.pem— Specifies the name of the certificate file.
Follow the prompts to provide information for the certificate, such as the Common Name (CN), organization, and location. These details will be embedded in the certificate.
Step 2: Verifying your certificate
After generating the certificate and private key, you can verify if the certificate is correctly PEM-encoded using the following command:
openssl x509 -noout -text -in public/cert.pemThis command will display certificate details and shouldn’t produce any errors. It confirms that “cert.pem” is a PEM-encoded X.509 certificate.
Store these files securely. Never commit private keys to version control.
For more information on adding a digital signature to a PDF using Nutrient, refer to our digital signatures guide.
Signing a PDF document using Nutrient
To add a digital signature to your PDF document using Nutrient, follow the steps below.
Step 1: Installing the Forge library
Install the Forge(opens in a new tab) library using npm. Open your terminal, navigate to the project directory, and run the following command:
yarn add node-forgenpm install node-forgeStep 2: Importing dependencies
Update the imports in your PdfViewerComponent.jsx file to include the Forge library and the useCallback hook:
import { useEffect, useRef, useCallback } from "react";import forge from "node-forge";Step 3: Generating the PKCS#7 signature
Nutrient utilizes the cryptographic Distinguished Encoding Rules (DER) PKCS#7(opens in a new tab) format for digital signatures. You’ll need to create a valid PKCS#7 signature containing your certificate and other relevant information.
Define a function, generatePKCS7, to generate the digital signature for your PDF. This function will perform the necessary cryptographic operations:
export default function PdfViewerComponent(props) { const containerRef = useRef(null);
const generatePKCS7 = useCallback(({ fileContents }) => { const certificatePromise = fetch("cert.pem").then((response) => response.text(), ); const privateKeyPromise = fetch("private-key.pem").then((response) => response.text(), ); return new Promise((resolve, reject) => { Promise.all([certificatePromise, privateKeyPromise]) .then(([certificatePem, privateKeyPem]) => { const certificate = forge.pki.certificateFromPem(certificatePem); const privateKey = forge.pki.privateKeyFromPem(privateKeyPem);
const p7 = forge.pkcs7.createSignedData(); p7.content = new forge.util.ByteBuffer(fileContents); p7.addCertificate(certificate); p7.addSigner({ key: privateKey, certificate, digestAlgorithm: forge.pki.oids.sha256, authenticatedAttributes: [ { type: forge.pki.oids.contentType, value: forge.pki.oids.data, }, { type: forge.pki.oids.messageDigest, }, { type: forge.pki.oids.signingTime, value: new Date(), }, ], });
p7.sign({ detached: true }); const result = stringToArrayBuffer( forge.asn1.toDer(p7.toAsn1()).getBytes(), ); resolve(result); }) .catch(reject); }); }, []);
// Rest of the component...}This function fetches your certificate and private key, and then it uses Forge to create a PKCS#7 signed data structure.
Step 4: Converting a string to an array buffer
You’ll need a utility function, stringToArrayBuffer, to convert a binary string into an ArrayBuffer. Add this function inside your component:
function stringToArrayBuffer(binaryString) { const buffer = new ArrayBuffer(binaryString.length); let bufferView = new Uint8Array(buffer); for (let i = 0, len = binaryString.length; i < len; i++) { bufferView[i] = binaryString.charCodeAt(i); } return buffer;}Step 5: Initializing Nutrient and signing the document
Now you can initialize Nutrient and invoke the signDocument method. This method takes two arguments:
- Argument 1 — An object to fine-tune the signing process by providing data such as certificates and private keys. If you don’t have specific signing requirements, pass
null. - Argument 2 — A callback function that Nutrient calls with an object containing
fileContents(anArrayBufferof the document’s content). Your callback must return a promise that resolves to the PKCS#7 signature as anArrayBuffer.
useEffect(() => { const container = containerRef.current; let NutrientViewer = null;
(async () => { try { NutrientViewer = (await import("@nutrient-sdk/viewer")).default;
NutrientViewer.unload(container); // Ensure there's only one Nutrient instance.
const instance = await NutrientViewer.load({ container, document: props.document, baseUrl: `${window.location.protocol}//${window.location.host}/`, });
console.log("PDF loaded successfully.");
// Only attempt signing if `enableSigning prop` is `true`. if (props.enableSigning) { try { await instance.signDocument(null, generatePKCS7); console.log("Document signed."); } catch (signError) { console.warn("Could not sign document:", signError.message); } } } catch (error) { console.error("Failed to load PDF:", error); } })();
return () => { if (NutrientViewer) { NutrientViewer.unload(container); } };}, [generatePKCS7, props.document, props.enableSigning]);On success, the console logs PDF loaded successfully. followed by Document signed. Errors are logged if loading or signing fails.
Step 6: Enabling digital signing in App.jsx
Update src/App.jsx to enable signing by passing the enableSigning prop:
import PdfViewerComponent from "./components/PdfViewerComponent";
function App() { return ( <div className="App" style={{ width: "100vw" }}> <div className="PDF-viewer"> <PdfViewerComponent document={"document.pdf"} enableSigning={true} /> </div> </div> );}
export default App;Complete PdfViewerComponent code
Here’s the complete code for the PdfViewerComponent:
101 collapsed lines
import { useEffect, useRef, useCallback } from "react";import forge from "node-forge";
export default function PdfViewerComponent(props) { const containerRef = useRef(null);
const generatePKCS7 = useCallback(({ fileContents }) => { const certificatePromise = fetch("cert.pem").then((response) => response.text(), ); const privateKeyPromise = fetch("private-key.pem").then((response) => response.text(), ); return new Promise((resolve, reject) => { Promise.all([certificatePromise, privateKeyPromise]) .then(([certificatePem, privateKeyPem]) => { const certificate = forge.pki.certificateFromPem(certificatePem); const privateKey = forge.pki.privateKeyFromPem(privateKeyPem);
const p7 = forge.pkcs7.createSignedData(); p7.content = new forge.util.ByteBuffer(fileContents); p7.addCertificate(certificate); p7.addSigner({ key: privateKey, certificate, digestAlgorithm: forge.pki.oids.sha256, authenticatedAttributes: [ { type: forge.pki.oids.contentType, value: forge.pki.oids.data, }, { type: forge.pki.oids.messageDigest, }, { type: forge.pki.oids.signingTime, value: new Date(), }, ], });
p7.sign({ detached: true }); const result = stringToArrayBuffer( forge.asn1.toDer(p7.toAsn1()).getBytes(), ); resolve(result); }) .catch(reject); }); }, []);
function stringToArrayBuffer(binaryString) { const buffer = new ArrayBuffer(binaryString.length); let bufferView = new Uint8Array(buffer); for (let i = 0, len = binaryString.length; i < len; i++) { bufferView[i] = binaryString.charCodeAt(i); } return buffer; }
useEffect(() => { const container = containerRef.current; let NutrientViewer = null;
(async () => { try { NutrientViewer = (await import("@nutrient-sdk/viewer")).default;
NutrientViewer.unload(container); // Ensure there's only one Nutrient instance.
const instance = await NutrientViewer.load({ container, document: props.document, baseUrl: `${window.location.protocol}//${window.location.host}/`, });
console.log("PDF loaded successfully.");
// Only attempt signing if `enableSigning` prop is `true`. if (props.enableSigning) { try { await instance.signDocument(null, generatePKCS7); console.log("Document signed."); } catch (signError) { console.warn("Could not sign document:", signError.message); } } } catch (error) { console.error("Failed to load PDF:", error); } })();
return () => { if (NutrientViewer) { NutrientViewer.unload(container); } }; }, [generatePKCS7, props.document, props.enableSigning]);
return <div ref={containerRef} style={{ width: "100%", height: "100vh" }} />;}Final project structure
Your project structure should now look like this:
nutrient-react-example├── public│ ├── cert.pem│ ├── document.pdf│ ├── nutrient-viewer-lib/│ └── private-key.pem├── src│ ├── components│ │ └── PdfViewerComponent.jsx│ ├── App.jsx│ └── index.css├── package.json└── yarn.lockAfter building, the signing process runs automatically when enableSigning={true} and the document reloads with the digital signature.
We recently added support for CAdES(opens in a new tab) signatures, which are advanced digital signatures. To learn more about CAdES signatures, refer to our digital signatures guide.
Conclusion
This tutorial covered adding digital signatures to PDF documents using React and Nutrient Web SDK, from project setup to certificate generation and PKCS#7 signing in the browser. To test this in your own project, request a free trial or visit the demo page.
FAQ
Embed Nutrient Web SDK’s React PDF viewer, provide an X.509 certificate and private key, and use the SDK’s signing API to apply a PKCS#7 signature. This tutorial covers Vite setup, viewer integration, certificate generation with OpenSSL, and signing from a React component.
Electronic signatures include drawn, typed, or image-based signatures that capture intent to sign. Digital signatures use certificates and public-key cryptography (X.509 and PKCS#7) to prove origin and detect tampering. Both can be used together, such as a visible electronic signature backed by a cryptographic digital signature.
Yes. Embed the viewer, hide features you don’t need, and expose only signing tools. Annotations, forms, and other PDF features remain available if you expand your workflow later.
No. Nutrient supports client-side signing in the browser. Load your certificate and private key in the React app, generate a PKCS#7 signature with node-forge, and pass it to the signing API. For strict security or compliance needs, you can also integrate with an HSM or backend signing service.
Yes. Nutrient is used in finance, healthcare, and government. It supports certificate-based digital signatures, CAdES-style advanced signatures, access control, and PDF rendering, with commercial support available.
Install the @nutrient-sdk/viewer npm package and mount the viewer in a React component. From there, load any PDF, enable signing, and customize the UI. Start a free trial or explore the online demo.