Document Processing
This document describes how to develop and deploy Document Processors, often called docproc in this documentation. Document processing is a framework to create chains of configurable components, that read and modify document operations.
The input source splits the input data into logical units called documents. A feeder application sends the documents into a document processing chain. This chain is an ordered list of document processors. Document processing examples range from language detection, HTML removal and natural language processing to mail attachment processing, character set transcoding and image thumbnailing. At the end of the processing chain, extracted data will typically be set in some fields in the document.
The motivation for document processing is that code and configuration is atomically deployed, as like all Vespa components. It is also easy to build components that access data in Vespa as part of processing.
To get started, see the sample application. Read indexing to understand deployment and routing. As document processors are chained components just like Searchers, read Searcher Development. For reference, see the Javadoc, and services.xml.
Deploying a Document Processor
Refer to album-recommendation-docproc to get started, LyricsDocumentProcessor.java is a document processor example. Add the document processor in services.xml, and then add it to a chain. The type of processing done by the processor dictates what chain it should be part of:
- If it performs general data-processing, such as populating some document fields from others, looking up data in external services, etc., it should be added to a general docproc chain.
- If, and only if, it performs processing required for indexing, or requires this to have already been run — e.g., for processing the annotations created by the default indexing document processor — it should be added to a chain which inherits the indexing chain, and which is used for indexing by a content cluster.
<container version="1.0" id="default"> <document-processing> <chain id="default"> <documentprocessor id="ai.vespa.example.album.LyricsDocumentProcessor" bundle="albums-docproc"/> </chain> <chain id="my-indexing" inherits="indexing"> <documentprocessor id="ai.vespa.example.album.PostIndexingDocumentProcessor" bundle="albums-docproc"/> </chain> </document-processing> </container> <content version="1.0" id="content"> <documents> ... <document-processing cluster="default" chain="my-indexing"> </documents> </content> </services>The "default" chain, if it exists, is run by default, before the chain used for indexing. The default indexing chain is called "indexing", and must be inherited by any chain that is to replace it.
To run through any chain, specify a route which includes the chain.
For example, the route default/chain.my-chain indexing
would route feed operations
through the chain "my-chain" in the "default" container cluster, and then to the "indexing" hop,
which resolves to the specified indexing chain for each content cluster the document should be sent to.
More details can be found in indexing:
Document Processors
A document processor is a component extending com.yahoo.docproc.DocumentProcessor
.
All document processors must implement process()
:
public Progress process(Processing processing);When the container receives a document operation, it will create a new
Processing
, and add
the DocumentPut
s, DocumentUpdate
s
or DocumentRemove
s to the List
accessible
through Processing.getDocumentOperations()
. Furthermore, the
call stack of the document processing chain in question will
be copied to Processing.callStack()
, so that
document processors may freely modify the flow of control for this
processing without affecting all other processings going on. After
creation, the Processing
is added to an internal queue.
A worker thread will retrieve a Processing
from the input
queue, and run its document operations through its call stack. A
minimal, no-op document processor implementation is thus:
import com.yahoo.docproc.*; public class SimpleDocumentProcessor extends DocumentProcessor { public Progress process(Processing processing) { return Progress.DONE; } }
The process()
method should loop through all
document operations in Processing.getDocumentOperations()
, do
whatever it sees fit to them, and return a Progress:
public Progress process(Processing processing) { for (DocumentOperation op : processing.getDocumentOperations()) { if (op instanceof DocumentPut) { DocumentPut put = (DocumentPut) op; // TODO do something to 'put here } else if (op instanceof DocumentUpdate) { DocumentUpdate update = (DocumentUpdate) op; // TODO do something to 'update' here } else if (op instanceof DocumentRemove) { DocumentRemove remove = (DocumentRemove) op; // TODO do something to 'remove' here } } return Progress.DONE; }Return codes:
Progress.DONE |
Returned if a document processor has successfully processed a Processing |
Progress.FAILED |
Processing failed and the input message should return a fatal
failure back to the feeding application,
meaning that this application will not try to re-feed this document operation.
Return an error message/reason by calling if (op instanceof DocumentPut) { return Progress.FAILED.withReason("PUT is not supported"); } |
Progress.LATER |
See execution model.
The document processor wants to release the calling thread and be called again later.
This is useful if e.g. calling an external service with high latency.
The document processor may then save its state in the
By the use of |
com.yahoo.docproc.TransientFailureException |
Processing failed and the input message should return a transient failure back to the feeding application, meaning that this application may try to re-feed this document operation |
RuntimeException |
Throwing any other RuntimeException
means same behavior as for Progress.FAILED
|
Chains
The call stack mentioned above is another name for a document processor chain.
Document processor chains are a special case of the general
component chains -
to avoid confusion some concepts are explained here as well.
A document processor chain is nothing more than a list of document processor instances,
having an id, and represented as a stack.
The document processor chains are typically not created for every processing,
but are part of the configuration.
Multiple ones may exist at the same time,
the chain to execute will be specified by the message bus destination of the incoming message.
The same document processor instance may exist in multiple document processor chains,
which is why the CallStack
of the Processing
is responsible for knowing the next document processor to invoke in a particular message.
The execution order of the document processors in a chain are not ordered explicitly, but by ordering constraints declared in the document processors or their configuration.
Execution model
The Document Processing Framework works like this:
- A thread from the message bus layer appends an incoming message to an internal priority queue, shared between all document processing chains configured on a node. The priority is set based on the message bus priority of the message. Messages of the same priority are ordered FIFO
- One worker thread from the docproc thread pool picks one message from the head of the queue, deserializes it, copies the call stack (chain) in question, and runs it through the document processors
-
Processing finishes if (a) the document(s) has
passed successfully through the whole chain,
or (b) a document processor in the chain has
returned
Progress.FAILED
or thrown an exception - The same thread passes the message on to the message bus layer for further transport on to its destination
As is evident from the model above, multiple worker threads execute
the document processors in a chain concurrently.
Thus; many threads of execution can be going through process()
in a
document processor, at the same time.
This model places a very important constraint on document processor classes: instance variables are not safe. They must be eliminated, or made threadsafe somehow.
Also see Resource management,
use deconstruct()
in order to not leak resources.
Asynchronous execution
The execution model outlined above also shows one important restriction:
If a document processor performs any high-latency operation in its process() method,
a docproc worker thread will be occupied.
With all n worker threads blocking on an external resource,
throughput will be limited.
This can be fixed by saving the state in the Processing object,
and returning Progress.LATER
.
A document processor doing a high-latency operation should use a pattern like this:
- Check a self-defined context variable in Processing for status. Basically, have we seen this Processing before?
- If no:
- We have been given a Processing object fresh off the network, we have not seen this before. Process it up until the high-latency operation.
- Start the high-latency operation (possibly in a separate thread).
- Save the state of the operation in a self-defined context variable in the Processing.
- Return
Progress.LATER
. This Processing is the appended to the back of the input queue, and we will be called again later.
- If yes:
- Retrieve the reference that we set in our self-defined context variable in Processing
- Is the high-latency operation done? If so, return
Progress.DONE
- Is it not yet done? Return
Progress.LATER
again
State
Any state in the document processor for the particular Processing should be kept as local variables in the process method, while state which should be shared by all Processings should be kept as member variables. As the latter kind will be accessed by multiple threads at any one time, the state of such member variables must be threadsafe. This critical restriction is similar to those of e.g. the Servlet API. Options for implementing a multithread-safe document processor with instance variables:
- Use immutable (and preferably final) objects: they never change after they are constructed; no modifications to their state occurs after the DocumentProcessor constructor returns
- Use a single instance of a thread-safe class
- Create a single instance and synchronize access to it across all threads (but this will severely limit scalability)
- Arrange for each thread to have its own instance, e.g. with a
ThreadLocal
Processing Context Variables
Processing
has a map String -> Object
that can be used to pass information between document processors.
It is also useful when using Progress.LATER
to save the state of a processing - see
Processing.java for get/setVariable
and more.
The sample application uses such context variables, too.
Operation ordering
Feed ordering
Ordering of feed operations is not guaranteed. Operations on different documents will be done concurrently and hence not ordered. However Vespa guarantees that operations on the same document are processed in the order they were fed if they enter vespa at the same feed endpoint.
Document processing ordering
Document operations that are produced inside a document processor obey the same rules as at feed time. If you either split the input into other documents or into multiple operations to the same document, Vespa will ensure that operations to the same document id are sequenced and are delivered in the order they enter.
(Re)configuring Document Processing
Consider the following configuration:
<?xml version="1.0" encoding="utf-8" ?>
<services version="1.0">
<container version="1.0" id="default">
<document-processing>
<chain id="default">
<documentprocessor id="SomeDocumentProcessor">
<config name="foo.something">
<variable>value</variable>
</config>
</documentprocessor>
</chain>
</document-processing>
</container>
</services>
Changing chain ids, components in a chain, component configuration and schema mapping
all takes effect after
vespa-deploy activate -
no restart required.
Changing a cluster name (i.e. the container id)
requires a restart of docproc services after vespa-deploy activate.
Note when adding or modifying a processing chain in a running cluster; if at the same time deploying a new document processor (i.e. a document processor that was unknown to Vespa at the time the cluster was started), the container must be restarted:
$ vespa-sentinel-cmd restart container
Class diagram

The framework core supports asynchronous processing, processing one or multiple documents or document updates at the same time, document processors that makes dynamic decisions about the processing flow and passing of information between processors outside the document or document update:
- One or more named Docproc Services may be created. One of the services is the default
- A service accepts subclasses of DocumentOperation for processing, meaning DocumentPuts, DocumentUpdates and DocumentRemoves. It has a Call Stack which lists the calls to make to various Document Processors to process each DocumentOperation handed to the service
- Call Stacks consist of Calls, which refer to the Document Processor instance to call
- DocumentPuts and document updates are processed asynchronously, the state is kept in a Processing for its duration (instead of in a thread or process). A Document Processor may make some asynchronous calls (typically to remote services) and return to the framework that it should be called again later for the same Processing to handle the outcome of the calls
- A processing contains its own copy of the Call Stack of the Docproc Service to keep track of what to call next. Document Processors may modify this Call Stack to dynamically decide the processing steps required to process a DocumentOperation
- A Processing may contain one or more DocumentOperations to be processed as a unit
- A Processing has a context, which is a Map of named values which can be used to pass arguments between processors
- Processings are prepared to be stored to disk, to allow a high number of ongoing long-term processings per node