我在节点JS中编码服务器端应用程序,并且在MySQL中使用数据库。
我收到“ TypeError:无法读取未定义的属性“已激活””
当我在MySQL终端中手动执行请求时,我应该说“空集”。
当我尝试在我输入的代码中使用无效的discord_key时,它将返回错误,但是我希望它仅返回错误警报,以便我可以捕获并使用该信息。
function checkKey(key) {
var activated = "";
var sqlcheck = "SELECT activated from authentification where discord_ key = ?";
console.log("in function");
DB.query(sqlcheck, [key], function (err, result) {
if (err) throw (err);
activated = result[0].activated;
});
if (!activated) {
console.log("null");
return ("NULL");
} else {
console.log("used");
return ("used");
}
}
我应该得到:
该请求发送了一个空集,因此密钥不存在。
谢谢您的帮助!
最佳答案
错误
错误提示您正在使用的变量未定义。它告诉您这是因为您尝试从未定义的变量读取属性。
您提到result
是一个空数组。这意味着您尝试访问的任何索引都会返回undefined
。例如:
let result = []
console.log(result[0] === undefined) // prints true
并且在javascript中,如果您尝试访问
undefined
的属性,则会收到错误消息。继续我们的示例:result[0].activated // Throws error: Cannot read property 'activated' of undefined.
由于没有保证
result[0]
具有值,因此在访问其属性之前,应确保它不是undefined
。如@NipunChawla所示,一种方法是检查数组的长度(即至少一个值):if (result.length) { // Does result have values?
activated = result[0].activated
} else {
activated = false
}
更好的是,如果您知道只使用
result[0]
,请检查是否直接定义了它:if (result[0]) { // Does result[0] have a value?
activated = result[0].activated
} else {
activated = false
}
您仍然有可能
result[0].activated
不存在。含义activated
为undefined
。if (result[0] && result[0].activated) { // ... and does the first value
// contain the property activated?
activated = result[0].activated
} else {
activated = false
}
所以现在在一起:
DB.query(sqlcheck, [key], function (err, result) {
if (err) throw (err);
if (result[0] && result[0].activated) {
activated = result[0].activated
} else {
activated = false
}
})
异步回调
要修复第二个if语句始终为
!activated
的true
,您应该研究回调的工作方式。基本上DB.query
消失并执行其操作。完成后,它将执行您作为回调提供的功能。执行顺序如下所示:调用
DB.query
向数据库发送请求继续执行脚本。即检查
if (!activated) { ...
DB.query
现在已经完成并调用您的回调,并分配了activated = result[0].activated
。即function(err, result)
您可以通过以下方法解决此问题:
function checkKey(key) {
var activated = "";
var sqlcheck = "SELECT activated from authentification where discord_ key = ?";
console.log("in function");
DB.query(sqlcheck, [key], function (err, result) {
if (err) throw (err);
if (result[0] && result[0].activated) {
activated = result[0].activated
} else {
activated = false
}
doSomethingWithResult(activated)
});
}
function doStuffWithResult(activated) {
if (!activated) {
console.log("null");
// Do your !activated stuff
} else {
console.log("used");
// Do your activated stuff
}
}
有关更多信息,请参见this问题。