iText or iTextSharp rudimentary text edit

If you want to change the content of a page, it isn’t sufficient to change the content stream of a page. A page may contain references to Form XObjects that contain content that you want to remove.

A secondary problem consists of images. For instance: suppose that your document consists of a scanned document that has been OCR’ed. In that case, it isn’t sufficient to remove the (vector) text, you’ll also need to manipulate the (pixel) text in the image.

Assuming that your secondary problem doesn’t exist, you’ll need a double approach:

  1. get the content from the page as text to detect in which pages there are names or words you want to remove.
  2. recursively loop over all the content streams to find that text and to rewrite those content streams without that text.

From your question, I assume that you have already solved problem 1. Solving problem 2 isn’t that trivial. In chapter 15 of my book, I have an example where extracting text returns “Hello World”, but when you look inside the content stream, you see:

BT
/F1 12 Tf
88.66 367 Td
(ld) Tj
-22 0 Td
(Wor) Tj
-15.33 0 Td
(llo) Tj
-15.33 0 Td
(He) Tj
ET

Before you can remove “Hello World” from this stream snippet, you’ll need some heuristics so that your program recognizes the text in this syntax.

Once you’ve found the text, you need to rewrite the stream. For inspiration, you can take a look at the OCG remover functionality in the itext-xtra package.

Long story short: if your PDFs are relatively simple, that is: the text can be easily detected in the different content stream (page content and Form XObject content), then it’s simply a matter of rewriting those streams after some string manipulations.

I’ve made you a simple example named ReplaceStream that replaces "Hello World" with "HELLO WORLD" in a PDF.

public void manipulatePdf(String src, String dest) throws IOException, DocumentException {
    PdfReader reader = new PdfReader(src);
    PdfDictionary dict = reader.getPageN(1);
    PdfObject object = dict.getDirectObject(PdfName.CONTENTS);
    if (object instanceof PRStream) {
        PRStream stream = (PRStream)object;
        byte[] data = PdfReader.getStreamBytes(stream);
        stream.setData(new String(data).replace("Hello World", "HELLO WORLD").getBytes());
    }
    PdfStamper stamper = new PdfStamper(reader, new FileOutputStream(dest));
    stamper.close();
    reader.close();
}

Some caveats:

  • I check if object is a stream. It could also be an array of streams. In that case, you need to loop over that array.
  • I don’t check if there are form XObjects defined for the page.
  • I assume that Hello World can be easily detected in the PDF Syntax.

In real life, PDFs are never that simple and the complexity of your project will increase dramatically with every special feature that is used in your documents.

Leave a Comment