Movatterモバイル変換


[0]ホーム

URL:


Skip to content

Navigation Menu

Search code, repositories, users, issues, pull requests...

Provide feedback

We read every piece of feedback, and take your input very seriously.

Saved searches

Use saved searches to filter your results more quickly

Sign up

OCR-D post-correction with encoder-attention-decoder LSTMs

License

NotificationsYou must be signed in to change notification settings

ASVLeipzig/cor-asv-ann

Repository files navigation

CircleCIPyPI version

cor-asv-ann

OCR post-correction with encoder-attention-decoder LSTMs

Contents:

Introduction

This is a tool for automatic OCRpost-correction (reducing optical character recognition errors) with recurrent neural networks. It uses sequence-to-sequence transduction on thecharacter level with a model architecture akin to neural machine translation, i.e. a stackedencoder-decoder network with attention mechanism.

Architecture

Theattention model always applies to full lines (in alocal, monotonic configuration), and uses a linearadditive alignment model. (This transfers information between the encoder and decoder hidden layer states, and calculates asoft alignment between input and output characters. It is imperative for character-level processing, because with a simple final-initial transfer, models tend to start "forgetting" the input altogether at some point in the line and behave like unconditional LM generators. Local alignment is necessary to prevent snapping back to earlier states during long sequences.)

Thenetwork architecture is as follows:

network architecture

  1. The input characters are represented as unit vectors (or as a probability distribution in case of uncertainty and ambiguity). These enter a dense projection layer to be picked up by the encoder.
  2. The bottom hidden layer of the encoder is a bi-directional LSTM.
  3. The next encoder layers are forward LSTMs stacked on top of each other.
  4. The outputs of the top layer enter the attention model as constants (both in raw form to be weighted with the decoder state recurrently, and in a pre-calculated dense projection).
  5. The hidden layers of the decoder are forward LSTMs stacked on top of each other.
  6. The top hidden layer of the decoder has double width and contains the attention model:
    • It reads the attention constants from 3. and uses the alignment as attention state (to be input as initial and output as final state).
    • The attention model masks a window around the center of the previous alignment plus 1 character, calculates a new alignment between encoder outputs and current decoder state, and superimposes this with the encoder outputs to yield a context vector.
    • The context vector is concatenated to the previous layers output and enters the LSTM.
  7. The decoder outputs enter a dense projection and get normalized to a probability distribution (softmax) for each character. (The output projection weights are the transpose of the input projection weights in 0. – weight tying.)
  8. Depending on the decoder mode, the decoder output is fed back directly (greedy) or indirectly (beamed) into the decoder input. (The first position is fed with a start symbol. Decoding ends on receiving a stop symbol.)
  9. The result is the character sequences corresponding to the argmax probabilities of the decoder outputs.

HL depth and width, as well as many other topology and training options can be configured:

  • residual connections between layers in encoder and decoder?
  • deep bidirectional encoder (with fw/bw cross-summarization)?
  • LM loss/prediction as secondary output (multi-task learning, dual scoring)?

(cf.training options)

Multi-OCR input

not yet!

Decoder feedback

One important empirical finding is that the softmax output (full probability distribution) of the decoder can carry important information for the next state when input directly. This greatly improves the accuracy of both alignments and predictions. (This is in part attributable to exposure bias.) Therefore, instead of following the usual convention of feeding back argmax unit vectors, this implementation feeds back the softmax output directly.

This can even be done for beam search (which normally splits up the full distribution into a few select explicit candidates, represented as unit vectors) by simply resetting maximum outputs for lower-scoring candidates successively.

Decoder modes

While theencoder can always be run in parallel over a batch of lines and by passing the full sequence of characters in one tensor (padded to the longest line in the batch), which is very efficient with Keras backends like Tensorflow, abeam-searchdecoder requires passing initial/final states character-by-character, with parallelism employed to capture multiple history hypotheses of a single line. However, one can alsogreedily use the best output only for each position (without beam search). This latter option also allows to run in parallel over lines, which is much faster – consuming up to ten times less CPU time.

Thererfore, the backend function can operate the decoder network in either of the following modes:

fast

Decode greedily, but feeding back the full softmax distribution in batch mode (lines-parallel).

greedy

Decode greedily, but feeding back the full softmax distribution for each line separately.

default

Decode beamed, selecting the best output candidates of the best history hypotheses for each line and feeding back their (successively reset) partial softmax distributions in batch mode (hypotheses-parallel). More specifically:

Start decoder with start-of-sequence, then keep decoding untilend-of-sequence is found or output length is way off, repeatedly.Decode by using the best predicted output characters and several next-bestalternatives (up to some degradation threshold) as next input.Follow-up on the N best overall candidates (estimated by accumulatedscore, normalized by length and prospective cost), i.e. do A*-likebreadth-first search, with N equalbatch_size.Pass decoder initial/final states from character to character,for each candidate respectively.

Rejection

During beam search (default decoder mode), whenever the input and output is in good alignment (i.e. the attention model yields an alignment approximately 1 character after their predecessor's alignment on average), it is possible to estimate the current position in the source string. This input character's predicted output score, when smaller than a given (i.e. variable) probability threshold can be clipped to that minimum. This effectively adds a candidate whichrejects correction at that position (keeping the input unchanged).

rejection example

That probability is calledrejection threshold as a runtime parameter. But while 0.0will disable rejection completely (i.e. the input hypothesis, if at all identifiable, will keep its predicted score), 1.0 willnot disable correction completely (because the input hypothesis might not be found if alignment is too bad).

Underspecification and gap

Input characters that have not been seen during training must be well-behaved at inference time: They must be represented by a reserved index, and should behave likeneutral/unknown characters instead of spoiling HL states and predictions in a longer follow-up context. This is achieved by dedicated leave-one-out training and regularization to optimize for interpolation of all known characters. At runtime, the encoder merely shows a warning of the previously unseen character.

The same device is useful to fill a knowngap in the input (the only difference being that no warning is shown).

As an additional facility, characters that are known in advance to not fit well with the model can be mapped prior to correction with thecharmap parameter.

Training

Possibilities:

  • incremental training and pretraining (on clean-only text)
  • scheduled sampling (mixed teacher forcing and decoder feedback)
  • LM transfer (initialization of the decoder weights from a language model of the same topology)
  • shallow transfer (initialization of encoder/decoder weights from a model of lesser depth)

For existing models, cf.models subrepository.

For tools and datasets, cf.data processing subrepository.

Processing PAGE annotations

When applied onPAGE-XML (asOCR-D workspace processor, cf.usage), this component also allows processing below theTextLine hierarchy level, i.e. onWord orGlyph level.

For that one needs to distribute the line-level transduction onto the lower level elements (keeping their coordinates and other meta-data), while changing Word segmentation if necessary (i.e. merging and splitting tokens). To calculate an optimalhard alignment path for characters, wecould use the soft alignment scores – but in practise, the quality of an independent, a-posteriori string alignment (i.e. Needleman-Wunsch algorithm) is better.

Evaluation

Text lines can be compared (by aligning and computing a distance under some metric) across multiple inputs. (This would typically be GT and OCR vs post-correction.) This can be done both on plain text files (cor-asv-ann-eval) and PAGE-XML annotations (ocrd-cor-asv-ann-evaluate).

Distances are accumulated (as micro-averages) as character error rate (CER) mean and stddev, but only on the character level.

There are a number of distance metrics available (all but the first operating on grapheme clusters, not mere codepoints, and using the alignment path length as denominator, not just the maximum string length):

  • Levenshtein-fast:
    simple unweighted edit distance (fastest, standard; GT level 3; no regard for combining sequences; max-length norm)
  • Levenshtein:
    simple unweighted edit distance (GT level 3)
  • NFC:
    likeLevenshtein, but apply Unicode normal form with canonical composition before (i.e. less than GT level 2)
  • NFKC:
    likeLevenshtein, but apply Unicode normal form with compatibility composition before (i.e. less than GT level 2, except forſ, which is already normalized tos)
  • historic_latin:
    likeLevenshtein, but decomposing non-vocalic ligatures before and treating as equivalent (i.e. zero distances) confusions of certain semantically close characters often found in historic texts (e.g. umlauts with combining lettere as inWuͤſte instead of toWüſte,ſ vss, or quotation/citation marks; GT level 1)

...perplexity measurement...

Installation

BesidesOCR-D, this builds on Keras/Tensorflow.

Required Ubuntu packages:

  • Python (python orpython3)
  • pip (python-pip orpython3-pip)
  • venv (python-venv orpython3-venv)

Create and activate a virtual environment as usual.

To install Python dependencies:

make deps

Which is the equivalent of:

pip install -r requirements.txt

To install this module, then do:

make install

Which is the equivalent of:

pip install .

The module can use CUDA-enabled GPUs (when sufficiently installed), but can also run on CPU only. Models are always interchangable.

Note: Models and code are still based on Keras 2.3 / Tensorflow 1.15, which are already end-of-life. You might need an extra venv just for this module to avoid conflicts with other packages. Also, Python >= 3.8 and CUDA toolkit >= 11.0 might not work with prebuilt Tensorflow versions (but seeinstallation in that case).

Usage

This packages has the following user interfaces:

command line interfacecor-asv-ann-train

To be used with TSV files (tab-delimited source-target lines),or pickle dump files (source-target tuple lists).

Usage: cor-asv-ann-train [OPTIONS] [DATA]...  Train a correction model on GT files.  Configure a sequence-to-sequence model with the given parameters.  If given `load_model`, and its configuration matches the current  parameters, then load its weights. If given `init_model`, then transfer  its mapping and matching layer weights. (Also, if its configuration has 1  less hidden layers, then fixate the loaded weights afterwards.) If given  `reset_encoder`, re-initialise the encoder weights afterwards.  Then, regardless, train on the `data` files using early stopping.  (Supported file formats are:   - * (tab-separated values), with source-target lines   - *.pkl (pickle dumps), with source-target lines, where source is either     - a single string, or     - a sequence of character-probability tuples.)  If no `valdata` were given, split off a random fraction of lines for  validation. Otherwise, use only those files for validation.  If the training has been successful, save the model under `save_model`.Options:  -m, --save-model FILE      model file for saving  --load-model FILE          model file for loading (incremental/pre-training)  --init-model FILE          model file for initialisation (transfer from LM                             or shallower model)  --reset-encoder            reset encoder weights after load/init  -w, --width INTEGER RANGE  number of nodes per hidden layer  -d, --depth INTEGER RANGE  number of stacked hidden layers  -v, --valdata FILE         file to use for validation (instead of random                             split)  -h, --help                 Show this message and exit.

command line interfacecor-asv-ann-proc

To be used with plain-text files, TSV files (tab-delimited source-target lines– where target is ignored), or pickle dump files (source-target tuple lists –where target is ignored).

Usage: cor-asv-ann-proc [OPTIONS] [DATA]...  Apply a correction model on GT or text files.  Load a sequence-to-sequence model from the given path.  Then open the `data` files, (ignoring target side strings, if any) and  apply the model to its (source side) strings in batches, accounting for  input file names line by line.  (Supported file formats are:   - * (plain-text), with source lines,   - * (tab-separated values), with source-target lines,   - *.pkl (pickle dumps), with source-target lines, where source is either     - a single string, or     - a sequence of character-probability tuples.)  For each input file, open a new output file derived from its file name by  removing `old_suffix` (or the last extension) and appending `new_suffix`.  Write the resulting lines to that output file.Options:  -m, --load-model FILE        model file to load  -f, --fast                   only decode greedily  -r, --rejection FLOAT RANGE  probability of the input characters in all                               hypotheses (set 0 to use raw predictions)  -C, --charmap TEXT           mapping for input characters before passing to                               correction; can be used to adapt to character                               set mismatch between input and model (without                               relying on underspecification alone)  -S, --old-suffix TEXT        Suffix to remove from input files for output                               files  -s, --new-suffix TEXT        Suffix to append to input files for output                               files  -h, --help                   Show this message and exit.

command line interfacecor-asv-ann-eval

To be used with TSV files (tab-delimited source-target lines),or pickle dump files (source-target tuple lists).

Usage: cor-asv-ann-eval [OPTIONS] [DATA]...  Evaluate a correction model on GT files.  Load a sequence-to-sequence model from the given path.  Then apply on the file paths `data`, comparing predictions (both greedy  and beamed) with GT target, and measuring error rates.  (Supported file formats are:   - * (tab-separated values), with source-target lines   - *.pkl (pickle dumps), with source-target lines, where source is either     - a single string, or     - a sequence of character-probability tuples.)Options:  -m, --load-model FILE           model file to load  -f, --fast                      only decode greedily  -r, --rejection FLOAT RANGE     probability of the input characters in all                                  hypotheses (set 0 to use raw predictions)  -n, --normalization [Levenshtein|NFC|NFKC|historic_latin]                                  normalize character sequences before                                  alignment/comparison (set Levenshtein for                                  none)  -C, --charmap TEXT              mapping for input characters before passing                                  to correction; can be used to adapt to                                  character set mismatch between input and                                  model (without relying on underspecification                                  alone)  -l, --gt-level INTEGER RANGE    GT transcription level to use for                                  historic_latin normlization (1: strongest,                                  3: none)  -c, --confusion INTEGER RANGE   show this number of most frequent (non-                                  identity) edits (set 0 for none)  -H, --histogram                 aggregate and compare character histograms  -h, --help                      Show this message and exit.

command line interfacecor-asv-ann-compare

To be used with PAGE-XML files, plain-text files, or plain-text file lists(of PAGE-XML or plain-text files), 1 for GT and N for predictions (OCR or COR).

Usage: cor-asv-ann-compare [OPTIONS] GT_FILE [OCR_FILES]...  Compare text lines by aligning and computing the textual distance and  character error rate.  This compares 1:n given PAGE-XML or plain text files.  If `--file-lists` is given and files are plain text, then they will be  interpreted as (newline-separated) lists of path names for single-line  text files (for Ocropus convention).  Writes a JSON report file to `--output-file`. (No error aggregation across  files in this CLI.)Options:  -o, --output-file FILE          path name of generated report (default:                                  stdout)  -n, --normalization [Levenshtein-fast|Levenshtein|NFC|NFKC|historic_latin]                                  normalize character sequences before                                  alignment/comparison (set Levenshtein for                                  none)  -l, --gt-level INTEGER RANGE    GT transcription level to use for                                  historic_latin normlization (1: strongest,                                  3: none)  -c, --confusion INTEGER RANGE   show this number of most frequent (non-                                  identity) edits (set 0 for none)  -H, --histogram                 aggregate and compare character histograms  -F, --file-lists                interpret files as plain text files with one                                  file path per line  -h, --help                      Show this message and exit.

command line interfacecor-asv-ann-repl

This tool provides a Python read-eval-print-loop for interactive usage (including some visualization):

Usage: cor-asv-ann-repl [OPTIONS]  Try a correction model interactively.  Import Sequence2Sequence, instantiate `s2s`, then enter REPL. Also,  provide function `transcode_line` for single line correction.Options:  --help  Show this message and exit.

Here is what you see after starting up the interpreter:

usage example:>>> s2s.load_config('model')>>> s2s.configure()>>> s2s.load_weights('model')>>> s2s.evaluate(['filename'])>>> transcode_line('hello world!')now entering REPL...Python 3.6.7 (default, Oct 22 2018, 11:32:17) [GCC 8.2.0] on linuxType "help", "copyright", "credits" or "license" for more information.(InteractiveConsole)

OCR-D processor interfaceocrd-cor-asv-ann-process

To be used withPAGE-XML documents in anOCR-D annotation workflow.

Input could be anything with a textual annotation (TextEquiv on the giventextequiv_level).

Pretrained model files are contained in themodels subrepository. At runtime, you can use both absolute and relative paths for model files. The latter are searched for in the installation directory, under the path in the environment variableCORASVANN_DATA (if given), and in the default paths of the OCR-D resource manager (i.e. you can doocrd resmgr download -na ocrd-cor-asv-ann-process https://github.com/ASVLeipzig/cor-asv-ann-models/blob/master/s2s.dta19.Fraktur4.d2.w0512.adam.attention.stateless.variational-dropout.char.pretrained+retrained-conf.h5 and thenocrd resmgr list-installed -e ocrd-cor-asv-ann-process tells you thats2s.dta19.Fraktur4.d2.w0512.adam.attention.stateless.variational-dropout.char.pretrained+retrained-conf.h5 will resolve asmodel_file).

Usage: ocrd-cor-asv-ann-process [worker|server] [OPTIONS]  Improve text annotation by character-level encoder-attention-decoder ANN model  > Perform OCR post-correction with encoder-attention-decoder ANN on  > the workspace.  > Open and deserialise PAGE input files, then iterate over the element  > hierarchy down to the requested `textequiv_level`, making sequences  > of TextEquiv objects as lists of lines. Concatenate their string  > values, obeying rules of implicit whitespace, and map the string  > positions where the objects start.  > Next, transcode the input lines into output lines in parallel, and  > use the retrieved soft alignment scores to calculate hard alignment  > paths between input and output string via Viterbi decoding. Then use  > those to map back the start positions and overwrite each TextEquiv  > with its new content, paying special attention to whitespace:  > Distribute edits such that whitespace objects cannot become more  > than whitespace (or be deleted) and that non-whitespace objects must  > not start or end with whitespace (but may contain new whitespace in  > the middle).  > Subsequently, unless processing on the `line` level, make the Word  > segmentation consistent with that result again: merge around deleted  > whitespace tokens and split at whitespace inside non-whitespace  > tokens.  > Finally, make the levels above `textequiv_level` consistent with  > that textual result (via concatenation joined by whitespace).  > Produce new output files by serialising the resulting hierarchy.Subcommands:    worker      Start a processing worker rather than do local processing    server      Start a processor server rather than do local processingOptions for processing:  -m, --mets URL-PATH             URL or file path of METS to process [./mets.xml]  -w, --working-dir PATH          Working directory of local workspace [dirname(URL-PATH)]  -I, --input-file-grp USE        File group(s) used as input  -O, --output-file-grp USE       File group(s) used as output  -g, --page-id ID                Physical page ID(s) to process instead of full document []  --overwrite                     Remove existing output pages/images                                  (with "--page-id", remove only those)  --profile                       Enable profiling  --profile-file PROF-PATH        Write cProfile stats to PROF-PATH. Implies "--profile"  -p, --parameter JSON-PATH       Parameters, either verbatim JSON string                                  or JSON file path  -P, --param-override KEY VAL    Override a single JSON object key-value pair,                                  taking precedence over --parameter  -U, --mets-server-url URL       URL of a METS Server for parallel incremental access to METS                                  If URL starts with http:// start an HTTP server there,                                  otherwise URL is a path to an on-demand-created unix socket  -l, --log-level [OFF|ERROR|WARN|INFO|DEBUG|TRACE]                                  Override log level globally [INFO]Options for information:  -C, --show-resource RESNAME     Dump the content of processor resource RESNAME  -L, --list-resources            List names of processor resources  -J, --dump-json                 Dump tool description as JSON  -D, --dump-module-dir           Show the 'module' resource location path for this processor  -h, --help                      Show this message  -V, --version                   Show versionParameters:   "model_file" [string - REQUIRED]    path of h5py weight/config file for model trained with cor-asv-ann-    train   "textequiv_level" [string - "glyph"]    PAGE XML hierarchy level to read/write TextEquiv input/output on    Possible values: ["line", "word", "glyph"]   "charmap" [object - {}]    mapping for input characters before passing to correction; can be    used to adapt to character set mismatch between input and model    (without relying on underspecification alone)   "rejection_threshold" [number - 0.5]    minimum probability of the candidate corresponding to the input    character in each hypothesis during beam search, helps balance    precision/recall trade-off; set to 0 to disable rejection (max    recall) or 1 to disable correction (max precision)   "relative_beam_width" [number - 0.2]    minimum fraction of the best candidate's probability required to    enter the beam in each hypothesis; controls the quality/performance    trade-off   "fixed_beam_width" [number - 15]    maximum number of candidates allowed to enter the beam in each    hypothesis; controls the quality/performance trade-off   "fast_mode" [boolean - false]    decode greedy instead of beamed, with batches of parallel lines    instead of parallel alternatives; also disables rejection and beam    parameters; enable if performance is far more important than quality

OCR-D processor interfaceocrd-cor-asv-ann-evaluate

To be used withPAGE-XML documents in anOCR-D annotation workflow.

Inputs could be anything with a textual annotation (TextEquiv on the line level), but at least 2. The first in the list of input file groups will be regarded as reference/GT.

There are various evaluationmetrics available.

The tool can also aggregate and show the most frequent character confusions.

Usage: ocrd-cor-asv-ann-evaluate [worker|server] [OPTIONS]  Align different textline annotations and compute distance  > Align textlines of alternative annotations and calculate distances  > for error rates.  > Alternative input annotations derive from either:  > - multiple ``TextEquiv/@index`` within one file group and file, or  > - multiple file groups (i.e. multiple files for the same page ID, with  >   the same TextLine id or coords, using only the first TextEquiv).  > The first annotation (i.e. index or file group) serves as reference  > (ground truth).  > Open and deserialise PAGE input files, then iterate over the element  > hierarchy down to the TextLine level.  > Now, align character sequences in all pairs of lines for the same   > - TextLine IDs across files (if `match_on=id`) or   > - TextLine boundary points across files (if `match_on=coords`) or   > - TextLine baseline points across files (if `match_on=baseline`) or  > - ``TextLine/TextEquiv/@index`` (if `match_on=index`),  > and calculate the distances using the error metric `metric`. Accumulate  > distances and sequence lengths per file group globally and per file,  > and show each fraction as a CER and WER rate in the output JSON reports.Subcommands:    worker      Start a processing worker rather than do local processing    server      Start a processor server rather than do local processingOptions for processing:  -m, --mets URL-PATH             URL or file path of METS to process [./mets.xml]  -w, --working-dir PATH          Working directory of local workspace [dirname(URL-PATH)]  -I, --input-file-grp USE        File group(s) used as input  -O, --output-file-grp USE       File group(s) used as output  -g, --page-id ID                Physical page ID(s) to process instead of full document []  --overwrite                     Remove existing output pages/images                                  (with "--page-id", remove only those)  --profile                       Enable profiling  --profile-file PROF-PATH        Write cProfile stats to PROF-PATH. Implies "--profile"  -p, --parameter JSON-PATH       Parameters, either verbatim JSON string                                  or JSON file path  -P, --param-override KEY VAL    Override a single JSON object key-value pair,                                  taking precedence over --parameter  -U, --mets-server-url URL       URL of a METS Server for parallel incremental access to METS                                  If URL starts with http:// start an HTTP server there,                                  otherwise URL is a path to an on-demand-created unix socket  -l, --log-level [OFF|ERROR|WARN|INFO|DEBUG|TRACE]                                  Override log level globally [INFO]Options for information:  -C, --show-resource RESNAME     Dump the content of processor resource RESNAME  -L, --list-resources            List names of processor resources  -J, --dump-json                 Dump tool description as JSON  -D, --dump-module-dir           Show the 'module' resource location path for this processor  -h, --help                      Show this message  -V, --version                   Show versionParameters:   "match_on" [string - "id"]    Attribute to differentiate input annotations by: either    `TextEquiv/@index` of the same TextLine and input file, or    `TextLine/@id` (or `./Coords/@points` or `./Baseline/@points`) of    input files across input fileGrps.    Possible values: ["index", "id", "coords", "baseline"]   "metric" [string - "Levenshtein-fast"]    Distance metric to calculate and aggregate: `historic_latin` for GT    level 1-3, `NFKC` for roughly GT level 2 (but including reduction of    `ſ/s` and superscript numerals etc), `Levenshtein` for GT level 3    (or `Levenshtein-fast` for faster alignment - but using maximum    sequence length instead of path length as CER denominator, and    without confusion statistics).    Possible values: ["Levenshtein-fast", "Levenshtein", "NFC", "NFKC",    "historic_latin"]   "gt_level" [number - 1]    When `metric=historic_latin`, normalize and equate at this GT    transcription level.    Possible values: [1, 2, 3]   "confusion" [number - 0]    Count edits and show that number of most frequent confusions (non-    identity) in the end.   "histogram" [boolean - false]    Aggregate and show mutual character histograms.

The output file group for the evaluation tool will contain a JSON report of the CER distances of each text line per page, and an aggregated JSON report with the totals and the confusion table. It also makes extensive use of logging.

OCR-D processor interfaceocrd-cor-asv-ann-align

To be used withPAGE-XML documents in anOCR-D annotation workflow.

Inputs could be anything with a textual annotation (TextEquiv on the line level), but at least 2 fileGrps (or 3 formethod=majority). No input will be priviledged regarding text content, but the first input fileGrp will serve as the base annotation for the output.

Usage: ocrd-cor-asv-ann-align [worker|server] [OPTIONS]  Align different textline annotations and pick best  > Align textlines of multiple file groups and choose the 'best'  > characters.  > Find files in all input file groups of the workspace for the same  > physical pages.  > Open and deserialise PAGE input files, then iterate over the element  > hierarchy down to the TextLine level, looking at each first  > TextEquiv. Align character sequences in all pairs of lines for the  > same TextLine IDs, and for each position pick the 'best' character  > hypothesis among the inputs.  > Choice depends on ``method``:  > - if `majority`, then use a majority rule over the inputs  >   (requires at least 3 input fileGrps),  > - if `confidence`, then use the candidate with the highest confidence  >   (requires input with per-character or per-line confidence annotations),  > - if `combined`, then try a heuristic combination of both approaches  >   (requires both conditions).  > Then concatenate those character choices to new TextLines (without  > segmentation at lower levels). The first input file group is  > priviledged in that it will be the reference for the output (i.e.  > its segmentation and non-textual attributes will be kept).  > Finally, make the parent regions (higher levels) consistent with  > that textual result (via concatenation joined by whitespace), and  > remove the child words/glyphs (lower levels) altogether.  > Produce new output files by serialising the resulting hierarchy.Subcommands:    worker      Start a processing worker rather than do local processing    server      Start a processor server rather than do local processingOptions for processing:  -m, --mets URL-PATH             URL or file path of METS to process [./mets.xml]  -w, --working-dir PATH          Working directory of local workspace [dirname(URL-PATH)]  -I, --input-file-grp USE        File group(s) used as input  -O, --output-file-grp USE       File group(s) used as output  -g, --page-id ID                Physical page ID(s) to process instead of full document []  --overwrite                     Remove existing output pages/images                                  (with "--page-id", remove only those)  --profile                       Enable profiling  --profile-file PROF-PATH        Write cProfile stats to PROF-PATH. Implies "--profile"  -p, --parameter JSON-PATH       Parameters, either verbatim JSON string                                  or JSON file path  -P, --param-override KEY VAL    Override a single JSON object key-value pair,                                  taking precedence over --parameter  -U, --mets-server-url URL       URL of a METS Server for parallel incremental access to METS                                  If URL starts with http:// start an HTTP server there,                                  otherwise URL is a path to an on-demand-created unix socket  -l, --log-level [OFF|ERROR|WARN|INFO|DEBUG|TRACE]                                  Override log level globally [INFO]Options for information:  -C, --show-resource RESNAME     Dump the content of processor resource RESNAME  -L, --list-resources            List names of processor resources  -J, --dump-json                 Dump tool description as JSON  -D, --dump-module-dir           Show the 'module' resource location path for this processor  -h, --help                      Show this message  -V, --version                   Show versionParameters:   "method" [string - "majority"]    decide by majority of OCR hypotheses, by highest confidence of OCRs    or by a combination thereof    Possible values: ["majority", "confidence", "combined"]

OCR-D processor interfaceocrd-cor-asv-ann-join

To be used withPAGE-XML documents in anOCR-D annotation workflow.

Inputs could be anything with a textual annotation (TextEquiv on the line level), but at least 2 fileGrps. No input will be priviledged regarding text content, but the first input fileGrp will become the first TextEquiv (which is usually the preferred annotation in OCR-D processors for consumption).

Usage: ocrd-cor-asv-ann-join [worker|server] [OPTIONS]  Join different textline annotations by concatenation  > Join textlines of multiple file groups by concatenating their text  > results.  > Find files in all input file groups of the workspace for the same  > pageIds.  > Open and deserialise PAGE input files, then iterate over the element  > hierarchy down to the TextLine level. Concatenate the TextEquivs for  > all lines with the same TextLine IDs (if `match-on=id`) or boundary  > points (if `match-on=coords`) or baseline points (if `match-  > on=baseline`).  > If `add-filegrp-comments` is true, then differentiate them by adding  > their original fileGrp name in @comments. If `add-filegrp-index` is  > true, then differentiate them by adding their original fileGrp index  > in @index.  > Produce new output files by serialising the resulting hierarchy.Subcommands:    worker      Start a processing worker rather than do local processing    server      Start a processor server rather than do local processingOptions for processing:  -m, --mets URL-PATH             URL or file path of METS to process [./mets.xml]  -w, --working-dir PATH          Working directory of local workspace [dirname(URL-PATH)]  -I, --input-file-grp USE        File group(s) used as input  -O, --output-file-grp USE       File group(s) used as output  -g, --page-id ID                Physical page ID(s) to process instead of full document []  --overwrite                     Remove existing output pages/images                                  (with "--page-id", remove only those)  --profile                       Enable profiling  --profile-file PROF-PATH        Write cProfile stats to PROF-PATH. Implies "--profile"  -p, --parameter JSON-PATH       Parameters, either verbatim JSON string                                  or JSON file path  -P, --param-override KEY VAL    Override a single JSON object key-value pair,                                  taking precedence over --parameter  -U, --mets-server-url URL       URL of a METS Server for parallel incremental access to METS                                  If URL starts with http:// start an HTTP server there,                                  otherwise URL is a path to an on-demand-created unix socket  -l, --log-level [OFF|ERROR|WARN|INFO|DEBUG|TRACE]                                  Override log level globally [INFO]Options for information:  -C, --show-resource RESNAME     Dump the content of processor resource RESNAME  -L, --list-resources            List names of processor resources  -J, --dump-json                 Dump tool description as JSON  -D, --dump-module-dir           Show the 'module' resource location path for this processor  -h, --help                      Show this message  -V, --version                   Show versionParameters:   "add-filegrp-comments" [boolean - false]    set @comments of each TextEquiv to the fileGrp/@USE it came from   "add-filegrp-index" [boolean - false]    set @index of each TextEquiv to the fileGrp index (zero based) it    came from   "match-on" [string - "id"]    information to match lines on (element @id, Coords/@points,    Baseline/@points)    Possible values: ["id", "coords", "baseline"]

OCR-D processor interfaceocrd-cor-asv-ann-mark

To be used withPAGE-XML documents in anOCR-D annotation workflow.

Inputs could be anything with a textual annotation (TextEquiv on the word level).

  mark words not found by a spellchecker  > Mark words that are not recognized by a spellchecker  > Open and deserialise PAGE input files, then iterate over the element  > hierarchy down to the word level. If there is no text or empty text,  > continue. Otherwise, normalize the text content by apply the  > character-wise `normalization`, and stripping any non-letters. Pass  > that string into `command`: if the output is not empty, then mark  > the word according to `format`.  > Produce new output files by serialising the resulting hierarchy.Subcommands:    worker      Start a processing worker rather than do local processing    server      Start a processor server rather than do local processingOptions for processing:  -m, --mets URL-PATH             URL or file path of METS to process [./mets.xml]  -w, --working-dir PATH          Working directory of local workspace [dirname(URL-PATH)]  -I, --input-file-grp USE        File group(s) used as input  -O, --output-file-grp USE       File group(s) used as output  -g, --page-id ID                Physical page ID(s) to process instead of full document []  --overwrite                     Remove existing output pages/images                                  (with "--page-id", remove only those)  --profile                       Enable profiling  --profile-file PROF-PATH        Write cProfile stats to PROF-PATH. Implies "--profile"  -p, --parameter JSON-PATH       Parameters, either verbatim JSON string                                  or JSON file path  -P, --param-override KEY VAL    Override a single JSON object key-value pair,                                  taking precedence over --parameter  -U, --mets-server-url URL       URL of a METS Server for parallel incremental access to METS                                  If URL starts with http:// start an HTTP server there,                                  otherwise URL is a path to an on-demand-created unix socket  -l, --log-level [OFF|ERROR|WARN|INFO|DEBUG|TRACE]                                  Override log level globally [INFO]Options for information:  -C, --show-resource RESNAME     Dump the content of processor resource RESNAME  -L, --list-resources            List names of processor resources  -J, --dump-json                 Dump tool description as JSON  -D, --dump-module-dir           Show the 'module' resource location path for this processor  -h, --help                      Show this message  -V, --version                   Show versionParameters:   "command" [string - REQUIRED]    external tool to query word forms, e.g. 'hunspell -i utf-8 -d    de_DE,en_US -w'   "normalization" [object - {}]    mapping of characters prior to spellcheck, e.g. {'ſ': 's', 'aͤ': 'ä'}   "format" [string - "conf"]    how unknown words should be marked; if 'conf', then writes    @conf=0.123, otherwise writes that value into @comments

Testing

not yet!...

About

OCR-D post-correction with encoder-attention-decoder LSTMs

Topics

Resources

License

Stars

Watchers

Forks

Packages

No packages published

Languages


[8]ページ先頭

©2009-2025 Movatter.jp