原始错误说是:Cannot destructure property 'firstime' of 'undefined' or 'null'
。
我正在使用node.js和Electron开发适用于Windows pc的基于Web的桌面应用程序。
我试图将一些数据保留在用户数据目录中,我发现了这个想法,并在this链接中使用了相同的方法。
写入和获取数据工作正常,但是在第一次获取数据时发生了错误。
这是UserPreferences
类的代码
const electron = require('electron');
const path = require('path');
const fs = require('fs');
class UserPreferences {
constructor(opts) {
const userDataPath = (electron.app || electron.remote.app).getPath('userData');
this.path = path.join(userDataPath, opts.configName + '.json');
this.data = parseDataFile(this.path, opts.defaults);
console.log(userDataPath);
}
get(key) {
return this.data[key];
}
set(key, val) {
this.data[key] = val;
fs.writeFileSync(this.path, JSON.stringify(this.data));
}
}
function parseDataFile(filePath, defaults) {
try {
return JSON.parse(fs.readFileSync(filePath));
} catch (error) {
return defaults;
}
}
module.exports = UserPreferences;
这是使用
UserPreferences
类的函数function isFirstTime() {
try{
const userAccount = new UserPreferences({
configName: 'fipes-user-preferences', // We'll call our data file 'user-preferences'
defaults: {
user: { firstime: true, accountid: 0, profileid: '' }
}
});
var { firstime, accountid, profileid } = userAccount.get('user');
if (firstime === true) { //check if firstime of running application
//do something
} else {
//do something
}
}catch(err){
console.log(err.message);
}
}
该错误发生在我检查天气
firstime
为true或false的行上。 最佳答案
这是UserPreferences
的版本,在编写代码时会更自然地使用。您可以像在isFirstTime
中看到的那样创建它。
console.debug(userPreferences[accountId]);
userPreferences[accountId] = 1;
这是首选方法,因为开发人员没有理由不将
UserPreferences
视为对象。另一个好主意是,如果您经常更新首选项,则将写入文件分为一个单独的flush
方法。const electron = require("electron");
const fs = require("fs");
const path = require("path");
class UserPreferences {
constructor(defaultPrefs, pathToPrefs) {
const app = electron.app || electron.remote.app;
this.pathToPrefs = path.join(app.getPath("userData"), pathToPrefs + ".json");
try {
this.store = require(this.pathToPrefs);
}
catch (error) {
this.store = defaultPrefs;
}
return new Proxy(this, {
get(target, property) {
return target.store[property];
},
set(target, property, value) {
target.store[property] = value;
fs.writeFileSync(target.pathToPrefs, JSON.stringify(target.store));
}
});
}
}
module.exports = UserPreferences;
这是
isFirstTime
的纯版本,它应该执行您想要的操作,同时保持检查isFirstTime
的更可靠的方法。该检查也可以更改,因此请检查lastSignIn
是否等于createdAt
(当然,具有适当的默认值)。function isFirstTime() {
const account = new UserPreferences({
user: {
accountId: 0,
createdAt: new Date(),
lastSignIn: null,
profileId: ""
}
}, "fipes-user-preferences");
const {lastSignIn} = account;
return lastSignIn === null;
}