Optional Chaining is a new feature available in Javascript. It is actually an ES2020 specification. Optional chaining allows developers to write code which are more readable and less verbose.
What is it?
Optional chaining as its name implies, helps us to chain the properties
of an object optionally. That is, we can chain properties of an object to many levels without having to expressly validate that each reference in the chain is valid.
What problem does it solve?
Consider the code sample below.
let person = {
name: "John Doe",
address: {
place: "New York",
city: "New York"
}
}
We can access the person's Place like this
let place = person.address.place
But this will throw an error if the address property is missing.
So we have to check if address
property exists before accessing its children
let place = person.address && person.address.place
Ok, but what if we have to access the children attribute of place
. We have to add validation check for place also.
let place = person.address
&& person.address.place
&& person.address.place.name
This became a nightmare when we have to access deeply nested objects or attributes.
So let's see how this problem can be solved using optional chaining.
let place = person.address?.place?.name
Much more readable and neater 🥰
How does it work?
The .?
operator functions similar to the .
chaining operator, except when an attribute or reference is null
or undefined
, the expression short-circuits with a value of undefined
.
For the above one-line code, it works like this.
First it check if person.address
is nullish
(null or undefined) or not. If it is nullish, then the expression immediately return undefined
without executing the remaining parts. Otherwise, it continues executing the next part of the expression.
Tell me more
Optional chaining is a great feature to easily access deeply nested object properties without intermediatory condition checks, but it is not limited to that.
Optional chaining became real handy on several other occasions.
Optional Chaining with function calls
Optional chaining operator can also validate function calls.
let message = resultObject.getMessage?.()
Dealing with optional callbacks
Optional chaining can also be used to check if a callback is defined.
function fetchApi(url, onSuccess, onError) {
// if error occured
onError?.('An error occured')
}
Accessing array items
It can also validate if an array has the specified index.
let item = arr?.[1]
Browser Support
At the time of writing, optional chaining is supported by only a few browsers. You can check the detailed browser compatibility here
Top comments (1)
Perhaps you can update the article to specify the support level of this feature in node.js, which is the other major javascript environment. also, react native support?