Quick Tip – JavaScript Namespaces
Quick tip about JavaScript namespaces
Namespaces (or named scopes) are widely used in many programming languages. Namespaces help to group a set of identifiers into a logical group. An identifier can be a named class, named interface or any other language element that is contained inside the namespace. Since the same identifier can be used in more than one namespace but with a different meaning, using namespaces can help reduce name collisions.
Creating a JavaScript Namespace
JavaScript doesn’t include namespaces. On the other hand, JavaScript includes function scopes which means that every function which is created in the JavaScript global scope holds its own scope. With this information in mind, we can mimic namespace scope by creating a function scope. Doing so will help to reduce the number of objects associated with the global scope and help to avoid collisions between identifiers created for an application when using external libraries for example. Here is an example of creating a JavaScript namespace using a function scope:
var ns = ns || {};
The code uses a simple check whether the namespace was declared previously. If the namespace was declared, the left side of the statement is evaluated and the ns
variable will include the previously defined namespace. If the namespace wasn’t declared previously, a new object literal (which is another way to create a function in JavaScript) will be created and be set to the ns
variable.
Using a JavaScript Namespace
In the previous example, a namespace was declared. In order to use the namespace, you will use its name and create objects/functions inside of it. Here is an example of setting a simple object inside of the previously created namespace:
ns.Game = function (id, name, description) {
this.id = id;
this.name = name;
this.description = description;
};
Now if you want to use the Game
object, you will create it using its namespace and its name. Here is an example for that:
var game = new ns.Game(1, 'Kinectimals',
'Raise your own cub inside this popular Kinect game');
Summary
Namespaces in JavaScript can help to organize your code into more logical groups/modules. One aspect of using this method is the reducing of objects inside the JavaScript global
scope.