I’ve been checking Node.js out lately, and thought I’d share a quick Hello World using the Jade templating engine.

Get Node set up

From your terminal:

1
2
3
4
5
cd /tmp
wget http://nodejs.org/dist/v6.9.2/node-v6.9.2-linux-x64.tar.gz
tar xvfz node-v6.9.2-linux-x64.tar.gz
mkdir -p /usr/local/nodejs
mv node-v6.9.2-linux-x64/* /usr/local/nodejs

Then add this to your ~/.bashrc:

1
export PATH=$PATH:/usr/local/nodejs/bin

Don’t forget to source your .bashrc

1
source ~/.bashrc

Test the new environment variable

1
2
node --version
v6.9.2

Install npm

1
sudo apt-get install npm

Create your project

node jade heroku

The key components:

  • package.json
    • meta data about the app, including dependencies
  • server.js
    • controller for the app; this sets up the server.
  • Procfile
    • tells Heroku how to start the server.
  • layout.jade
    • a jade template: define block names here
  • home.jade
    • includes jade, overrides blocks

Set up package.json and install the dependencies

The important pieces here are the dependencies. We’re telling our app to include the express and jade packages. Optionally, we provide a name and version, and set the private property, which just prevents npm from publishing the app to the package manager.

1
2
3
4
5
6
7
8
9
{
  "name": "example",
  "version": "0.0.1",
  "private": true,
  "dependencies": {
    "express": "4.14.0",
    "jade": "*"
  }
}

Next, install the dependencies listed in the package.json file.

1
npm install
node jade heroku 2

This will create the node_modules directory and download all the necessary packages. If you change your dependencies, you’ll want to delete this directory and run npm install again.

Set up a simple server.js

 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
var express = require('express');
var app = module.exports = express();

app.set('view engine', 'jade');
app.set('views', __dirname + '/views');

var home = express.Router()

home.get('/', function (req, res) {
    res.render('home', {somevar: 'world'});
});

app.use('/', home);

if(!module.parent){
  app.listen(process.env.PORT || 3000, function(){
    console.log('up and running');
  });
}

I’ll try to break this down.

First, we need to set Express up.

1
2
var express = require('express');
var app = module.exports = express();

Once the express var is defined, we can set our template engine and point it to our views:

1
2
app.set('view engine', 'jade');
app.set('views', __dirname + '/views');

Now we need to tell our app how to handle URL routing:

1
2
3
4
5
6
7
var home = express.Router()

home.get('/', function (req, res) {
    res.render('home');
});

app.use('/', home);

Finally, we tell the server what port to listen on:

1
2
3
4
5
if(!module.parent){
  app.listen(process.env.PORT || 3000, function(){
    console.log('up and running');
  });
}

Test the project locally

At this point we can fire up the server, but we’ll have problems since the views don’t yet exist!

There are two options for running the app: npm start and node server.js

npm start:

1
2
3
4
> example@0.0.1 start .../basic-jade-node
> node server.js

up and running

node server.js:

1
up and running

In your browser, visit localhost:3000, since that’s what we defined in the last bit of our server.js file.

1
Error: Failed to lookup view "home" in views directory ".../basic-jade-node/views"

This error is telling us we forgot to add the view we’re referencing in our server.js file. So let’s do that.

Set up the views

Create a views folder, and within that, create a file named home.jade that looks like this:

1
2
3
block content
  p Hello world.

Jade will render this into HTML for us, creating the body, and putting a paragraph tag inside it.

Now, restart your server with npm start or node server.js and refresh your browser. You should see ‘Hello world.’ If you right-click on the page and view page source, you’ll see your rendered paragraph tag:

1
Hello world.

Now let’s look at using template variables.

Using Jade template variables

In home.jade, change the line p Hello World! to the following:

1
p Hello #{somevar}.

Now, edit the line in server.js that defines the rendering to the home template.

Change this:

1
res.render('home');

To this:

1
res.render('home', {somevar: 'world'});

The values inside the {} within the render function call are a list of variables that can be used by the jade templates. When home.jade is rendered, #{somevar} will be replaced by world.

To prove that this works, change the value of {somevar} in server.js to ‘something else’, restart your app, refresh your web page, and you should see ‘Hello something else.’

Extending Jade templates

Additionally, you can extend templates and override values of fields which exist in the templates being extended. This is useful for keeping the layout consistent across many web pages.

Create another file inside the views directory named layout.jade. Add the following code:

 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
doctype html
html(lang="en")
  head
    block title
      title Example title
  body
    block scripts
        script(src="http://code.jquery.com/jquery-1.10.0.min.js")
    block content
        Hello World!
    block footer
        Copyright 2017 - Awesome App Studios

Here we’ve defined the doctype and language to be used, a default title of ‘Example title’, and two three blocks with aliases to be added to our body: scripts, content, and footer. This ensures that every page that extends layout will automatically have a title of ‘Example title’, content that displays ‘this is some default content’, and a footer that displays ‘this is a default footer’.

Next, edit home.jade to look like the following:

1
2
3
4
5
6
7
extends layout

block title
  title Overriding the example title

block content
  p Hello #{somevar}.

We’ve overridden the page title and the content block. The layout footer was unchanged, and should print out exactly as it is in layout.jade.

Restart your server and refresh your browser, and you should see:

1
2
3
Hello something else.

2017 - Awesome App Studios

Defining a public static directory

This is where your client-side javascript files go. Create a directory at the root of your project called ‘public’, and inside that, create a directory called ‘javascripts’.

Then in your server.js, tell express to use this as the static files directory:

1
2
3
4
5
// find this line
var app = module.exports = express();
// and add this
var path = require('path');
app.use(express.static(path.join(__dirname, 'public')));

Now add a basic javascript file to the javascripts directory.

1
2
3
4
// test.js
$(function(){
  alert('Hello world.');
});

Finally, load this file up in your layout.jade file.

1
2
3
4
5
// find this line
block scripts
    script(src="http://code.jquery.com/jquery-1.10.0.min.js")
// and add this
    script(src="/javascripts/test.js")

Restart your server with npm start or node server.js and refresh your browser. You should see an alert that reads ‘Hello world.’

node jade heroku alert

A note on the browser console

The file we just added is a client-side javascript file. This means it will be executed by the browser.

We can add log statements to this file which will print out to the browser console, allowing us to debug our app and see what it’s doing.

The snippet would look like this:

1
2
3
4
$(function(){
  console.log("It's big, it's heavy, it's wood!");
  alert('Hello world.');
});

The console in Google Chrome can be accessed by right-clicking on the page, and choosing ‘Inspect’. This will open the developer tools view. Click the ‘Console’ header.

Now when we refresh our page, we should see our log statement print out to the console, along with information that’s actually useful, like our scripts failing to load. You can see this by putting in a bad import using a non-existent file in your layout.jade file.

There’s other useful stuff here, like the ‘Sources’ tab, which lets us view any script files we’ve loaded.

node jade heroku console

Finally, let’s configure our app for deployment to Heroku.

Tell Heroku where the app’s entry point is

We define the entry point using the Procfile. Create a new file at your project root named ‘Procfile’ with no extension, and put the following contents inside:

1
web: node server.js

This tells Heroku to execute the command node server.js when we deploy to our Heroku repository.

Publish to Heroku

At this point we can push to Heroku.

1
2
3
git add .
git commit -m 'set up basic server'
git push heroku mybranch:master

I like to use mybranch:master so I can commit to a testing branch yet still have the ability to see whether the deployment will successfully install all dependencies in Heroku’s servers and not blow up when I hit the entry point.

You can also test the app locally by running the command heroku local and visiting localhost:5000, but this won’t test the remote dependency installation (or static file downloading if you have that configured).

 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
$ git push heroku testing:master
Counting objects: 7, done.
Delta compression using up to 8 threads.
Compressing objects: 100% (7/7), done.
Writing objects: 100% (7/7), 849 bytes | 0 bytes/s, done.
Total 7 (delta 2), reused 0 (delta 0)
remote: Compressing source files... done.
remote: Building source:
remote:
remote: -----> Node.js app detected
remote:
remote: -----> Creating runtime environment
remote:
remote:        NPM_CONFIG_LOGLEVEL=error
remote:        NPM_CONFIG_PRODUCTION=true
remote:        NODE_ENV=production
remote:        NODE_MODULES_CACHE=true
remote:
remote: -----> Installing binaries
remote:        engines.node (package.json):  unspecified
remote:        engines.npm (package.json):   unspecified (use default)
remote:
remote:        Resolving node version (latest stable) via semver.io...
remote:        Downloading and installing node 6.9.1...
remote:        Using default npm version: 3.10.8
remote:
remote: -----> Restoring cache
remote:        Skipping cache restore (new runtime signature)
remote:
remote: -----> Building dependencies
remote:        Installing node modules (package.json)
remote:        /tmp/build_4f6e1e63f91c6a9b1d4117cde21cdc76
remote:        ├─┬ express@4.14.0
remote:        │ ├─┬ accepts@1.3.3
remote:        │ │ ├─┬ mime-types@2.1.14
...
...
...
remote: -----> Caching build
remote:        Clearing previous node cache
remote:        Saving 2 cacheDirectories (default):
remote:        - node_modules
remote:        - bower_components (nothing to cache)
remote:
remote: -----> Build succeeded!
remote:        ├── express@4.14.0
remote:        └── jade@1.11.0
remote:
remote: -----> Discovering process types
remote:        Procfile declares types -> web
remote:
remote: -----> Compressing...
remote:        Done: 14.7M
remote: -----> Launching...
remote:        Released v16
remote:        https://basic-jade-node.herokuapp.com/ deployed to Heroku
remote:
remote: Verifying deploy....^[ done.
To https://git.heroku.com/basic-jade-node.git
   073f990..133e6d1  testing -> master

Fire up your app’s URL and you should see the same results as with the local test!

1
2
3
Hello something else.

2017 - Awesome App Studios