Click here to Skip to main content
16,004,529 members
Articles / Web Development / Node.js
Article

Tesseract Act

Rate me:
Please Sign up or sign in to vote.
5.00/5 (1 vote)
10 Sep 2024MIT10 min read 3.2K   38   2  
A Visual Studio Code extension, a convenient UI wrapper for Tesseract OCR — in the VSCode style: it performs Optical Character Recognition of data found in an image file and opens the recognition result in a text editor.
This tiny extension is also used to explain the general Visual Studio Code extension writing techniques for the cases when an external application is used and when non-text input data needs to be processed.

Tesseract Act Logo

Contents

Motivation
Tesseract Introduction
Implementation, Issues, and Solutions
Introduction
Event Deficit
Enablement
Recognition of an External Application
One-Way Default
Pathological Cases
Asynchronous OCR
Versions
Conclusions

Motivation

I think we all hate paper documents. But in many cases, we don’t have a choice. Stupid financial, legal, insurance, or government services keep sending us paper-only documents we cannot ignore. In some countries, the so-called digital government is notoriously weak if not disastrous. With the combination of a scanner, OCR, and graphical editors, we can still combine paper data and generate maintainable documents in response.

I have started to use Tesseract OCR very recently, with yet another enrollment. Before that time, I only tried different OCR tools, and I rejected Tesseract because its older versions were not Unicode, which is a big no-no. The recent version, however, is quite usable. When I tested it and found it acceptable, I started my practical use of it by crafting a Visual Studio Code extension. When the product matured, I published it on the Visual Studio Marketplace.

The extension appeared very useful, and convenient, and it became fairly popular. In this article, I would like to share some findings related to specific issues associated with this extension. They are relatively simple but took time to figure out. They are related to two things: 1) processing of non-textual pages, and 2) using an external application.

Tesseract Introduction

Tesseract can be installed on Linux, Windows, and MacOS.

The source code is available on GitHub.

Trained data for additional languages can be installed separately. Trained data for different models can be found in separate pinned Git repositories found on the page of the Tesseract OCR account tesseract-ocr. The simplest way of installing a language pack is copying a single file *.traineddata to the subdirectory “tessdata” of the Tesseract executable directory. The list of currently installed languages can be obtained by the command line:

Command
tesseract --list-langs

For further details, please see the Tesseract documentation repository.

Implementation, Issues, and Solutions

Introduction

The extension Tesseract Act is really a tiny product. It makes it convenient for explanations of some issues. I don’t want to explain the entire Visual Studio extension writing concepts but I want to rely on the general reader’s knowledge of them. It can better be found in the original documentation. The complete current source code of my extension can always be found in the code repository.

The user-level documentation can be found on the Visual Studio Marketplace or the code repository.

The extension has only two commands, “Tesseract: Recognize Text” and “Tesseract: Language” and only one parameter in the Settings: “tesseract.executableFileLocation”. The user’s choice of a language is persistently remembered for the current workspace.

Event Deficit

A first pretty trivial problem took the most investigation. The problem is that we need to capture the event when an image file of a file type Tesseract OCR can handle is loaded or selected in the editor. We always need such a thing at least to enable or disable the commands related to the application.

The problem is that Visual Studio Code is well-sharpened for text editing but it does not provide the event analogous to the appropriate event for a text file. Here is what can be done quite conveniently for the text files:

JavaScript
exports.activate = context => {
    //...
    // not applicable to the present extension:
    context.subscriptions.push(
        vscode.workspace.onDidOpenTextDocument(
            textDocument => doSomething(textDocument)));
};

Additionally, we could use textDocument.languageId to do different actions for different languages.

We cannot do the same thing for an arbitrary file. The solution is a bit more complicated. We need to handle the combination of two events, onDidChangeTabGroups, and onDidChangeTabs — only the combination covers all the cases. This is how the magic works:

JavaScript
exports.activate = context => {
    //...
    const tabGroupSet = vscode.window.tabGroups;
    context.subscriptions.push(
        tabGroupSet.onDidChangeTabGroups(() => updateEnablement()));
    context.subscriptions.push(
        tabGroupSet.onDidChangeTabs(() => updateEnablement()));
};

I think it is pretty much obvious what updateEnablement should do. Please see the source code for the comprehensive information. However, I need to clarify how to find the active file and figure out if it applies to the OCR operation.

Enablement

This is the skeleton of the function updateEnablement:

JavaScript
exports.activate = context => {
    vscode.commands.executeCommand(
        definitionSet.commands.setContext,
        definitionSet.commands.setLanguageContext,
        tesseractExecutableFound);
    const isGoodImage = () => {
        if (!statusBarItem) return false;
        const file = activeUri();
        if (!file) return false;
        return definitionSet.isImageFileSupported(file);
    };
    // using isGoodImage...
};

Note that the file is found as activeUri, and the file name is tested for compatibility with Tesseract using definitionSet.isImageFileSupported.

Here is how to find the active URI:

JavaScript
const activeUri = () =>
    vscode.window?.tabGroups?.activeTabGroup?.activeTab?.input?.uri?.fsPath;

We also need to find out that the file is supported by Tesseract OCR. We have nothing to do but read the Tesseract documentation listing the set of suffixes indicating compatible file types:

JavaScript
const definitionSet = {
    //...
    supportedInputFileTypes: ["png", "jpg", "jpeg", "tif", "tiff", "gif", "webp", "bmp"],
    isImageFileSupported: function(file) {
        if (!file) return false;
        file = file.toLowerCase();
        return this.supportedInputFileTypes.some(
            suffix => file.endsWith(`.${suffix}`));
    }, //isImageFileSupported
    //...
};

Finally, the commands are enabled or disabled using the special command "setContext". This is a string, predefined in the Visual Studio Code API, and definitionSet.commands.setContext is equal to this value. The contexts work via the when clause declared in “package.json”. Please find the lines "when": "tesseract.act.recognize.enabled" and "when": "tesseract.act.language.enabled" in “package.json”.

Recognition of an External Application

The default for the Settings parameter “tesseract.executableFileLocation” is the string "tesseract". It is not necessarily an executable file location, but it can be a command. Usually, it works by including the location of an executable part in the system PATH for all or certain users. In many cases, I personally avoid PATH modifications. Note that the content of the PATH is unknown to the Visual Studio Code application, so we cannot directly check the existence of the executable path. Besides, this is not enough.

The Tesseract application is recognized on the activation events (please see "activationEvents" in “package.json” and on the event triggered when the Settings are changed. This is done by the function changeConfigurationHandle(context), please see its code.

The presence of the Tesseract OCR application does not rely on the existence of the executable file, because the user may enter the name of an unrelated file. Instead, the checkup relies on childProcess.execSync. The application is executed and the exceptions are caught to check if it is successful:

JavaScript
const commandExists = fileOrCommand => {
    try {
        childProcess.execSync(
            definitionSet.tesseract.commandLineLanguages(
                fileOrCommand));
    } catch { // all cases
        return false;
    } //exception
    return true;
}; //commandExists

The Tesseract OCR process is executed synchronously, because the OCR is not actually performed, and it makes the execution fast.

Sometimes this approach is called offensive in contrast to not very informative in this case defensive.

One-Way Default

Note that the function commandExists works with the command-line parameter passed to Tesseract OCR used to report the installed languages. One of the languages reported can be used as a parameter passed to the application to specify the language for text recognition.

There is one subtle case here: when the language parameter is omitted, the default language is used. This is English. There is no language choice in the UI of the extension because the default means making no choice. When a language is never selected, the status bar item shows: “Tesseract Language: default”. When a user chooses any language, there is no way to get back to this condition. The user can only pick a different language, but not get back to the “no choice” condition. Why is it so and how does it work?

In fact, it is possible to get back to the “no choice” situation. To achieve that, the user needs to wipe the workspace data. By the way, its location depends on the platform and probably the editor’s release, but it can be found using the VSCode command “Developer: Open User Data Folder”. The exact location of the workspace storage is not documented, but at the moment of writing, it can be found in the sub-directory “User/workspaceStorage”. It’s important to note that deletion of all files from this directory and the directories “Backup”, “Cache”, and “CachedData” is safe.

When the user picks up any language from the list, the choice is stored in the workspace state:

JavaScript
const setState = (context, language) => {
    context.workspaceState.update(definitionSet.tesseractLanguageKey, language);
}; //setState
const getState = context =>
    context.workspaceState.get(definitionSet.tesseractLanguageKey);

A state can be removed by calling context.workspaceState.update(definitionSet.tesseractLanguageKey, undefined), but why?

According to the general VSCode style, I also show the choice in a status bar item created using vscode.window.createStatusBarItem and also working as a choice command. When a choice is not yet made, it shows “Tesseract Language: default”. When a choice is made at least once, it shows the chosen language, and getting back to the default is not possible. Also, when a user makes the choice, I show the list of available languages, placing an already chosen language on top, and I also make it selected. Please see the function selectLanguage for more details.

I could not see any point in showing the default again. It would require an additional redundant UI element, and it would be hard to explain to the user. I can imagine only two kinds of users. One would never choose a language, always working with the default English. A user who changed a language at least once probably knows what language should be used and may need to change the choice consciously, at least for the given workspace. All the currently installed languages are there anyway.

Also, it would make no sense to store the choice per user. Obviously enough, the languages of the documents are only relevant to the workspace where the user works with those documents.

If someone has a different opinion on my decisions related to the default, I would like to know the motivation for it.

Pathological Cases

The issues with the language selection raise a question: what happens when a user installs or uninstalls the language during the operation?

First of all, changing Tesseract data cannot send any notification to Visual Studio Code when the editor and even the input image files are loaded. The modified list of the installed Tesseract languages will only appear when the user changes the active workspace or reloads the editor.

What can happen when the user uninstalls the language already chosen by the user from Tesseract? It is even possible to uninstall the default language, English, by removing the trained data files.

Let’s test it. The missing language is chosen, and the image recognition command is enabled, so let’s activate it. We can see the error message:

Error
Error opening data file {absolute path to} eng.traineddata

Another abnormal situation may happen if the user uninstalls or removes tesseract during the Visual Studio Code session. This is another relatively rare situation when nothing can send a notification to the editor. If it happens between sessions or followed by the modification of the Settings, the Tesseract Code application is recognized anyway — please see the section Recognition of an External Application. But when it happens inside a session, the problem is recognized only at the attempt to perform OCR. Let’s test it, too:

Error
'tesseract' is not recognized as an internal or external command,
operable program or batch file.

I think this behavior is fair enough. Of course, it happens because the error information is captured from the child process and transparently represented as a VSCode error message. By the way, for a final point, let’s take a quick look at the child process used for the recognition.

Asynchronous OCR

Finally, let’s consider a very well-known, trivial, but quite important aspect: the asynchronous execution of the Tesseract OCR. It is only required when the image is being recognized, as it may take noticeable time. At the same time, it is not very important when the recognition result appears in the editor — the user may need to do something else during the operation, and it requires the editor’s UI to be always responsive.

JavaScript
const recognizeText = (context, configuration) => {
    //...
    const act = () => {
        childProcess.exec(commandLine, (error, stdout, stderr) => {
            // examine stdout and strerr for errors,
            // handle them, etc.
            // ...
            if (!error && fileSystem.existsSync(outputFileName))
                vscode.workspace.openTextDocument(outputFileName).
                then(document =>
                    vscode.window.showTextDocument(
                        document, { preview: true }));
        });
    }; //act
    // Figure out if the user's confirmation for file overwrite
    // is required, call act(...) with or without confirmation,
    // or cancel...
}; // recognizeText

Note the combination of synchronous and asynchronous operation and the two-step callback-promise chain, the callback accepted by childProcess.exec as a parameter, and the promise created by vscode.workspace.openTextDocument.

Versions

Please see the version history on the product page on the Visual Studio Marketplace.

Conclusions

I hope that the descriptions of the simple subtleties described in this article cover a wide set of extensions using an external application.

I will gladly try to answer any questions related to Visual Studio Code extension writing in general. I’ll also be much grateful for any questions, comments, suggestions, and especially for criticism.

License

This article, along with any associated source code and files, is licensed under The MIT License


Written By
Architect
United States United States
Physics, physical and quantum optics, mathematics, computer science, control systems for manufacturing, diagnostics, testing, and research, theory of music, musical instruments… Contact me: https://www.SAKryukov.org

Comments and Discussions

 
-- There are no messages in this forum --