Making global variables automatically is considered bad practice because it can be difficult to tell, looking at some code, whether it is on purpose or you forgot to declare a variable somewhere. Automatic creation of global variables like this doesn’t work in ES5 strict mode and could be phased out phased out in future versions of ECMAScript.
In the browser JavaScript’s global scope is actually window
. When you refer to document
you get window.document
. Best practice for creating a global variable in a browser is to add it to window
(global
in Node.js). Here’s an example from jQuery:
window.jQuery = window.$ = jQuery;
Some properties on window
(hence some global variables) are read-only, you can’t overwrite them. window.document
is one (tested in Chrome, this is all browser-specific and could change):
window.document; // → Document
window.document = 'foo'; // → "foo" // It worked!
window.document; // → Document // Hmm, no it didn’t
It turns out that most browsers create properties on window
(hence global variables) for each id in the document. Many browsers don’t make them read-only, you can overwrite them with your own, but Internet Explorer does.
This is another reason global variables in JavaScript can be dangerous —?one of your ids could match a read-only window
property (today or in some future browser).
At the top level (not inside a function), var
declares global variables. Stating var document = 'foo'
at the top level won’t throw an error but document
will still be the Document
, not "foo"
.
As an aside: new-ish browsers (which support ES5) let you create your own read-only globals with Object.defineProperty
:
Object.defineProperty(window, 'foo', { value: 'bar', writable: false });
foo = 'baz';
foo; // → "bar"
I’ve got three options for you.
Keep using global variables for your elements but leave them alone if they already exist (creating them on window
explicitly so the code is clear and cool with ES5):
if ( ! window.randomDiv) {
window.randomDiv = document.getElementById('randomDiv');
}
Create an object, on window
, to use as your app’s own namespace which won’t interfere with other libraries or with the browser. This is common and considered pretty good practice, especially if it needs to be accessed across JavaScript files:
// Early in your code…
window.Fantabulum = {};
// Later on…
Fantabulum.randomDiv = document.getElementById("randomDiv");
Avoid making globals. Make sure that your application’s code is inside a function (it should be already so your other variables aren’t global and don’t have the same limitations!), and declare variables for your elements:
(function(){
var randomDiv = document.getElementById("randomDiv");
})();
与恶龙缠斗过久,自身亦成为恶龙;凝视深渊过久,深渊将回以凝视…