如何让 Electron + rxdb 工作?

dav*_*nal 3 javascript node.js electron

我想通过使用electron + rxdb 来学习和开发一个桌面应用程序。

我的文件结构:

  • main.js(电子的主进程)
  • /js-server/db.js(关于 rxdb 数据库,包括创建)
  • /js-client/ui.js(电子的渲染过程)
  • index.html(html 主页)

main.js 代码

const electron = require('electron')
const dbjs = require('./js-server/db.js')
const {ipcMain} = require('electron')
ipcMain.on('search-person', (event, userInput) => {
  event.returnValue = dbjs.searchPerson(userInput);
})
Run Code Online (Sandbox Code Playgroud)

db.js 代码:

var rxdb = require('rxdb');
var rxjs = require('rxjs');
rxdb.plugin(require('pouchdb-adapter-idb'));
const personSchema = {
    title: 'person schema',
    description: 'describes a single person',
    version: 0,
    type: 'object',
    properties: {
        Name: {type: 'string',primary: true},
        Age: {type: 'string'},
    },
    required: ['Age']
};
var pdb;
rxdb.create({
    name: 'persondb',
    password: '123456789',
    adapter: 'idb',
    multiInstance: false
}).then(function(db) {
    pdb = db;
    return pdb.collection({name: 'persons', schema: personSchema})
});

function searchPerson(userInput) {
    pdb.persons.findOne().where('Name').eq(userInput)
    .exec().then(function(doc){return doc.Age});
}
module.exports = {
    searchPerson: searchPerson
}
Run Code Online (Sandbox Code Playgroud)

ui.js 代码:

const {ipcRenderer} = require('electron');
function getFormValue() {
    let userInput = document.getElementById('searchbox').value;
    displayResults(ipcRenderer.sendSync("search-person",userInput));
    document.getElementById('searchbox').value = "";
}
Run Code Online (Sandbox Code Playgroud)

每当我运行此应用程序时,都会出现以下错误:

  1. (节点:6084)UnhandledPromiseRejectionWarning:未处理的承诺拒绝(拒绝ID:2):错误:RxError:RxDatabase.create():未添加适配器。(我确定我已经成功安装了 pouched-adapter-idb 模块)
  2. 类型错误,无法读取未定义的属性“人员”。(当我在 index.html 中搜索并按回车键时会弹出此错误)

我是编程新手,尤其是 js,我已经被这些错误困扰了一个星期,就是无法让它工作。有什么帮助吗?谢谢。

Jus*_*dei 5

问题是这一行在 main.js 中:

const dbjs = require('./js-server/db.js')
Run Code Online (Sandbox Code Playgroud)

为什么?因为您需要RxDB在主进程内部并使用 IndexedDB 适配器。IndexedDB 是浏览器 API,因此只能在渲染过程中使用。在 Electron 中,主要进程是一个纯 Node/Electron 环境,无法访问 Chromium API。

选项1

如果要将数据库保存在单独的线程中,请考虑生成一个新的隐藏浏览器窗口:

import {BrowserWindow} from 'electron'
const dbWindow = new BrowserWindow({..., show: false})
Run Code Online (Sandbox Code Playgroud)

然后使用 IPC 在两个窗口之间进行通信,就像您已经完成的那样。

选项#2

使用只需要 NodeJS API 的 levelDB 适配器,这样您就可以将数据库保留在主进程中。