JS: ES6’s string templates

Published on: August 18, 2015

Tags: js, es6, and string templates

How are the new string templates better?

The traditional JS way of working with strings leaves a lot to be desired.

variables

It’s not easy to read...

1
2
var someVar = "world";
console.log("Hello" + someVar + "!");

newlines

It doesn’t handle new lines well...

1
2
3
4
5
console.log("Add a break\nhere");
console.log("Add a break" + 
"here");
console.log("Add a break\
here");

standardisation with other languages

And it looks longingly at Ruby’s string interpolation...

1
2
someVar = "world"
puts "Hello #{someVar}"

How can I use them?

Ok, you sold me on that Ruby example... Tell me about ES6!

ES6 introduced string templating to make working with strings easier and more elegant. Here are the same examples again:

variables

Wrap up variables, or any other JS code in ${}. The JS code will be evaluated first and then put into the rest of the string.

1
2
3
4
var someVar = "world";
console.log(`Hello ${someVar}!`); // "Hello world!"

console.log(`bonus example ${2 - 1}`) // "bonus example 1"

newlines

You can add a real newline to your code when you want a newline in your string. Of course the \n still works.

1
2
3
console.log(`Add a break
    here`);
console.log(`Add a break\nhere`);

standardisation with other languages

Now ES6’s strings work much like other languages.

Ruby:

1
2
someVar = "world"
puts "Hello #{someVar}"

JS:

1
2
var someVar = "world";
console.log(`Hello ${someVar}`);

Note: you can also use “tagged” template strings. I haven’t fully figured this out or found clear use cases for it, so I’m skipping it for now. But you can do more with templates than I’ve talked about.

Warning!

The ${} in ES6 evaluates all JS. It’s very important that you trust anything that goes in there. For example, don’t do something like:

1
2
3
// imagine this pulled from a DB and is user supplied
var user = {name: 'lucy'};
console.log(`Your name is: ${user.name}`)

Why not?

Because the JS in the string interpolation executes in the same context of the rest of your JS.

1
2
3
// here the user entered their name as: ' + alert('test') + '
var user = {name: '' + alert(window) + ''};
console.log(`Your name is: ${user.name}`)

This will trigger an alert. Don’t believe me? Enter the code above in ES6 fiddle. If you’re not careful people can gain access to your “hidden” variables.

Resources


comments powered by Disqus