24
37

Delete article

Deleted articles cannot be recovered.

Draft of this article would be also deleted.

Are you sure you want to delete this article?

More than 3 years have passed since last update.

Electron でテキストエディタを作ってプロセスやIPCやパッケージをなんとか理解した

Last updated at Posted at 2019-10-19

はじめに

クロスプラットフォームで動作するアプリケーションの開発と、JavaScript、HTML、CSSなどのフロントエンド技術を学習するため、Electron を利用してテキストエディタを作りました。

JavaScript(ES6) と Electron それぞれを学習しながらの実装は難航しましたが、なんとか形になったかなという感じですので、作成の流れや学習したことをアウトプットしておきます。

開発に利用した環境

  • Windows 10 x64 Pro 1909
  • PowerShell 7.1
  • Visual Studio Code 1.51.1
  • Git for Windows 2.27.0.windows.1
  • Node 14.15.0 + npm 6.14.8 ( nodist 0.9.1 )
  • Electron 9.3.1

参考にさせて頂いた情報

テキストエディタ作成の流れ

1. ファイルを用意する

Electron プロジェクトのディレクトリを作成します。

> mkdir eleditor
> cd .\eleditor\

git を初期化しておきます。

> git init

参考:Windows 10 と Powershell(WSL含む) で git を利用する

npm コマンドで electron をインストールします。

> npm install electron

参考:ElectronとWebAssemblyとBlazorの違い

いくつかのファイルを先に作っておきます。

> # .gitignore
> new-item .gitignore
> echo "node_modules" >> .\.gitignore
> # README.md
> new-item README.md
> echo "# Electron Editor" >> .\README.md

アプリケーションのソースを格納するディレクトリを作成します。

> mkdir src

Visual Studio Code をカレントディレクトリで起動します。

> code .

プロジェクトの package.json を作成します。

{
  "scripts": {
    "start": "electron ./src"
  },
  "devDependencies": {
    "electron": "^9.3.1"
  },
  "private": true
}

src ディレクトリ配下にプリケーションの package.json を作成します。

{
  "name": "eleditor",
  "version": "0.0.1",
  "description": "Electron Editor.",
  "main": "main.js",
  "author": "hogehoge",
  "license": "ISC"
}

src ディレクトリ配下に空ファイルを作成しておきます。

> New-item src/main.js
> New-item src/main.css
> New-item src/index.html
> New-item src/editor.js

これらのファイルはすべて UTF-8 の LF としています。

ここまでのディレクトリとファイルの構造は以下となります。

eledotor
├ node_modules
├ src
│ ├ editor.js
│ ├ index.html
│ ├ main.css
│ ├ main.js
│ └ package.json -> Electron 実行時の設定ファイル
├ .gitignore
├ package.json   -> Electron のビルドコマンドを通すための設定ファイル
└ README.md

2. プログラムを書く

index.html

画面の構成を HTML で記述します。
テキストエディタの入力部分として、Ace という JS ライブラリを使用しています。
Ace (HIGH PERFORMANCE CODE EDITOR FOR THE WEB)

<!DOCTYPE html>
<html lang="ja">
<head>
  <meta charset="utf-8"/>
  <title>Electron Editor</title>
  <!-- bootstrap -->
  <link rel="stylesheet"
        href="https://maxcdn.bootstrapcdn.com/bootstrap/4.0.0/css/bootstrap.min.css"
        integrity="sha384-Gn5384xqQ1aoWXA+058RXPxPg6fy4IWvTNh0E263XmFcJlSAwiGgFAW/dAiS6JXm"
        crossorigin="anonymous">
  <!-- stylesheet -->
  <link href="main.css" rel="stylesheet"/>
  <!-- ace.js -->
  <script src="https://cdnjs.cloudflare.com/ajax/libs/ace/1.4.6/ace.js"></script>
  <script src="https://cdnjs.cloudflare.com/ajax/libs/ace/1.4.6/mode-javascript.js"></script>
  <script src="https://cdnjs.cloudflare.com/ajax/libs/ace/1.4.6/snippets/javascript.js"></script>
  <script src="https://cdnjs.cloudflare.com/ajax/libs/ace/1.4.6/theme-monokai.js"></script>
  <!-- editor.js -->
  <script src="editor.js"></script>
</head>
<body>
  <div id="input_area"><div id="input_txt"/></div>
  <div id="footer_fixed"/>
</body>
</html>

main.css

画面のデザインをスタイルシートで記述します。

* {
  margin: 0px;
  padding: 0px;
}

html,
body {
  width: 100%;
  height: 100%;
  background-color: #1e1e1e;
  overflow: hidden;
}

/* フッターのために20pxを確保 */
# input_area {
  padding: 0px 0px 20px 0px;
  height: 100%;
}

# input_txt {
  width: 100%;
  height: 100%;
}

# footer_fixed {
  position: fixed;
  height: 20px;
  width: 100%;
  bottom: 0px;
  background-color: #337ab7;
  color: #eeeeee;
}

main.js

Electron のエントリーポイントとなる JavaScript ファイルです。
アプリケーションのメインウィンドウの作成やメニューの設定などを行っています。

'use strict';

// アプリケーションのモジュール読み込み
const { app, BrowserWindow, Menu, ipcMain, globalShortcut } = require('electron');
const path = require('path');
const url = require('url');

// メインウィンドウ
let mainWindow;

// メインウィンドウの作成
function createWindow() {
  // メニューを作成
  const menu = Menu.buildFromTemplate(createMenuTemplate());
  Menu.setApplicationMenu(menu);

  // メインウィンドウを作成
  mainWindow = new BrowserWindow({
    width: 1024,
    height: 768,
    webPreferences: {
      nodeIntegration: true
    }
  });

  // メインウィンドウに HTML を表示
  mainWindow.loadURL(url.format({
    pathname: path.join(app.getAppPath(), 'index.html'),
    protocol: 'file:',
    slashes: true
  }));

  // メインウィンドウが閉じられたときの処理
  mainWindow.on('closed', () => {
    mainWindow = null;
  });

  // Chromeデベロッパーツール起動用のショートカットキーを登録
  if (process.env.NODE_ENV==='development') {
    app.on('browser-window-focus', (event, focusedWindow) => {
      globalShortcut.register(
        process.platform === 'darwin' ? 'Alt+Command+I' : 'Ctrl+Shift+I',
        () => focusedWindow.webContents.toggleDevTools()
      )
    })
    app.on('browser-window-blur', (event, focusedWindow) => {
      globalShortcut.unregister(
        process.platform === 'darwin' ? 'Alt+Command+I' : 'Ctrl+Shift+I'
      )
    })
  }
}

// 初期化が完了した時の処理
app.on('ready', createWindow);

// 全てのウィンドウが閉じたときの処理
app.on('window-all-closed', () => {
  // macOSのとき以外はアプリを終了
  if (process.platform !== 'darwin') {
    app.quit();
  }
});

// アプリケーションがアクティブになった時の処理
app.on('activate', () => {
  // メインウィンドウが消えている場合は再度メインウィンドウを作成
  if (mainWindow === null) {
    createWindow();
  }
});

// メニューテンプレートの作成
function createMenuTemplate() {
  // メニューのテンプレート
  let template = [{
    label: 'ファイル',
    submenu: [{
      label: '開く',
      accelerator: 'CmdOrCtrl+O',
      click: function(item, focusedWindow) {
        if (focusedWindow) {
          // レンダラープロセスへIPCでメッセージを送信してファイルを開く
          focusedWindow.webContents.send('main_file_message', 'open');
        }
      }
    }, {
      label: '保存',
      accelerator: 'CmdOrCtrl+S',
      click: function(item, focusedWindow) {
        if (focusedWindow) {
          // レンダラープロセスへIPCでメッセージを送信してファイルを保存
          focusedWindow.webContents.send('main_file_message', 'save');
        }
      }
    }, {
      label: '名前を付けて保存',
      accelerator: 'Shift+CmdOrCtrl+S',
      click: function(item, focusedWindow) {
        if (focusedWindow) {
          // レンダラープロセスへIPCでメッセージを送信してファイルを名前を付けて保存
          focusedWindow.webContents.send('main_file_message', 'saveas');
        }
      }
    }]
  }, {
    label: '編集',
    submenu: [{
      label: 'やり直し',
      accelerator: 'CmdOrCtrl+Z',
      role: 'undo'
    }, {
      type: 'separator'
    }, {
      label: '切り取り',
      accelerator: 'CmdOrCtrl+X',
      role: 'cut'
    }, {
      label: 'コピー',
      accelerator: 'CmdOrCtrl+C',
      role: 'copy'
    }, {
      label: '貼り付け',
      accelerator: 'CmdOrCtrl+V',
      role: 'paste'
    }]
  }, {
    label: '表示',
    submenu: [{
      label: '全画面表示切替',
      accelerator: (function() {
        if (process.platform === 'darwin') {
          return 'Ctrl+Command+F'
        } else {
          return 'F11'
        }
      })(),
      click: function(item, focusedWindow) {
        if (focusedWindow) {
          // 全画面表示の切り替え
          focusedWindow.setFullScreen(!focusedWindow.isFullScreen())
        }
      }
    }, {
      label: '拡大',
      accelerator: 'CmdOrCtrl+Shift+=',
      role: 'zoomin'
    }, {
      label: '縮小',
      accelerator: 'CmdOrCtrl+-',
      role: 'zoomout'
    }, {
      label: 'ズームのリセット',
      accelerator: 'CmdOrCtrl+0',
      role: 'resetzoom'
    }]
  }]
  return template;
}

editor.js

テキストエディタの処理を JavaScript で記述します。
テキストエディタの処理は Ace.js 任せとなるので、メニューをクリックした際の処理やファイル関連の処理が中心となります。

'use strict';

// アプリケーションのモジュール読み込み
const {BrowserWindow, dialog} = require('electron').remote;
const {ipcRenderer} = require('electron');
const fs = require('fs');

let inputArea = null;
let inputTxt = null;
let footerArea = null;
let editor = null;
let currentPath = '';

window.addEventListener('DOMContentLoaded', onLoad);

// Webページ読み込み時の処理
function onLoad() {
  // 入力関連領域
  inputArea = document.getElementById('input_area');
  // 入力領域
  inputTxt = document.getElementById('input_txt');
  // フッター領域
  footerArea = document.getElementById('footer_fixed');
  // エディタ関連
  editor = ace.edit('input_txt');
  editor.$blockScrolling = Infinity;
  editor.setTheme('ace/theme/twilight');
  editor.getSession().setMode('ace/mode/javascript');

  // ドラッグ&ドロップ関連
  // イベントの伝搬を止めて、アプリケーションのHTMLとファイルが差し替わらないようにする
  document.addEventListener('dragover', (event) => {
    event.preventDefault();
  });
  document.addEventListener('drop', (event) => {
    event.preventDefault();
  });

  // 入力部分の処理
  inputArea.addEventListener('dragover', (event) => {
    event.preventDefault();
  });
  inputArea.addEventListener('dragleave', (event) => {
    event.preventDefault();
  });
  inputArea.addEventListener('dragend', (event) => {
    event.preventDefault();
  });
  inputArea.addEventListener('drop', (event) => {
    event.preventDefault();
    const file = event.dataTransfer.files[0];
    readFile(file.path);
  });

  // IPCでメッセージを受信してファイルの制御を行う
  ipcRenderer.on('main_file_message', (event, arg) => {
    console.log(arg);
    if(arg) {
      switch(arg) {
        case 'open':
          // ファイルを開く
          loadFile();
          break;
        case 'save':
          // ファイルを保存
          saveFile();
          break;
        case 'saveas':
          // 名前を付けてファイルを保存
          saveNewFile();
          break;
      }
    }
  });
}

// ファイルの読み込み
function loadFile() {
  const win = BrowserWindow.getFocusedWindow();
  // ファイルを開くダイアログ
  dialog.showOpenDialog( win, {
      properties: ['openFile'],
      title: 'ファイルを開く',
      defaultPath: currentPath,
      multiSelections: false,
      filters: [{name: 'Documents', extensions: ['txt', 'text', 'html', 'js']}]
    }).then(result => {
      // ファイルを開く
      if(!result.canceled && result.filePaths && result.filePaths.hasOwnProperty(0)) {
        readFile(result.filePaths[0]);
      }
    });
}

// テキストを読み込み、テキストを入力エリアに設定
function readFile(path) {
  fs.readFile(path, (error, text) => {
    if (error !== null) {
      alert('error : ' + error);
      return;
    }
    // ファイルパスを保存
    currentPath = path;
    // フッター部分に読み込み先のパスを設定
    footerArea.innerHTML = path;
    // テキスト入力エリアに設定
    editor.setValue(text.toString(), -1);
  });
}

// ファイルの保存
function saveFile() {
  // 初期の入力エリアに設定されたテキストを保存しようとしたときは新規ファイルを作成
  if (currentPath === '') {
    saveNewFile();
    return;
  }
  const win = BrowserWindow.getFocusedWindow();
  // ファイルの上書き保存を確認
  dialog.showMessageBox(win, {
    title: 'ファイル保存',
    type: 'info',
    buttons: ['OK', 'Cancel'],
    message: 'ファイルを上書き保存します。よろしいですか?'
  }).then(result => {
    // OKボタンがクリックされた場合
    if(result.response === 0) {
      const data = editor.getValue();
      writeFile(currentPath, data);
    }
  });
}

// 新規ファイルを保存
function saveNewFile() {
  const win = BrowserWindow.getFocusedWindow();
  // ファイルを保存するダイアログ
  dialog.showSaveDialog( win, {
    properties: ['saveFile'],
    title: '名前を付けて保存',
    defaultPath: currentPath,
    multiSelections: false,
    filters: [{name: 'Documents', extensions: ['txt', 'text', 'html', 'js']}]
  }).then(result => {
    // ファイルを保存してファイルパスを記憶する
    if(!result.canceled && result.filePath) {
      currentPath = result.filePath;
      const data = editor.getValue();
      writeFile(currentPath, data);
    }
  });
}

// テキストをファイルとして保存
function writeFile(path, data) {
  fs.writeFile(path, data, (error) => {
    if (error !== null) {
      alert('error : ' + error);
    }
  });
}

3. デバッグを行う

.vscode ディレクトリ配下に launch.json を作成します。

Visual Studio Code でデバッグを行う際に自動生成される launch.json を下記のように修正しています。
NODE_ENV 環境変数を development(開発モード)にします。

{
    "version": "0.2.0",
    "configurations": [
        {
            "name": "Debug Main Process",
            "type": "node",
            "request": "launch",
            "env": {"NODE_ENV": "development"},
            "cwd": "${workspaceRoot}",
            "runtimeExecutable": "${workspaceFolder}/node_modules/.bin/electron",
            "protocol": "inspector",
            "args" : ["src"]
        }
    ]
}

Visual Studio Code でデバッグ実行することで"メインプロセス"のデバッグが行えます。

ブラウザ ≒ "レンダラープロセス"に関しては、Chromeデベロッパーツールを利用してデバッグを行います。

そのため、Chromeデベロッパーツールを自由に起動できるように main.js で下記のようにショートカットキー(Ctrl + Shift + I)を登録しています。

// DOMインスペクタ起動用のショートカットキーを登録
if (process.env.NODE_ENV==='development') {
  app.on('browser-window-focus', (event, focusedWindow) => {
    globalShortcut.register(
      process.platform === 'darwin' ? 'Alt+Command+I' : 'Ctrl+Shift+I',
      () => focusedWindow.webContents.toggleDevTools()
    )
  })
  app.on('browser-window-blur', (event, focusedWindow) => {
    globalShortcut.unregister(
      process.platform === 'darwin' ? 'Alt+Command+I' : 'Ctrl+Shift+I'
    )
  })
}

4. パッケージングを行う

Windows で動作するアプリケーションとしてパッケージングしてみます。

パッケージングにより、Electron で作成したアプリケーションを配布可能なパッケージへ変換します。

まずは、パッケージに変換するためのライブラリ「electron-packager」をインストールします。

> npm install electron-packager --save-dev

package.json の devDependencies に登録されるように --save-sev を指定しています。

"devDependencies": {
  "electron": "^9.3.1",
  "electron-packager": "^15.1.0"
},
...

下記コマンドを実行してパッケージに変換します。

> ./node_modules/.bin/electron-packager src eleditor --platform=win32 --arch=x64 --app-version=0.0.1

src = エントリポイントとなる JavaScript ファイルがある場所
eleditor = アプリケーションの名前
--platform=win32 = プラットフォーム
--arch=x64 = アーキテクチャ
--app-version=0.0.1 = アプリケーションのバージョン

しばらくするとプロジェクトのディレクトリにパッケージが出力されます。

パッケージに含まれる exe ファイルを実行することでアプリケーションが起動します。

eleditor.png

最後に、GitHub にリポジトリを作成して登録しておきます。

> git status
> git add .
> git commit -m "first commit."
> git remote add origin https://github.com/********/********.git
> git push -u origin master

Electron のプロセスと IPC について

Electronは、Node.js がアプリケーションのロジックを担当し、Chromium(ブラウザ)がアプリケーションのUIを担当します。

エントリーポイント(処理を開始する起点)となるメインプロセスがウィンドウ全体を制御し、レンダラープロセスがブラウザを制御します。

今回のテキストエディタでは、メインプロセスでウィンドウの生成やメニューの制御などを行っています。
なお、メインプロセスでは Node.js のすべての機能を利用することができます。

メインプロセスとレンダラープロセスはそれぞれ独立したプロセスとなりますので、レンダラープロセス同士も含め、プロセス間で制御を行いたい場合は、プロセス間通信 (IPC) を利用します。

メインプロセスでメニューを制御し、メニューがクリックされた後の処理をレンダラープロセスで行うため、以下のようにメインプロセスからレンダラープロセスへプロセス間通信 (IPC) しています。

// メインプロセスでメニューのファイルを開くをクリックした際に、
// チャンネル「main_file_message」に対して「open」をIPC送信
click: function(item, focusedWindow) {
  if (focusedWindow) {
    focusedWindow.webContents.send('main_file_message', 'open');
  }
}
...

// チャンネル「main_file_message」に対して「open」をIPC受信
// した際に、ファイルを開く
ipcRenderer.on('main_file_message', (event, arg) => {
  console.log(arg);
  if(arg) {
    switch(arg) {
      case 'open':
        // ファイルを開く
        loadFile();
        break;
...

今回はメインプロセス側で webContents を利用してIPC送信していますが、以下のようなやりとりが基本となります。

(1)hello送信 -> (2)hello受信 -> (3)goodby送信 -> (4)goodby受信

// メインプロセス
const {ipcMain} = require('electron')
ipcMain.send('async_message', 'hello'); // (1)
ipcMain.on('async_reply', (event, arg) => { // (4)
  console.log(arg);
})

// レンダラープロセス
const {ipcRenderer} = require('electron')
ipcRenderer.on('async_message', (event, arg) => { // (2)
  console.log(arg);
  ipcRenderer.send('async_reply', 'goodby') // (3)
})

また、レンダラープロセスで require('electron').remote のように記述していますが、これはレンダラープロセスからメインプロセスのモジュールを使用するためので、内部的にはプロセス間通信 (IPC) を行っています。

const {BrowserWindow, dialog} = require('electron').remote;

おわりに

JavaScript(ES6) と Electron をなんとなく理解できたかな といったところです。

型などの慣れの問題だと思いますが、どうしても、C# や C++ や Java 達と JavaScript で違和感?を感じてしまいます。

今回は nodeintegration を有効化した状態で実装を行っているので、preload を利用した安全な方法での実装も試してみたいです。

あとは、Electron を利用したコーディングの作法的なものが掴めていないので、実装やオブジェクトの切り分け方や役割の分担がわかっていないことが課題です。いろいろなコードを読み漁って、Electron の作法を掴んでみたいと思います。

24
37
0

Register as a new user and use Qiita more conveniently

  1. You get articles that match your needs
  2. You can efficiently read back useful information
  3. You can use dark theme
What you can do with signing up
24
37

Delete article

Deleted articles cannot be recovered.

Draft of this article would be also deleted.

Are you sure you want to delete this article?