Thursday, June 20, 2013

Building JavaScript Library with Grunt.js

New release of typical non trivial JavaScript project needs to run unit tests, concatenate all source files into one and minify the result. Some of them also use code generators, coding style validators or other build time tools.

Grunt.js is an open source tool able to perform all above steps. It is pluginable and was written in JavaScript, so anyone working on JavaScript library or project should be able to extend it as he needs.

This post explains how to use grunt.js to build JavaScript library. Grunt.js requires node.js and npm to run, so first three chapters explain what they are, how to install them and how to use them. Skip them if you already worked with npm. Grunt configuration is described in fourth and fifth chapter.

Demo library with grunt.js configuration is avaiable on Github.

Table Of Contents

Tool Chain Overview

We need three tools:

Node.js is popular server side JavaScript environment. It is used to write and run JavaScript servers and JavaScript command line tools. If you want to learn more about node.js, this stackoverflow answer links everything you might ever need to get you started.

Npm is package manager for node.js. It is able to download dependencies from central repository and solve most dependency conflicts. Npm repository stores only node.js server and command line projects. It does not contain libraries meant to be used in web or mobile applications. We will use it to download grunt.

Grunt.js is task runner we will use to build our project. It is runs on node.js and can be installed from npm.

Node.js and Npm Installation

Install node.js either directly from node.js download page or using any of these package managers. Successfully installed node.js prints its version number if you type node -v into console.

Most installers and package managers install both node.js and npm. Type npm -v into console to test whether you have it. If it is available, it will print its version number. What you should do if it is not available depends on your operating system.

Linux
Download and use installation script.

Windows
Windows installer both contains npm and updates path for current user. Separate npm install is needed only if you downloaded node.exe only or compiled it from source.

Download latest npm zip from this page. Unpack and copy it into node.exe installation directory. If you want, you can also update path to have it available anywhere.

OsX
Npm is bundled inside the installer.

Npm Basics

Understanding of some npm basics is useful for those who need to install and use grunt.js. This is last theoretical chapter and contains only those basics. Anything else can be found in npm documentation.

This chapter explains four things:
  • what is npm,
  • the difference between local and global npm installation,
  • what is package.json file and its content,
  • npm install command.

Overview
Npm is package manager able to download and install JavaScript dependencies from central repository. Installed packages can be used either as libraries from node.js projects or as command line tools.

Projects usually keep list of all dependencies inside package.json file and install them from there. Plus, any additional npm library can be installed also from command line.

Global vs Local Installation
Each package can be installed either globally or locally. The practical difference is in where they are stored and where they are accessible from.

Globally installed packages are stored directly inside node.js installation directory. They are called global, because they are available from any directory or node.js project.

Local installation puts downloaded packages into current working directory. Locally installed packages are then available only from that one directory and its sub-directories.

Locally installed packages are stored inside node_modules sub-directory. Whatever version control system you use, it is reasonable to add that directory into its .ignore file.

Package.json
Package.json file contains npm project description. It is always located in project root and contains project name, version, license and other similar properties. Most importantly, it contains also two lists with project dependencies.

First list contains dependencies needed at runtime. Anyone who wish to use the project must install all of them. Second list contains dependencies needed only during the development. Those include test tools, build tools and coding style checkers.

The easiest way to create it is via npm init command. The command asks few questions and generates basic package.json file in current directory. Only name and version properties are mandatory. If you do not plan to npm publish your library, you can ignore the rest.

Good package.json descriptions:
Install Command
Npm packages are installed using npm install command. The installation is local by default, global installation has to be specified using -g switch.

The npm install command with no other parameters looks for package.json file in current directory or any of its parent directories. The command then installs all listed dependencies into current directory.

Concrete npm packages are installed using npm install <pkg_name@version> command. The command will find required version of pkg_name package in central repository and install it into current directory.

Version number @version is optional. If it is missing, npm simply downloads latest available release.

Finally, the install command invoked with --save-dev switch not only installs the package, but also adds it into package.json as development dependency.

Add Grunt.js to Project

We start grunt configuration by adding Grunt.js into our JavaScript project. We need to install two Grunt.js modules:
  • grunt-cli - command line interface (CLI),
  • grunt - task runner.

Important: grunt.js had backward incompatible release recently. Some older tutorials and documents do not work with last grunt.js version.

Overview
All real work is done by task runner. Command line interface is only able to parse arguments and to feed them to the task runner. It does nothing useful if the task runner is not installed too.

Command line interface should be installed globally and task runner locally. Global command line interface ensures that the same grunt commands are available in all directories. Task runner must be local, because various projects may require different grunt versions.

Installation
Install global grunt command line interface:
npm install -g grunt-cli

Go to project root and let npm generate package.json file. It will ask few questions and then generate valid package.json file. Only name and version are required, you can ignore the rest.
npm init

Add latest grunt.js into package.js as development dependency and locally install it at the same time:
npm install grunt --save-dev

Package.json
Package.json created by previous commands looks like this:
{
  "name": "gruntdemo",
  "version": "0.0.0",
  "description": "Demo project using grunt.js.",
  "main": "src/gruntdemo.js",
  "scripts": {
    "test": "echo \"Error: no test specified\" && exit 1"
  },
  "repository": "",
  "author": "Meri",
  "license": "BSD",
  "devDependencies": {
    "grunt": "~0.4.1"
  }
}

Configure Grunt.js

Grunt.js runs tasks and most of its work is done by tasks. However, out of the box grunt.js installation have no tasks available in it. They have to be loaded from plugins and plugins are usually loaded from npm.

We will use five plugins:
This chapter explains how to configure them. It starts with simplest possible configuration that does nothing and then explains general steps needed to configure a task. Remaining sub-chapters are more practical, each of them explains how to configure one plugin.

Basic Do Nothing Configuration
Grunt configuration is kept either as JavaScript inside Gruntfile.js file or as CoffeeScript inside Gruntfile.coffe file. Since we are building JavaScript project, we will use the JavaScript version.

The simplest possible Gruntfile.js file:
//Wrapper function with one parameter
module.exports = function(grunt) {

  // What to do by default. In this case, nothing.
  grunt.registerTask('default', []);
};

The configuration is kept inside module.exports function. It takes grunt object as parameter and configures it by calling its functions.

Configuration function must create one of more tasks aliases and associate each of them with list of grunt tasks. For example, previous snippet created default tasks alias and associated it with an empty tasks list. In other words, default tasks alias is present, but does nothing.

Use the grunt <taskAlias> command to run all tasks associated with specified taskAlias. The taskAlias argument is optional, grunt will use the default task if it is missing.

Save Grunt.js file, go to the command line and run grunt:
grunt

You should see following output:
Done, without errors.

Grunt beeps if any configured task returns a warning or an error. If that beeping bothers you, run grunt with -no-color parameter:
grunt -no-color

Grunt Npm Tasks
General steps needed to add task from plugin are the same for all plugins. This chapter shows general overview of what is needed, concrete practical examples are in following chapters.

Install the Plugin
First, we need to add the plugin into package.json as development dependency and npm install it:
npm install <plugin name> --save-dev

Configure Tasks
Task configuration must be stored in object property named after the task and passed to grunt.initConfig method:
module.exports = function(grunt) {
  
  grunt.initConfig({
    firstTask : { /* ... first task configuration ... */ },
    secondTask : { /* ... second task configuration ... */ },
    // ... all remaining tasks ...
    lastTask : { /* ... last task configuration ... */ }
  });

  // ... the rest ...  
};

Full task configuration possibilities are explained in grunt.js documentation. This section describes only the most common simple case. It assumes that the task takes a list of files, process them and then generates one output file.

Simple task configuration:
firstTask: {
  options: { 
    someOption: value //all this depends on plugin
  },
  target: {
    src: ['src/file1.js', 'src/file2.js'], //input files
    dest: 'dist/output.js' // output file
  }
}

Example task configuration has two properties. One contains task options and its name must be options. Grunt.js does not impose any structure on options property, its content depends on used plugin.

The other can have any name and contains task target. Most common tasks operate on and produce files, so their targets have two properties, src and dest. Src contains list of input files and dest contains output file name.

If you configure multiple targets, grunt will run the task multiple times - once for each target. Following task will run two times, once for all files in src directory and once for all files in test directory:
multipleTargetsTask: {
  target1: { src: ['src/**/*.js'] },
  target2: { src: ['test/**/*.js']] }
}

Load and Register Tasks
Finally, tasks from plugins must be loaded with grunt.loadNpmTasks function and registered to some tasks alias.

All that gives us following Gruntfile.js structure:
module.exports = function(grunt) {
  
  grunt.initConfig({ /* ... tasks configuration ... */ });
  grunt.loadNpmTasks('grunt-plugin-name');
  grunt.registerTask('default', ['firstTask', 'secondTask', ...]);

};

Configure JSHint
JSHint detects errors and potential problems in JavaScript code. It was designed to be very configurable and comes with reasonable defaults.

We will use grunt-contrib-jshint plugin to integrate it with grunt.js.

Install Plugin
Open console and run npm install grunt-contrib-jshint --save-dev command from project root directory. It will add the plugin into package.json as a development dependency and install it into local npm repository.

JSHint Options
Grunt-contrib-jshint plugin passes all options directly to JSHint. Their complete list is available on JSHint documentation page.

JSHint option eqeqeq toggles warning on == and != equality operators. It is turned off by default, because both operators are legitimate. We will turn it on, because they can lead to unexpected results and alternative operators === and !== are safer.

We will turn on also trailing options which warns about trailing whitespaces in the code. Trailing whitespaces in multi-line strings can cause weird bugs.

Each option is placed into boolean property with the same name and will be turned on if its value is true. Turn on both eqeqeq and trailing JSHint options:
options: {
  eqeqeq: true,
  trailing: true
}

Configure Task
Grunt-contrib-jshint plugin has one task named jshint. We will configure it to check all JavaScript files in both src and test directories using options configuration from previous section.

JSHint configuration must be placed into object property named jshint and sent to grunt.initConfig method. It has two properties, one with options and another with target.

The target can be placed inside any property other then options, so we will call it simply target. It must contain list of JavaScript files to be checked by JSHint. Files list can be placed inside targets src property and supports both ** and * wildcards.

Validate all JavaScript files in all sub-directores of both src and test directories and turn on two additional JSHint checks:
grunt.initConfig({
  jshint: {
    options: {
      eqeqeq: true,
      trailing: true
    },
    target: {
      src : ['src/**/*.js', 'test/**/*.js']
    }
  }
});

Load and Register
Final grunt.js part loads grunt-contrib-jshint from npm and registers the task to the default alias:
grunt.loadNpmTasks('grunt-contrib-jshint');
grunt.registerTask('default', ['jshint']);

Full JSHint Configuration
Grunt.js with full JSHint configuration:
module.exports = function(grunt) {
  
  grunt.initConfig({
    jshint: {
      options: {
        trailing: true,
        eqeqeq: true
      },
      target: {
        src : ['src/**/*.js', 'test/**/*.js']
      }
    }
  });
  
  grunt.loadNpmTasks('grunt-contrib-jshint');
  grunt.registerTask('default', ['jshint']);
};

Concatenate Files
Our library have to be distributed inside single file whose name contains both version number and project name. That file should start with comment containing library name, version, license, build date and other similar information.

For example, the version 1.0.2 should be distributed inside file named testGrunt-1.0.2.js and start with following content:
/*! gruntdemo v1.0.2 - 2013-06-04
 *  License: BSD */
var gruntdemo = function() {
  ...

We will configure the concat task from grunt-contrib-concat plugin to generate the file with right name and initial comment.

Install Plugin
Exactly as before, open console, add the plugin into package.json as a development dependency and install it into local npm repository.

The command: npm install grunt-contrib-concat --save-dev

Load Package.json
Our first step is to load project information from package.json file and store it in a property. It can be done using grunt.file.readJSON function:
pkg: grunt.file.readJSON('package.json'),

Pkg now contains an object corresponding to package.json. Project name is stored inside pkg.name property, version is stored inside pkg.version, license is stored inside pkg.license and so on.

Compose Banner and File Name
Grunt provides template system we can use to compose banner and file name. Templates are JavaScript expressions embedded into strings using <%= expression > syntax. Grunt evaluates the expression and replaces the template with the result.

For example, <%= pkg.name %> template is replaced by value of pkg.name property. If the property is string, the template becomes an equivalent of strings concatenation: ...' + pkg.name + ' ...

Templates can reference all functions and properties defined in initConfig parameter object and in grunt object. The system also provides few date formatting helper functions. We will use the grunt.template.today(format) function which returns current date in specified format.

Compose short banner from project name, version, license and current date. Since we will need to reuse the banner in uglify task, we store it in a variable:
var bannerContent = '/*! <%= pkg.name %> v<%= pkg.version %> - ' +
                    '<%= grunt.template.today("yyyy-mm-dd") %> \n' +
                    ' *  License: <%= pkg.license %> */\n';

Previous template generates following banner:
/*! gruntdemo v0.0.1 - 2013-06-04 
 *  License: BSD */

The project name and version part of filename also need to be used in multiple places. Compose file name from project name and version and store it in a variable:
var name = '<%= pkg.name %>-v<%= pkg.version%>';

It generates following name:
gruntdemo-v0.0.1

Configure Target and Options
The target must contain list of files to be concatenated and name of the file we want to create. Target supports both wildcards and templates, so we can use the template prepared in previous section:
target : {
  // concatenate all files in src directory
  src : ['src/**/*.js'],
  // place the result into the dist directory, 
  // name variable contains template prepared in 
  // previous section
  dest : 'distrib/' + name + '.js'
}

Concat plugin looks for banner in configuration property named banner and banner is the only configuration property we need. Since the banner content is already composed in bannerContent variable, all we need is to place it into configuration property:
options: {
  banner: bannerContent
}

Load and Register
Final part loads grunt-contrib-concat from npm and registers the task to the default alias:
grunt.loadNpmTasks('grunt-contrib-concat');
grunt.registerTask('default', ['jshint', 'concat']);

Full Concat Configuration
This section shows grunt.js with full concat configuration.

Note that the pkg property is defined inside the initConfig method parameter. We could not place it elsewhere, because it is accessed from templates and templates have access only to initConfig method parameter and grunt object.
module.exports = function(grunt) {
  var bannerContent = '... banner template ...';
  var name = '<%= pkg.name %>-v<%= pkg.version%>';
  
  grunt.initConfig({
    // pkg is used from templates and therefore
    // MUST be defined inside initConfig object
    pkg : grunt.file.readJSON('package.json'),
    // concat configuration
    concat: {
      options: {
        banner: bannerContent
      },
      target : {
        src : ['src/**/*.js'],
        dest : 'distrib/' + name + '.js'
      }
    },
    jshint: { /* ... jshint configuration ... */ }
  });
  
  grunt.loadNpmTasks('grunt-contrib-jshint');
  grunt.loadNpmTasks('grunt-contrib-concat');
  grunt.registerTask('default', ['jshint', 'concat']);
};

Minify
Page loading is slower if the browser have to load and parse big files. That may not matter for all projects, but it does matter for mobile apps running on small devices and big web applications using many big libraries.

Therefore, we are going to produce also minified version of our library. Minification converts input file into smaller one while keeping its functionality unchanged. It removes unimportant whitespaces, shortens constant expressions, gives local variables new shorter names and so on.

Minification is implemented in grunt-contrib-uglify plugin which integrates UglifyJs into grunt. Its uglify task concatenates and minifies a set of files.

Source Maps
Minification makes generated files hard to read and very difficult to debug, so we will generate also source map to make these tasks easier.

Source map links minified file to its source files. If it is available, browser debug tools show original human readable .js files instead of minified version. They are currently supported only by Chrome and nightly builds of Firefox. You can read more about them on html5 rocks or tutplus sites.

Install Plugin
Add the plugin into package.json as a development dependency and install it into local npm repository.

The command: npm install grunt-contrib-uglify --save-dev

Configure Target
Uglify task target is configured exactly the same way as concat task target. It must contain list of JavaScript files to be minified and name of the file we want to create.

It support both wildcards and templates, so we can use the template prepared in previous sub-chapter:
target : {
  // use all files in src directory
  src : ['src/**/*.js'],
  // place the result into the dist directory, 
  // name variable contains template prepared in 
  // previous sub-chapter
  dest : 'distrib/' + name + '.min.js'
}

Configure Options
The banner is configured exactly the same way as in concat - it is read from the banner property and supports templates. Therefore, we can reuse the bannerContent variable prepared in previous sub-chapter.

Updated A source map is generated only if the sourceMap property is defined. It should contain the name of the source map file. In addition, we have to fill the sourceMapUrl and the sourceMapRoot properties. The first contains relative path from uglified file to the source map file and second contains relative path from source map file to sources.

Use the bannerContent variable to generate the banner and name variable to generate source map file name:
options: {
  banner: bannerContent,
  sourceMapRoot: '../',
  sourceMap: 'distrib/'+name+'.min.js.map',
  sourceMapUrl: name+'.min.js.map'
}

Load and Register
Final part loads grunt-contrib-uglify from npm and registers the task to the default alias:
grunt.loadNpmTasks('grunt-contrib-uglify');
grunt.registerTask('default', ['jshint', 'concat', 'uglify']);

Full Uglify Configuration
Grunt.js with full uglify configuration:
module.exports = function(grunt) {
  var bannerContent = '... banner template ...';
  var name = '<%= pkg.name %>-v<%= pkg.version%>';
  
  grunt.initConfig({
    // pkg must be defined inside initConfig object
    pkg : grunt.file.readJSON('package.json'),
    // uglify configuration
    uglify: {
      options: {
        banner: bannerContent,
        sourceMapRoot: '../',
        sourceMap: 'distrib/'+name+'.min.js.map',
        sourceMapUrl: name+'.min.js.map'
      },
      target : {
        src : ['src/**/*.js'],
        dest : 'distrib/' + name + '.min.js'
      }
    },
    concat: { /* ... concat configuration ... */ },
    jshint: { /* ... jshint configuration ... */ }
  });
  
  grunt.loadNpmTasks('grunt-contrib-jshint');
  grunt.loadNpmTasks('grunt-contrib-concat');
  grunt.loadNpmTasks('grunt-contrib-uglify');
  grunt.registerTask('default', ['jshint', 'concat', 'uglify']);
};

Last Release File
Last release of our library is now stored in two files and both of them have version number in name. That makes it unnecessary difficult for those who want to automatically download each new version.

They would be forced to read and parse json file each time they want to find whether new version was released and what its name is. They would also have to update their download scripts if we would decide that we want to change name structure.

Therefore, we will use the grunt-contrib-copy plugin to create version less copies of all created files.

Install Plugin
Add the plugin into package.json as a development dependency and install it into local npm repository.

The command: npm install grunt-contrib-copy --save-dev

Configure Plugin
Our copy configuration uses three targets, one for each released file. The configuration is without options and basically the same as configuration of previous plugins.

The only difference is that we need multiple targets. Each target contains src-dest pair with name of file to be copied and name of file to be created.

We also made one change to previous tasks configuration. We took all file names and placed them into variables, so we can reuse them:
module.exports = function(grunt) {
  /* define filenames */
  latest = '<%= pkg.name %>';
  name = '<%= pkg.name %>-v<%= pkg.version%>';

  devRelease = 'distrib/'+name+'.js';
  minRelease = 'distrib/'+name+'.min.js';
  sourceMapMin = 'distrib/'+name+'.min.js';
  sourceMapUrl = name+'.min.js';

  lDevRelease = 'distrib/'+latest+'.js';
  lMinRelease = 'distrib/'+latest+'.min.js';
  lSourceMapMin = 'distrib/'+latest+'.min.js.map';

  grunt.initConfig({
    copy: {
      development: { // copy non-minified release file
        src: devRelease,
        dest: lDevRelease
      },
      minified: { // copy minified release file
        src: minRelease,
        dest: lMinRelease
      },
      smMinified: { // source map of minified release file
        src: sourceMapMin,
        dest: lSourceMapMin
      }
    },
    uglify: { /* ... uglify configuration ... */ },
    concat: { /* ... concat configuration ... */ },
    jshint: { /* ... jshint configuration ... */ }
  });

  grunt.loadNpmTasks('grunt-contrib-jshint');
  grunt.loadNpmTasks('grunt-contrib-concat');
  grunt.loadNpmTasks('grunt-contrib-uglify');
  grunt.loadNpmTasks('grunt-contrib-copy');
  grunt.registerTask('default', ['jshint', 'concat', 'uglify', 'copy']);

Unit Tests
Finally, we will configure grunt.js to run unit tests on just released files. We will use grunt-contrib-qunit plugin for that purpose. The plugin runs QUnit unit tests in headless PhantomJS instance.

The solution does not account for browser differences and bugs, but is still good enough. Those who want to have perfect configuration can use js-test-driver or other similar tool. Js-test-driver configuration is out of this post scope and will not be explained.

Prepare Tests
Qunit unit tests often run over JavaScript files in src directory, because that is practical during the development. If you want to test whether just released concatenated and minified versions work as well, create new QUnit html file and load last release from it.

Example Qunit entry point file:
<!DOCTYPE html>
<html>
<head>
  <meta charset="utf-8">
  <title>QUnit Example</title>
  <link rel="stylesheet" href="../libs/qunit/qunit.css">
</head>
<body>
  <div id="qunit"></div>
  <div id="qunit-fixture"></div>
  <script src="../libs/qunit/qunit.js"></script>

  <!-- Use latest versionless copy of current release -->
  <script src="../distrib/gruntdemo.min.js"></script>
  <script src="tests.js"></script>
</body>
</html>

Install Plugin
Add the plugin into package.json as a development dependency and install it into local npm repository.

The command: npm install grunt-contrib-qunit --save-dev

Configure Plugin
Grunt-contrib-qunit configuration is the same as the configuration of previous tasks. Since we are fine with the default QUnit configuration, we can omit the options property. All we have to do is to configure the target which must specify all QUnit html files.

All html files in test directory and its sub-directories should be run as QUnit tests:
grunt.initConfig({
  qunit:{
    target: {
      src: ['test/**/*.html']
    }
  },
  // ... all previous tasks ...
});

Final Grunt.js File
Click to expand full grunt.js file:
Click to collapse

module.exports = function(grunt) {
  var name, latest, bannerContent, devRelease, minRelease, 
      sourceMap, sourceMapUrl, lDevRelease, lMinRelease, 
      lSourceMapMin;

  latest = '<%= pkg.name %>';
  name = '<%= pkg.name %>-v<%= pkg.version%>';
  bannerContent = '/*! <%= pkg.name %> v<%= pkg.version %> - ' +
    '<%= grunt.template.today("yyyy-mm-dd") %> \n' +
    ' *  License: <%= pkg.license %> */\n';
  devRelease = 'distrib/'+name+'.js';
  minRelease = 'distrib/'+name+'.min.js';
  sourceMapMin = 'distrib/'+name+'.min.js.map';
  sourceMapUrl = name+'.min.js.map';

  lDevRelease = 'distrib/'+latest+'.js';
  lMinRelease = 'distrib/'+latest+'.min.js';
  lSourceMapMin = 'distrib/'+latest+'.min.js.map';
  
  grunt.initConfig({
    pkg: grunt.file.readJSON('package.json'),
    qunit:{
      target: {
        src: ['test/**/*.html']
      }
    },
    // configure copy task
    copy: {
      development: {
        src: devRelease,
        dest: lDevRelease
      },
      minified: {
        src: minRelease,
        dest: lMinRelease
      },
      smMinified: {
        src: sourceMapMin,
        dest: lSourceMapMin
      }
    },
    // configure uglify task
    uglify:{
      options: {
        banner: bannerContent,
        sourceMapRoot: '../',
        sourceMap: sourceMapMin,
        sourceMappingURL: sourceMapUrl
      },
      target: {
        src: ['src/**/*.js'],
        dest: minRelease
      }
    },
    // configure concat task
    concat: {
      options: {
        banner: bannerContent
      },
      target: {
        src: ['src/**/*.js'],
        dest: devRelease
      }
    },
    // configure jshint task
    jshint: {
      options: {
        trailing: true,
        eqeqeq: true
      },
      target: {
        src: ['src/**/*.js', 'test/**/*.js']
      }
    }
  });

  grunt.loadNpmTasks('grunt-contrib-jshint');
  grunt.loadNpmTasks('grunt-contrib-concat');
  grunt.loadNpmTasks('grunt-contrib-uglify');
  grunt.loadNpmTasks('grunt-contrib-copy');
  grunt.loadNpmTasks('grunt-contrib-qunit');

  grunt.registerTask('default', ['jshint', 'concat', 'uglify', 'copy', 'qunit']);
};

End

Grunt.js is now configured and ready to be used. Our targets are configured in the most simple possible way, using src-dest pairs, wildcards and templates. Of course, grunt.js provides also other, more advanced options on how to configure it.

It would be even better, if it would be possible to automatically download and manage libraries our project depends on. We found two possible solutions, bower and ender. We have not tested them yet, but both should manage front-end JavaScript packages and their dependencies for the web.

4 comments:

web design company said...

Thank you for the introduction part of Grunt.

trustno1 said...

html language for web design
HTML - Borders double solid dashed inset

periyannan said...

Awesome..You have clearly explained …Its very useful for me to know about new things..Keep on blogging..
ibm full form in india |
ssb ka full form |
what is the full form of dp |
full form of brics |
gnm nursing full form |
full form of bce |
full form of php |
bhim full form |
nota full form in india |
apec full form |

fatma said...

karşıyaka transfer
akbük transfer
balıkesir transfer
ayvalık transfer
aliağa transfer

NM2L

Post a Comment