<script src='https://cdnjs.cloudflare.com/ajax/libs/lodash.js/4.17.5/lodash.min.js'></script>
var obj = {a: {b: {c: {d: 1}}}}
var badObj = {}
obj?.a?.b?.c?.d
badObj?.a?.b?.c?.d ?? 2
_.get(obj, "a.b.c.d")
_.get(badObj, "a.b.c.d", 2)
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
Optional Chaining | |
Lodash |
Test name | Executions per second |
---|---|
Optional Chaining | 254689728.0 Ops/sec |
Lodash | 8923687.0 Ops/sec |
The benchmark provided compares two different methods of safely accessing nested properties within an object:
_.get
function using a default parameter with nullish coalescing.The benchmark focuses on:
obj
) and handling cases where the path might not exist by providing a fallback value (2 in this case) when accessing a property that yields undefined
or null
.Syntax: obj?.a?.b?.c?.d ?? 2
Description:
?.
operator is used to access the properties of an object without throwing an error if the property does not exist. If any part of the chain is undefined
or null
, the expression will return undefined
, and subsequently, the ??
operator provides a fallback value (2).Pros:
Cons:
_.get
Syntax: _.get(obj, "a.b.c.d", 2)
Description:
_.get
function safely accesses properties using a string path and accepts a default value if the property does not exist. If the specified path does not exist, it returns the provided default value.Pros:
Cons:
The given benchmark results show a significant performance difference:
Performance: From the benchmark results, optional chaining is vastly more efficient. For scenarios where performance is critical, especially in loops or frequently executed code, optional chaining is preferable.
Readability: The syntax for optional chaining is generally cleaner and directly incorporates default values with nullish coalescing, useful for clarity.
Backward Compatibility: For large projects needing compatibility with older environments that do not support new JavaScript features, Lodash might still be a viable option for maintaining broader support.
Alternatives: Other potentially similar approaches include:
if
statements to check each property level, which can be verbose.undefined
values, but can lead to less readable code.In summary, the choice between optional chaining and Lodash's _.get
will depend on the specific project requirements, including the target environment's JavaScript support, performance considerations, and the project's codebase maintainability.