My Favorite JavaScript ES6 Feature
06 May 2016If you aren’t using ES6 (ES2015) you really should be. There are a lot of new features that are going to up your productivity and make writing code a little less confusing. Of all the many features to use my favorite at this moment is Template Strings!
Remember doing the following:
var first = 'Mark';
var last = 'Techson';
var age = 'Over 9,000';
var greeting = 'Hello, my name is ' + first +  ' ' + last + ' and my age is ' + age + '!';
console.log(greeting);In my contrived example, I’m using three variables and putting them together to get the greeting is definitely doable but I find that this is cumbersome. I always have seem to make a mistake with matching up my quotes or my plus signs.
With Template Strings we can use back-ticks (i.e., `) and simplify our greeting code.
var first = 'Mark';
var last = 'Techson';
var age = 'Over 9,000';
var greeting = `Hello, my name is ${first} ${last} and my age is ${age}!`;
console.log(greeting);Using the ${} pattern with our variables we get string interpolation and a cleaner, much easier to read string. We can also do some fun things around multi-line strings, too. The following is legal:
var first = 'Mark';
var last = 'Techson';
var age = 'Over 9,000';
var greeting = `
    <div>
        Hello, my name is ${first} ${last} and my age is ${age}!
    </div>
`;
console.log(greeting);This is a great time to use features such as Template Strings in your code. In a follow up post, I’ll talk about some ways you can use ES2015 in your code now even if you have to write legacy browser compliant code at the moment. Thanks for reading.
Stay Awesome.