JavaScript has come a long way since its early days, with many new additions and features designed specifically to make the language more user-friendly and less verbose. Below are some recent additions to JavaScript that I find fascinating.
Some of these features are already available in Node, Chrome, Firefox, and Safari, while others are still in the proposal stage.
Optional chaining is done using the ?.
operator. It primarily ensures that the preceding value before the question mark is neither undefined nor null. This is really useful when assessing the properties of deeply nested objects.
There’s a need to be sure that the ?.
operator exists before assessing the properties.
Consider the following example:
const users = [ { name: "Olagunju Gbolahan", occupation: "Software Developer", sayName(){ console.log(`my name is ${this.name}`); }, address: { office: "New York" } }, { name: "Olawaseyi Moses" }, { name: "Tunde Ednut" } ];
Let’s consider the second user in the array of users:
const secondUser = users[1];
We may want to get the office address of this user. Before the advent of the optional chaining operator, we would have to go through a relatively inefficient process to obtain this information:
const theAddress = secondUser.address && secondUser.address.office; console.log(theAddress); // undefined
If we had a deeply nested object, we would have to check that its value existed using &&
operator on each level.
But with the optional chaining, we simply do the following:
const theAddress = secondUser?.address?.office; console.log(theAddress); // undefined
We can also use optional chaining with object methods to confirm they exist before execution:
const firstUser = users[0]; console.log(firstUser.sayName?.()); // my name is Olagunju Gbolahan
It will simply return undefined
if a method with the given name doesn’t exist on the object.
console.log(firstUser.sayOccupation?.()); // undefined
Because the optional chaining operator hasn’t been added to the JavaScript specification yet, it is still in the proposal stage.
You can use it today with the babel-plugin-proposal-optional-chaining plugin.
This feature comes in handy when we know beforehand what our error will be, and we don’t want the redundancy of unused variables.
Consider the traditional try and catch block:
try { const parsedJsonData = JSON.parse(obj); } catch (error) { //the variable error has to be declared whether used or unused console.log(obj); }
But with the addition of optional catch binding, we don’t have to provide unused variables — especially when we have defaults for our try block.
function getName () { let name = "Gbolahan Olagunju"; try { name = obj.details.name } catch {} console.log(name); }
This is one of the proposed additions to Javascript and it is currently at stage 1.
It essentially helps make several function calls to the same argument readable.
It does this by piping the value of an expression as argument(s) to a function. Consider calling the following functions without the pipeline operator |>
.
const capitalize = (input) => input[0].toUpperCase() + input.substring(1); const removeSpaces = (input) => input.trim(); const repeat = (input) => `${input}, ${input}`;
const withoutpipe = repeat(capitalize(removeSpaces(' i am gbols '))); console.log(withoutpipe); // I am gbols, I am gbols
But with the pipeline operator, readability can be greatly improved:
const withpipe = ' i am gbols ' |> removeSpaces |> capitalize |> repeat; console.log(withpipe); // // I am gbols, I am gbols
This was formally named trimRight and trimLeft, but with ES2019 the names were changed to the aliases trimStart and trimEnd to make them more intuitive to users.
Consider the following example:
let message = " Welcome to LogRocket "; message.trimStart(); // "Welcome to LogRocket " message.trimEnd(); // "Welcome to LogRocket";
Before talking about Object.fromEntries, it is important to talk about Object.entries.
The Object.entries method was added to the ES2017 specification to provide a way to convert an object into its array equivalent, thus granting it access to all array methods for processing.
Consider the following object:
const devs = { gbols: 5, andrew: 3, kelani: 10, dafe: 8, }; const arrOfDevs = Object.entries(devs); console.log(arrOfDevs); //[ // ["gbols", 5] // ["andrew", 3] // ["kelani", 10] // ["dafe", 8] //]
Now, we can use the filter
method on arrays to get devs that have more than 5 years experience:
const expDevs = arrOfDevs.filter(([name, yrsOfExp]) => yrsOfExp > 5); console.log(expDevs); //[ // ["kelani", 10] // ["dafe", 8] //]
Then a problem arises: there is no easy way to convert the results back into an object. Usually, we would write our own code to transform this back into an object:
const expDevsObj = {}; for (let [name, yrsOfExp] of expDevs) { expDevsObj[name] = yrsOfExp; } console.log(expDevsObj); //{ //dafe: 8 //kelani: 10 //}
But with the introduction of Object.fromEntries, we can do this in one swipe:
console.log(Object.fromEntries(expDevs)); //{ //dafe: 8 //kelani: 10 //}
Oftentimes, we have deeply nested arrays to deal with as a result of an API call. In this case, it’s especially important to flatten the array.
Consider the following example:
const developers = [ { name: 'Gbolahan Olagunju', yrsOfExp: 6, stacks: ['Javascript', 'NodeJs', ['ReactJs', ['ExpressJs', 'PostgresSql']]] }, { name: 'Daniel Show', yrsOfExp: 2, stacks: ['Ruby', 'Jest', ['Rails', ['JQuery', 'MySql']]] }, { name: 'Edafe Emunotor', yrsOfExp: 9, stacks: ['PHP', 'Lumen', ['Angular', 'NgRx']] } ];
const allStacks = developers.map(({stacks}) => stacks); console.log(allStacks); // [ // ['Javascript', 'NodeJs', ['ReactJs', ['ExpressJs', 'PostgresSql']]] // ['Ruby', 'Jest', ['Rails', ['JQuery', 'MySql']]] // ['PHP', 'Lumen', ['Angular', 'NgRx']] // ]
The allstacks
variable contains deeply nested arrays. To flatten this array, we can use the Array.prototype.flat.
Here’s how:
const flatSingle = allStacks.flat(); console.log(flatSingle); //[ // "JavaScript", // "NodeJs", // ['ReactJs', ['ExpressJs', 'PostgresSql']]] // "Ruby", // "Jest", // ['Rails', ['JQuery', 'MySql']]] // "PHP", // "Lumen" // ["Angular", "NgRx"] //]
We can deduce from the above that the array has been flattened one level deep, which is the default argument to array.prototype.flat.
We can pass an argument to the flat method to determine the degree to which we want to flatten.
The defaults argument is a value of 1. To completely flatten the array, we can pass an argument of Infinity. The Infinity
argument flattens the array completely, irrespective of the depth of the array.
Here’s how:
const completelyFlat = allStacks.flat(Infinity); console.log(completelyFlat); //[ // "JavaScript", // "NodeJs", // "ReactJs", // "ExpressJs", // "PostgresSql", // "Ruby", // "Jest", // "Rails", // "JQuery", // "MySql", // "PHP", // "Lumen", // "Angular", // "NgRx" //]
FlatMap is a combination of calling the map method and the flat method with a depth of 1. It is often quite useful as it does the same thing in a very efficient manner.
Below is a simple example of using both map and flatMap:
let arr = ['my name is Gbols', ' ', 'and i am great developer']; console.log(arr.map(word => word.split(' '))); //[ // ["my", "name", "is", "Gbols"], // ["", ""], // ["and", "i", "am", "great", "developer"] //]
console.log(arr.flatMap(word => word.split(' '))); //[ "my" // "name" // "is" // "Gbols" // "" // "" // "and" // "i" // "am" // "great" // "developer" //]
Tracking down the cause of a production JavaScript exception or error is time consuming and frustrating. If you’re interested in monitoring JavaScript errors and seeing how they affect users, try LogRocket.https://logrocket.com/signup/
LogRocket is like a DVR for web apps, recording literally everything that happens on your site. LogRocket enables you to aggregate and report on errors to see how frequent they occur and how much of your user base they affect. You can easily replay specific user sessions where an error took place to see what a user did that led to the bug.
LogRocket instruments your app to record requests/responses with headers + bodies along with contextual information about the user to get a full picture of an issue. It also records the HTML and CSS on the page, recreating pixel-perfect videos of even the most complex single-page apps.
Enhance your JavaScript error monitoring capabilities – – Start monitoring for free.
In this article, we’ve counted the many benefits of new additions to JavaScript. These additions enhance the developer experience by reducing verbosity and increasing readability.
Below, check out a couple new features that we didn’t cover:
JSON.stringify
Sort stability
Hey there, want to help make our blog better?
Join LogRocket’s Content Advisory Board. You’ll help inform the type of content we create and get access to exclusive meetups, social accreditation, and swag.
Sign up nowLearn how to manage memory leaks in Rust, avoid unsafe behavior, and use tools like weak references to ensure efficient programs.
Bypass anti-bot measures in Node.js with curl-impersonate. Learn how it mimics browsers to overcome bot detection for web scraping.
Handle frontend data discrepancies with eventual consistency using WebSockets, Docker Compose, and practical code examples.
Efficient initializing is crucial to smooth-running websites. One way to optimize that process is through lazy initialization in Rust 1.80.
6 Replies to "New and potential ES2019 JavaScript features every developer should be excited about"
Great overview of these new features! I’m excited for them!
There’s a tiny typo for String.trimEnd. The header of the section is missing the “d”: String.trimEn
This is a well-compiled list. Nice work!
The article’s title is misleading. How can you refer to features that are still in proposal stages with TC39 as “ES2019 JavasScript Features”? One of them is only at Stage 1!!!
Correct me if I’m mistaken, but I believe your `String.trimEnd()` example is incorrect (the sample output is trimming spaces off both sides).
No it doesn’t trim spaces from both ends, just from the end of the string.
Yea that one, although very hotly awaited, is like a throw-in from the future, should perhaps be a bonus item at the end?