If I create a simple TypeScript module
named test
it would look like the following:
module test
{
export class MyTest {
name = "hello";
}
}
The resulting JavaScript
creates an IIFE
that looks like the following:
var test;
(function (test) {
var MyTest = (function () {
function MyTest() {
this.name = "hello";
}
return MyTest;
})();
test.MyTest = MyTest;
})(test || (test = {}));
What I can't understand are what is the purpose of the following line at the end of the IIFE
that contains arguments for the function
:
(test || (test = {}));
The resulting function also takes in the parameter test
:
(function (test) {
I understood when using the arguments to pass in say a 'jQuery
object like })(jquery);
and the resulting function could take the alias like (function ($) {
. However I just am not seeing the purpose of the (test || (test = {}));
arguments.
I understand that test.MyTest = MyTest;
is exposing the public method MyTest
, but why (test || (test = {}));
and how do those arguments work?
It a method of extending an already existing object, or initially defining it if it is not already defined. Let's break it down.
This line declares the variable
test
so that when used later, it will not throw anReferenceError
. It's value will either beundefined
, or whatever valuetest
already has.This section passes the value of
test
iftest
is truthy (i.e. notundefined
), or assignstest
to a new object, and passes that object to the function. This way, each file that uses this code can extend a common namespace object, rather than overwriting the namespace.