如何检查 JavaScript 中的变量是否存在
Kirill Ibrahim
2023年1月30日
2020年11月24日
在这篇文章中,我们将介绍多种方法来检查一个变量是否被定义/初始化。下面的每个方法都会有一个代码示例,你可以在你的机器上运行。
使用 typeof
操作符来检查 JavaScript 中是否存在变量
typeof
操作符检查变量是否被定义/空,但如果与未声明的变量一起使用,它不会抛出 ReferenceError
。
例子:
<!DOCTYPE html>
<html>
<head>
<title>
How to check if variable exists in JavaScript?
</title>
</head>
<body style = "text-align:center;">
<h2 >
How to check if variable exists in JavaScript?
</h2>
<p>
variable-name : Vatiable1
</p>
<button onclick="checkVariable()">
Check Variable
</button>
<h4 id = "result" style="color:blue;"></h4>
<!-- Script to check existence of variable -->
<script>
const checkVariable = () => {
let Vatiable1;
let result = document.getElementById("result");
if (typeof Vatiable1 === 'undefined') {
result.innerHTML = "Variable is Undefined";
}
else {
result.innerHTML = "Variable is defined and"
+ " value is " + Vatiable1;
}
}
</script>
</body>
例子:
我们将使用与上面相同的 html。
<script>
const checkVariable = () => {
let Vatiable1 = "variable 1";
let result = document.getElementById("result");
if (typeof Vatiable1 === 'undefined') {
result.innerHTML = "Variable is Undefined";
}
else {
result.innerHTML = "Variable is defined and"
+ " value is " + Vatiable1 ;
}
}
</script>
例子:我们将使用与上面相同的 html
我们将使用与上面相同的 html 来检查变量是否为空。
<script>
const checkVariable = () => {
let Vatiable1 = null;
let result = document.getElementById("result");
if (typeof Vatiable1 === 'undefined' ) {
result.innerHTML = "Variable is Undefined";
}
else if (Vatiable1 === null){
result.innerHTML = "Variable is null and not declared";
}
else {
result.innerHTML = "Variable is defined and"
+ " value is " + Vatiable1 ;
}
}
</script>
使用 if (varibale)
语句来检查变量是否存在于 JavaScript 中
我们也可以使用 if
语句来检查一个变量是否存在,因为它涵盖了很多情况,比如检查变量是否为 undefined
、null
、''
、0
、Nan
和 false
。但 typeof
操作符只检查 undefined
或 null
。
例子:
我们将使用上面相同的 html。
<script>
const checkVariable = () => {
//let Vatiable1;
let Vatiable1 = null;
// let Vatiable1 = '';
let result = document.getElementById("result");
if(Vatiable1){
result.innerHTML = "Variable is defined and"
+ " value is " + Vatiable1 ;
}
else{
result.innerHTML = "Variable is Undefined"
}
}
</script>