What is the major difference between JavaScript declared and undeclared variables, since the delete operator doesn't work on declared variables?
var y = 43; // declares a new variable
x = 42;
delete x; // returns true (x is a property of the global object and can be deleted)
delete y; // returns false (delete doesn't affect variable names)
Why does this happen? Variables declared globally are also the properties of the window object, so why can't it be deleted?
The mechanism for storing and accessing them is the same, but JavaScript treats them differently in some cases based on the value of the configurable
attribute (described below). In regular usage, they should behave the same.
Below are some comparisons of declared and undeclared global variables.
var declared = 1; // Explicit global variable (new variable)
undeclared = 1; // Implicit global variable (property of default global object)
window.hasOwnProperty('declared') // true
window.hasOwnProperty('undeclared') // true
window.propertyIsEnumerable('declared') // true
window.propertyIsEnumerable('undeclared') // true
window.declared // 1
window.undeclared // 1
window.declared = 2;
window.undeclared = 2;
declared // 2
undeclared // 2
delete declared // false
delete undeclared // true
delete undeclared // true (same result if delete it again)
delete window.declared // false
delete window.undeclared // true (same result if delete it yet again)
delete window.undeclared // true (still true)
Both declared and undeclared global variables are properties of the window
object (the default global object). Neither one is inherited from a different object through the prototype chain. They both exist directly in the window
object (since window.hasOwnProperty
returns true
for both).
For declared global variables, the configurable
attribute is false
. For undeclared global variables, it's true
. The value of the configurable
attribute can be retrieved using the getOwnPropertyDescriptor
method, as shown below.
var declared = 1;
undeclared = 1;
(Object.getOwnPropertyDescriptor(window, 'declared')).configurable // false
(Object.getOwnPropertyDescriptor(window, 'undeclared')).configurable // true
If the configurable
attribute of a property is true, the attributes of the property can be changed using the defineProperty
method, and the property can be deleted using the delete
operator. Otherwise, the attributes cannot be changed, and the property cannot be deleted in this manner.
In non-strict mode, the delete
operator returns true
if the property is configurable, and returns false
if it's non-configurable.
Declared global variable
window
)delete
operatorUndeclared global variable
window
)delete
operator