Click here to Skip to main content
15,867,568 members
Articles / Programming Languages / Javascript
Technical Blog

Modularization in TypeScript

Rate me:
Please Sign up or sign in to vote.
5.00/5 (5 votes)
15 Jan 2013CPOL19 min read 69.4K   11   7
Modularization and code organization in TypeScript.

In my last post, I introduced TypeScript, Microsoft’s new offering which layers static typing on top of JavaScript. Today I’d like to go further and discuss modularization and code organization.

TypeScript has the ability to take advantage of a pair of JavaScript modularization standards – CommonJS and Asynchronous Module Definition (AMD). These capabilities allow for projects to be organized in a manner similar to what a “mature,” traditional server-side OO language provides. This is particularly useful for the most likely candidates for TypeScript – large Web Applications.

Although TypeScript’s modularization is powerful, it requires some background knowledge of CommonJS and AMD, and has its pitfalls. I hope in this post to be able to provide some of that background knowledge and provide some helpful pointers in organizing your TypeScript project in a modular fashion. Particular attention is paid to the topic of importing plain JavaScript files in your TypeScript code.

On the State of Modularization in JavaScript

Organizing scripts in JavaScript-based web apps has historically been a thorny issue. With no native, built-in system for modularizing code into packages, applications tended to quickly devolve into Script Tag Hell – dependencies being resolved by remembering to put this script tag before that one, but not before the other! Add to this the difficulty of preventing pollution of the global namespace and you have strong incentives to structure your application in as few files as possible.

Over time, these factors tended to act as a gravitational force, pulling your code closer and closer together, until the entire application collapsed under its own weight into a single black hole of a JavaScript file before all but the most senior of developers cowered in fear.

Okay, so that’s a bit of a dramatization. But the fact is that organizing JavaScript projects by hand was extremely difficult, and often was simply left undone. Fortunately, a pair of specifications was created to address just this problem!

CommonJS and AMD

CommonJS and AMD provide mechanisms for loading JavaScript files as separate modules, giving you the power of organization needed in both server- and client-side JavaScript applications.

The primary differences between CommonJS and AMD are as follows:

  • CommonJS is synchronous in nature; AMD loads files asynchronously
  • CommonJS is primarily used on the server in conjunction with node; AMD is most useful in the browser and its most popular implementation is RequireJS.

If you’re looking for more info, a good overview of the two can be found here (note that you must use the left/right arrow keys to navigate between slides). So, let’s get started with a basic example of what the syntax for each of these looks like.

CommonJS

CommonJS uses three “magic” keywords – require, module, and exports. Here’s what a simple example of a CommonJS Module file might look like:

JavaScript
greeter.js
function sayHello(name) {
   alert("Hello, " + name);
}
exports.sayHello = sayHello;

Here we use the magical exports variable to hang our sayHello function off of. To use this module in another file, we use Require.

app.js

JavaScript
var greeter = require("greeter");
greeter.sayHello("Dave");

Simple enough, right? Only methods or variables which are attached to exports are available outside the file. At this time, note that both CommonJS and AMD modules follow the Singleton pattern – when you include a module the first time, the code in that file runs. The second time you include it, you get a reference to the object which was produced the first time.

The last keyword CommonJS uses is the module keyword, which provides some additional capabilities (read about them here), one of which is a module.exports property. This property is initially the same as the exports property and can be used to hang off public methods and variables, but it also allows you to manually define exactly what object gets returned when the current module is required. For instance:

greeter.js

JavaScript
function sayHello(name) {
    alert("Hello, " + name);
}

exports.sayHello = sayHello;
module.exports = "Hello World";

app.js

JavaScript
var greeter = require("greeter");
alert(greeter); //alerts "Hello World"

Here we see that although we set exports.sayHello to a function, we overrode the entire returned module by setting module.exports to the string “Hello World.”

AMD

Let’s now turn to AMD. AMD’s special keywords are define and require (it works differently than the require in CommonJS so keep that in mind). define is used to define new modules, and require is used to load them. Keeping in mind that the “A” stands for “Asynchronous,” we are not surprised that AMD’s syntax involves callback functions.

greeter.js

JavaScript
define([/*dependencies go here*/], function (/*and getting mapped to variables here*/) {
    return {
        sayHello: function(name) {
            alert("Hello, " + name);
        }
    }
});

And to load this module, we do so either in another define call, or dynamically with Require.

app.js

JavaScript
//define an "app" module
define(["greeter"], function (greeter) {
    var app = {
        initialize: function() {
            greeter.sayHello("Dave");
        }
    }
    return app;
});

-or-

JavaScript
function initialize() {
    //dynamically load "greeter" without defining another module
    require(["greeter"], function (greeter) {
        greeter.sayHello("Dave");
    });
}
initialize();

So, a little bit more verbose here, but the advantage is that we have the power to load modules asynchronously at runtime! Although Require provides build tools which let you compile your code into a single (or multiple) file, you are also free to load modules dynamically, on an as-need basis at runtime. Both of these options are very useful when working on large projects where performance is a concern.

I should mention now that one feature of AMD/RequireJS is the ability to load code which was written with CommonJS in mind.  Code like this expects an exports variable, which Require can provide if we write our code like this:

app.js

JavaScript
//define an "app" module
define(["greeter", "exports"], function (greeter, exports) {
    exports.initialize = function() {
        greeter.sayHello("Dave");
    }
});

Here all that we do is specify a dependency of “exports,” and then the resulting exports variable can be used just like you would in CommonJS. The reason I mention this alternative syntax is because this is the way that TypeScript actually compiles when compiling to AMD.

Modularization in TypeScript

Essentially, TypeScript just provides syntactic sugar which sits on top of JavaScript but looks and feels a lot like standard OO fare.  This extends to modularization as well. TypeScript allows you to define classes (which really just resolve to prototypes) and modules (namespacing), which can be exported and used in other files. TypeScript then compiles these modules into either CommonJS or AMD format. By default it uses CommonJS, but adding the compiler option –module amd allows you to compile AMD-compliant modules. Please note that in order for browser-based AMD TypeScript code to actually run in a browser, you must manually include RequireJS or another AMD implementation on the page.

I will spend most of the remainder of the article focusing on AMD compilation in the browser, since that is the most common and important use case for most developers, and also happens to be the trickiest.

In Visual Studio 2012, you can set up your project to use AMD by editing your project file’s “BeforeBuild” step to include the –module amd parameter, as described here. Note that if you are using AMD (i.e. in the browser) you must have loaded an AMD loader such as RequireJS. Otherwise, your project may compile, but it will fail to work in the browser.

Classes

Before we get into the details of modularization, let’s talk briefly about classes in TypeScript. Before proceeding, it might be a good time to brush up on your JavaScript prototypes-vs-classes, prototypical inheritance-vs-classical inheritance knowledge. If you’ve had a cursory look at TypeScript, you’ve seen that class in TypeScript works out to be a constructor function/prototype in JavaScript.

pony.ts

JavaScript
class Pony {
	bite() {
		alert("Chomp!");
	}
}

compiles to

pony.js

JavaScript
var Pony = (function () {
    function Pony() { }
    Pony.prototype.bite = function () {
        alert("Chomp!");
    };
    return Pony;
})();

Which is basically how TypeScript classes work – syntactic sugar that ultimately resolves to a plain old constructor function in JavaScript. The benefit of this, of course, is that it is considerably easier for a developer steeped in OO to understand this way of doing things than trying to wrap one’s mind around prototypes and constructor functions right off the bat.

Exporting/Importing

To use our Pony class in another TypeScript file, we simply use the export keyword:

pony.ts

JavaScript
eexport class Pony {
	bite() {
		alert("Chomp!");
	}
}

Which with CommonJS compilation yields this:

pony.js (CommonJS compilation)

JavaScript
var Pony = (function () {
    function Pony() { }
    Pony.prototype.bite = function () {
        alert("Chomp!");
    };
    return Pony;
})();
exports.Pony = Pony;

And with AMD compilation looks like this:

pony.js (AMD compilation)

JavaScript
define(["require", "exports"], function(require, exports) {
    var Pony = (function () {
        function Pony() { }
        Pony.prototype.bite = function () {
            alert("Chomp!");
        };
        return Pony;
    })();
    exports.Pony = Pony;
});

To user out Pony class, we first must import that file, like so:

app.ts

JavaScript
import Pony = module("pony");
var pony = new Pony.Pony();
pony.bite();

Implicit Modules, or when TypeScript is unwieldy

Wait, that seems a little bit different than we might have expected… Shouldn’t we be able to just say var pony = new Pony()? As it turns out, no. Let’s take a closer look at the compiled output above. Notice that, as mentioned previously, TypeScript uses exports.* to export functions and variables, rather than just returning the object or function desired. Because of this, our Pony constructor function, rather than itself being the exported object, is actually just a method off of the exported module! I like to call this surprising behavior Implicit Modules (my term, good luck googling it) – when exporting a class in a file, the file essentially becomes its own module which contains the class that you wanted to export.

In my opinion, what would have been more convenient would have been for TypeScript’s compilation to yield a module.exports-style assignment, which would have enabled us to import the Pony class directly, rather than just as a variable off of some sort of implicit Pony module or namespace.

While this is largely just a bit of a syntactical inconvenience, it can also make it difficult-to-impossible to port over JavaScript code which relies on module.exports, as someone who registered an issue with Microsoft complained. It remains to be seen whether a future modification to the language specification, or some compiler flag of some sort will make it possible to compile this way. As we will see later, when importing JavaScript libraries, this will cause a little bit of difficulty.

One thing that can be done is to use this deficiency as a feature. Rather than authoring a single class per file, it becomes perhaps more desirable to place a set of related classes in a single file. For example:

animals.ts

JavaScript
class Pony extends Animal {
	bite() {
		alert("I, " + this.name + " have bitten you!");
	}
}

class Animal {
	name:string;
	constructor(name:string) {
		this.name = name;
	}
}
var pony = new Pony("Bob");
pony.bite();

app.ts

JavaScript
import Animals = module("animals");
var pony = new Animals.Pony("Bob");
pony.bite();

Inheritance, or why TypeScript is great

In this example, we see both an arguable weakness (implicit modules) and a great strength of TypeScript – classical inheritance! Being able to elegantly define classes which inherit from each other is invaluable in large-scale application development. I consider this one of the greatest strengths of the language. Of course, ultimately it just resolves to JavaScript, but achieving this capability in pure JavaScript is really ugly and nigh-inscrutable. I prefer scrutable. But back to modularization.

When dealing with TypeScript-only modules, the Import/Export system works more or less like a charm. When you want to start including JavaScript libraries, it gets a bit trickier.

Importing JavaScript

In TypeScript, there are two ways to “include” another source file – reference comments and import declarations. Let’s have a look at each.

Reference comments

Reference comments add a dependency on the source file specified. They are only used for compilation purposes, and can be used to provide IntelliSense for JavaScript files. They do NOT affect the compiled JS output. Here is an example:

JavaScript
/// <reference path="pony.ts"/>
var pony : Pony;  //compiler now recognizes Pony class.

This tells the compiler that pony.ts will be available at runtime. It does not actually import the code. This can be used if you are not using AMD or CommonJS and just have files included on the page via script tags.

Import declarations

If we want to load a file via AMD or CommonJS, we need to use an import declaration.

import myModule = module("pony");

This tells the compiler to load pony.ts via AMD or CommonJS. It does affect the output of the compiler.

Importing JavaScript

Let’s face it. Most of the libraries we will want to use are not written in TypeScript – they’re all in vanilla JavaScript. To use them in TypeScript, we’re going to have to do a little bit of porting. Ambient Declarations and Declaration Source Files will be our tools.

Ambient Declarations (declare var)

Ambient Declarations are used to define variables which will be available in JavaScript at runtime, but may not have originated as TypeScript files. This is done with the declare keyword.

As a simple example of how this could be used, let’s say your program is running in the browser, and you want to use the document variable. TypeScript doesn’t know that this variable exists, and if we start throwing document’s around, he’ll throw a nice compiler error. So we have to tell him, like this:

declare var document;

Simple enough, right? Since no typing information is associated with document, TypeScript will infer the any type, and won’t make any assumptions about the contents of document. But what if we want to have some typing information associated with a library we are porting in? Read on.

Declaration source files (*.d.ts)

Declaration source files are files with a special extension of *.d.ts. Inside these files, the declare keyword is implicit on all declarations. The purpose of these files is to provide some typing information for JavaScript libraries. For a simple example, let’s say we have an amazing AMD JavaScript utility library, util.js which we just have to have in our TypeScript project.

JavaScript
define([], function() {
   return {
       sayHello: function(name) {
           alert( "Hello, " + name );
       }
   });

If we wanted to write a TypeScript declaration file for it, we would write something like this:

export function sayHello(name:string): void;

Declaration source files stand in for the actual .js files in TypeScript-land. They do not compile to .js files, unlike their plain *.ts peers. One way you can think of it is *.d.ts files act as surrogates for their .js implementations, since plain .js files aren’t allowed in TypeScript-land. They simply describe their JavaScript implementations, and act as their representative. What this means is that now you can import JavaScript! Here’s how we would use our util library:

import util = module("util");
util.sayHello("Dave");

This import statement here uses AMD or CommonJS to load the util.js file, the same as if util.js had been the compiled output of a util.ts file. Our util.d.ts provides the compiler/IDE with the IntelliSense to know that a sayHello method exists. The big takeaway here: If you want to include a JavaScript file, you need to write a *.d.ts file.

Note here that we used an Import Declaration to include our .js file. If we had merely wanted to tell the TypeScript compiler that util would be available at runtime (meaning we already loaded it somewhere else, via script tag or RequireJS), we could have used a Reference Comment in conjunction with an Ambient Declaration. To do that, we would first need to change our declaration source file:

JavaScript
interface Util {
  sayHello(name:string): void;
}

This defines a Util interface which we can then use for compilation purposes.

JavaScript
///<reference path="util.d.ts"/>
declare var util: Util;
util.sayHello("Dave");

It turns out that lots of people in the open source community have been cranking out TypeScript interface definitions for some of the most popular JavaScript libraries, including jQuery, Backbone, Underscore, etc. You can find dozens of these on GitHub in the DefinitelyTyped project. The interface definition for jQuery can be found here.

How to be lazy

What if I don’t want to take the time to re-write my .js library in TypeScript, or carefully craft an exhaustive *.d.ts file? It’s not hard to get around. Back to our util.js example. Let’s say that we had another method, sayGoodbye, which we didn’t want to take the time to define in our util.d.ts file, because of our supreme laziness. Simple. Just define a single export function in util.d.ts (one line isn’t going to hurt you!). Then, when you want to use methods that TypeScript doesn’t know exist, just use an Ambient Declaration, like so:

JavaScript
import util = module("util");
declare var unchained:any;
unchained = util;
unchained.sayGoodbye();

The magic here is the Ambient declaration of the unchained variable, which is of type any. The any type tells TypeScript not to worry about typing – this variable could be anything. Trust us.

Dynamically Importing Existing JavaScript Libraries – The Problem(s)

The trickiest part of all this is getting TypeScript to use AMD or CommonJS to import a JavaScript library or module, rather than just making it compile using a reference comment. There are two tricky components to this.

First, if you are using an interface definition like those found online, you can NOT use that file as your *.d.ts in an import declaration. The interface declaration is only used to provide compiler/Intellisense information to the TypeScript compiler – interfaces are different than classes. In order for you to import your external library like we did in our simple util.js example from earlier, you need a different sort of *.d.ts file – one which uses the export keyword.

Second, recall from earlier how TypeScript has what I like to call Implicit Modules when importing files? You can’t directly import a class – you import the file it is in and then get your class definition off the resulting module object. Well, this causes us some grief when it comes to importing JavaScript modules which don’t follow the exports.* pattern in their AMD implementation, since most of the time when you import a “class” (constructor function) in AMD, you expect the imported object to be the constructor function itself.

Static Solution – Exporting to global namespace

The first, and simplest way to use a JS library in TypeScript is to simply make a Reference Comment to the *.d.ts interface definition, make an Ambient Declaration for the variable, and then do the actually loading in your RequireJS configuration, exporting the library into the global namespace. This method is acceptable if you are talking about common core libraries such as jQuery or Backbone, but since it relies on the global namespace it is NOT a recommended solution generally. Here’s what this looks like, using jQuery as an example.

In our index.html, we start our application up by loading Require and pointing it at appConfig.js, a plain JavaScript file which sets up RequireJS and starts our application.

index.html

<script type="text/javascript" src="libs/require.js" data-main="appConfig.js"/>

appConfig.js

JavaScript
require.config({
    paths: {
        'jquery': 'libs/jquery-1.8.3.min'
    },
    shim: {
        'jquery': {
            exports: '$'
        }
    }
});

require( ['app', 'jquery'], function(App, $) {
    App.start();
});

app.ts

JavaScript
///jquery.d.ts"/>
declare var $:JQueryStatic; //JQueryStatic is defined in jquery.d.ts

export class App {
    start() {
        $( "#content" ).html( "<h1>Hello World</h1>" );
    }
}

The key here is  is that jQuery is loaded in a non-AMD, globally scoped fashion. In the shim-jquery-exports-$ section in the RequireJS configuration, you can see that the exports keyword tells Require that when “jQuery” is loaded, the result is exported into the global variable $. Then in our TypeScript file, we simply add a Reference Comment for our *d.ts interface definition and then make an Ambient Declaration saying that the variable $ will be available at runtime and is of the type JQueryStatic.

This is a great method for application-wide libraries like jQuery, but as I mentioned before, it is NOT advisable to use this willy-nilly due to its reliance on the global namespace as well as its load-everything-up-front approach, which may not be desirable in some larger applications. Also note that anytime you want to include a new JS library, you must change your application-level configuration, and this cannot be done (not easily at least) in TypeScript.

Dynamic Solution

So how do we use TypeScript to dynamically import JavaScript libraries? To get around the first problem mentioned above, what I like to do is to define two separate *.d.ts files: one containing the interface definition you probably pulled off the web, and another which exports a single variable of the type defined in the interface file. Let’s use jQuery as our example again. The jquery.d.ts definition defines a JQueryStatic interface. Lets rename our interface definition file to jquery-int.d.ts, and create a new jquery.d.ts that looks like this:

jquery.d.ts

JavaScript
///<reference path="jquery-int.d.ts"/>
export var $:JQueryStatic;

This will allow TypeScript to compile if we import jQuery like below.

app.ts

JavaScript
import JQuery = module( "libs/jquery" );
var $:JQueryStatic = JQuery.$;

export class App {
    start() {
        $( "#content" ).html( "<h1>Hello World</h1>" );
    }
}

Now we are able to compile in TypeScript. However, let’s say that we have a fairly standard AMD-compliant loader file for jQuery, which might look something like this:

jquery.js

JavaScript
define( ["libs/jquery-1.8.3.min"], function() {
    return $;
});

Using an AMD “loader” file like this is a common way of modularizing non-AMD JavaScript libraries. The problem here though is although our jquery.js loader returns $ when imported, in TypeScript our import statement expects an object that has a property of $. This is the second problem I mentioned earlier. My workaround for this is to change my AMD loader file to make it use exports.* just like TypeScript does.

JavaScript
define(["exports", "libs/jquery-1.8.3.min"], function (exports) {
    exports.$ = $;
});

Now when we import our jquery.d.ts in TypeScript, we will have the results we expected: a nice exported module with a $ property that happens to conform to our JQueryStatic definition. After weeks of scouring the web, this is the best method that I have come up with for dynamically importing JavaScript libraries in TypeScript. Let’s review the steps:

Dynamic Strategy Summary

  1. Snag an interface definition (*.d.ts file) off the web, or create one yourself. Remember that you can always be lazy and fall back on the any type.
  2. Rename this interface definition file example-int.d.ts.
  3. Create a new example.d.ts file which exports a single variable of the type defined in your interface definition
  4. Create a “loader”-style file example.js and use exports.* to export the desired library.
  5. Where desired, simply import the example module and find your desired library as a property off of the imported module.

And that’s it! It is a bit involved and definitely more work that I would have liked. I am hoping that the maintainers of the TypeScript language someday soon add the ability to use module.exports like I mentioned earlier, but until then this sort of workaround seems to be the order of the day.

Denouement

To summarize our findings, let’s turn now to an elegantly crafted outline:

  1. TypeScript provides handy-dandy static typing and IntelliSense on top of core JavaScript
  2. Modularization in core JavaScript is crappy to non-existent
  3. AMD and CommonJS are great and allow you to cleanly organize code
  4. TypeScript can do AMD or CommonJS
    1. –module flag let’s you switch between the two
    2. TypeScript inheritance is great (tangential but true)
    3. CommonJS module.exports is not allowed.
    4. TypeScript-to-TypeScript is clean and awesome (with the exception of limitations from c.)
    5. JavaScript-to-TypeScript
      1. Relies on Reference Comments, Import Declarations, Ambient Declarations, and Declaration Source Files
      2. Is fairly simple when using global namespace
      3. Is more involved when loading dynamically
        1. Problems
          1. interface definitions are not the same as exports.
          2. Cannot directly import because of Implicit Modules
        2. Solution: see “Strategy Summary” above

I spent a lot of time trying to figure out how to dynamically import JavaScript libraries, so I hope you find my strategy useful. Other similar sorts of strategies I looked at can be found here and here. The first one is a bit odd and I did not like that it requires (no pun intended) you to use the ugly AMD/Require syntax in TypeScript, and the second forces you to modify the interface definitions you find online or write your own class-based definitions.

I like my strategy because, although there is some overhead in writing AMD loader-files which use exports.*, you can leverage the host of online interface definitions while maintaining TypeScript’s clean and elegant syntax. Please recall though that this technique is not necessary if the library in question is loaded in the global namespace!

If you’ve found an even better way of importing JavaScript, I’d love to hear about it.

Brett Jones, asktheteam@keyholesoftware.com (Also, please consider following me on Twitter – @brettjonesdev)

License

This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)


Written By
Keyhole Software
United States United States
Keyhole is a software development and consulting firm with a tight-knit technical team. We work primarily with Java, .NET, and Mobile technologies, specializing in application development. We love the challenge that comes in consulting and blog often regarding some of the technical situations and technologies we face. Kansas City, St. Louis and Chicago.
This is a Organisation

3 members

Comments and Discussions

 
QuestionMore details/example on Dynamic method to include JS library Pin
Member 849023910-Apr-16 9:24
Member 849023910-Apr-16 9:24 
QuestionThanks Pin
Member 1189868711-Aug-15 0:26
Member 1189868711-Aug-15 0:26 
QuestionWhat about inferred static types? Pin
carlintveld25-Jul-15 9:05
carlintveld25-Jul-15 9:05 
AnswerMore example of the Dynamic method Pin
Member 849023910-Apr-16 9:21
Member 849023910-Apr-16 9:21 
QuestionAbout inheritance Pin
Member 1068059018-Mar-14 11:33
Member 1068059018-Mar-14 11:33 
GeneralAdding AMD compile options to save functionality Pin
andy.walker23-Jan-13 6:17
andy.walker23-Jan-13 6:17 
GeneralMy vote of 5 Pin
andy.walker23-Jan-13 6:11
andy.walker23-Jan-13 6:11 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.