Products Technologies Demo Docs Blog Support Company

Building Cross-Platform Desktop Applications with Electron

With DS Server, the Text Control editor can be integrated into cross-platform desktop applications built with Electron. Electron is a framework to create native applications with web technologies like JavaScript, HTML, and CSS.

Building Cross-Platform Desktop Applications with Electron

Electron is a framework that allows you to develop native cross-platform desktop applications based on HTML, JavaScript and CSS. It uses Chromium to render the content and Node.js to access the local file system and the operating system. That allows you to create a Windows or Mac application with local file access.

In combination with DS Server, you can create a desktop application to edit documents using the HTML5-based document editor with local file access.

TX Text Control in Electron

The following sample shows how to integrate DS Server into an Electron desktop application.

Prerequisites

  1. Create your free DS Server trial token here:
    Trial Token

  2. Install Node.js® and npm, if not done before.

Creating the Project

  1. Create a folder for your project and install Electron there:

    mkdir my-electron-app && cd my-electron-app
    npm init -y
    npm i --save-dev electron
  2. Install Node.js® and npm, if not done before.

Create the Main Script File

  1. Open the project folder in VS Code or your favorite editor:

    code .
  2. In the root of your application, create a file named main.js and add the following content:

    const { app, Menu, BrowserWindow, dialog } = require('electron');
    
    var fs = require('fs');
    
    function createWindow () {
      const win = new BrowserWindow({
        width: 800,
        height: 600,
        icon: 'favicon_32x32.png',
        webPreferences: {
          nodeIntegration: true,
        }
      })
    
    const isMac = process.platform === 'darwin'
    
    const template = [
      // { role: 'appMenu' }
      ...(isMac ? [{
        label: app.name,
        submenu: [
          { role: 'about' },
          { type: 'separator' },
          { role: 'services' },
          { type: 'separator' },
          { role: 'hide' },
          { role: 'hideothers' },
          { role: 'unhide' },
          { type: 'separator' },
          { role: 'quit' }
        ]
      }] : []),
      // { role: 'fileMenu' }
      {
        label: 'File',
        submenu: [{
          label: 'Open',
          accelerator: 'CmdOrCtrl+O',
          click() {
            
            dialog.showOpenDialog({
              properties: ['openFile']
            })
            .then(function(fileObj) {
            
              if (!fileObj.canceled) {
    
                fs.readFile(fileObj.filePaths[0], 'base64', function (err, data) {
                  if(err){
                      alert("An error ocurred reading the file :" + err.message);
                      return;
                  }
                 
                  // call external JS to load the document into TXTextControl
                  win.webContents.executeJavaScript(
                    `loadDocument('${data}', '${fileObj.filePaths[0]}')`
                    );
                });
                 
              }
            },
            )
            .catch(function(err) {
               console.error(err)  
            })
         } 
        }
        ]
      },
      // { role: 'viewMenu' }
      {
        label: 'View',
        submenu: [
          { role: 'reload' },
          { role: 'forceReload' },
          { role: 'toggleDevTools' },
          { type: 'separator' },
          { role: 'resetZoom' },
          { role: 'zoomIn' },
          { role: 'zoomOut' },
          { type: 'separator' }
        ]
      },
      // { role: 'windowMenu' }
      {
        label: 'Window',
        submenu: [
          { role: 'minimize' },
          { role: 'zoom' },
          ...(isMac ? [
            { type: 'separator' },
            { role: 'front' },
            { type: 'separator' },
            { role: 'window' }
          ] : [
            { role: 'close' }
          ])
        ]
      }
    ]
    
    const menu = Menu.buildFromTemplate(template)
    
    Menu.setApplicationMenu(menu)
      win.loadFile('index.html')
      win.show()
    }
    
    app.whenReady().then(() => {
      createWindow();
    
      app.on('activate', () => {
        if (BrowserWindow.getAllWindows().length === 0) {
          createWindow();
          
        }
      })
    
    })
    
    app.on('window-all-closed', () => {
      if (process.platform !== 'darwin') {
        app.quit()
      }
    })

    The main script defines the entry point of your Electron application that runs the Main process. In this sample, it also contains the application menu definitions. A File menu is added to load a local document into TX Text Control.

  3. In the root of your application, create a file named index.html and add the following content:

    <!DOCTYPE html>
    <html>
    <head>
        <meta charset="UTF-8">
        <title>Hello Text Control in Electron!</title>
        <meta http-equiv="Content-Security-Policy" content="script-src 'self' 'unsafe-inline';" />
        <script src="textcontrol/txtextcontrol-ds-1.0.0.js"></script>
        <script src="textcontrol/fileHandler.js"></script>
        <link href="styles.css" rel="stylesheet">
    </head>
    <body style="background: white;">
      
      <style>
        #txDocumentEditorContainer {
            width: 100%;
            height: 100vH;
            position: relative;
        }
    </style>
    
    <div id="txDocumentEditorContainer"></div>
    
    <script>
        window.addEventListener("load", function () {
            TXTextControl.init({
                containerID: "txDocumentEditorContainer",
                serviceURL: "https://trial.dsserver.io",
                authSettings: {
                    clientId: "",
                    clientSecret: ""
                }
            });
        });
    </script>
    
    </body>
    </html>

    In line 32 and 33, add your private DS Server OAuth credentials.

  4. Open the package.json file and replace is with the following content:

    {
      "name": "my-electron-app",
      "version": "0.1.0",
      "author": "your name",
      "description": "My Electron app",
      "main": "main.js",
      "scripts": {
          "start": "electron ."
      }
    }

Adding Text Control Script Files

  1. Create a folder in the root of your project named textcontrol.

  2. In that new folder, create a file named fileHandler.js and add the following content:

    function loadDocument(document, filename) {
    
        var st = TXTextControl.StreamType.InternalUnicodeFormat;
    
        if (filename.endsWith(".docx") === true) {
            st = TXTextControl.StreamType.WordprocessingML; }
        else if (filename.endsWith(".doc") === true) {
            st = TXTextControl.StreamType.MSWord; }
        else if (filename.endsWith(".rtf") === true) {
            st = TXTextControl.StreamType.RichTextFormat; }
        else if (filename.endsWith(".html") === true) {
            st = TXTextControl.StreamType.HTMLFormat; }
        else if (filename.endsWith(".txt") === true) {
            st = TXTextControl.StreamType.PlainText; }
    
        TXTextControl.loadDocument(st, document);
    
    }
  3. In that new folder, create a file named txtextcontrol-ds-1.0.0.js. Using a browser, navigate to the following URL and copy the content into the newly created file:

    https://trial.dsserver.io/documenteditor/JS/txtextcontrol-ds-1.0.0.js

Starting the Application

  1. In the command line console, start the application by typing the following command:

    npm start

A new native application is started with the TX Text Control (DS Server) document editor. Using the application menu File -> Load, you can open local documents (DOC, DOCX, RTF, HTML and TX):

TX Text Control in Electron

The application is also displayed in the native Windows task bar:

TX Text Control in Electron

Package the Application

The application can be packaged and deployed using Electron Forge. It creates an executable application and a setup the fetches used packages during the installation.

  1. Use the following commands to install Electron Forge in your app folder:

    npm install --save-dev @electron-forge/cli
    npx electron-forge import
  2. Use the following command to create the distributable:

    npm run make

You can test this on your own by downloading the sample application from our GitHub account.

Stay in the loop!

Subscribe to the newsletter to receive the latest updates.

GitHub

Download and Fork This Sample on GitHub

We proudly host our sample code on github.com/TextControl.

Please fork and contribute.

Download ZIP

Open on GitHub

Open in Visual Studio

Requirements for this sample

  • DS Server (trial token or on-premise)
  • Node.js

Related Posts

AngularASP.NETJavaScript

JavaScript: Avoid Flickering and Visual Updates by Grouping Undo Steps

The JavaScript API can be used to group several steps into one undo action that can be undone with a single undo call. Additionally, those groups are visually updated at once to avoid screen…


ASP.NETJavaScriptDeployment

DS Server or TX Text Control? Different Deployment Scenarios

The Text Control document processing technology can be deployed in various ways using different products for different applications. This overview explains the differences and deployment strategies.


ASP.NETJavaScriptDS Server

Document Editor: JavaScript Object Availability and Order of Events

The online document editor, available for MVC and Angular, provides a JavaScript API to manipulate the document and the style and behavior of the editor. This article explains the order of events…


ASP.NETBlazorJavaScript

Using TX Text Control .NET Server in Blazor Server Apps

The TX Text Control document editor and the server-side non-UI component ServerTextControl can be used in Blazor Server Apps. This article shows how to save documents to the server and how to…


ASP.NETBlazorJavaScript

Using DS Server with Blazor

This sample and article shows how to integrate the DS Server DocumentEditor using JavaScript into an ASP.NET Blazor application. Blazor allows you create interactive web applications using C#.