You can check out more of my tutorials and articles on my main blog. Enjoy the article!
While Lodash may have become a staple in any JavaScript developer's toolkit, a lot of the methods in it have slowly migrated over to being part of JavaScript itself or rather part of the EcmaScript spec.
Lodash isn't huge, in fact, it's very light, and properly imported and tree-shaken, its size can be negligible but why bother with all of that if you might not need it in the first place?
Here's a collection of my favorite Lodash methods and how to substitute them with ES2015+ native methods. Sometimes the substitution is 1-to-1, sometimes it's not. I'll make sure to note that
Note: Lodash methods tend to be super short and sweet. If you've never looked through an open source codebase, I highly recommend Lodash's github repo
_.toArray: Object.values + Array.from
Simply put, you're converting something into an array. Most commonly, I've used this method to convert a lookup object like so:
const postAuthors = {
'Antonin Januska': { id: 1, name: 'Antonin Januska', role: 'author' },
'JK Rowling': { id: 2, name: 'JK Rowling', role: 'real author' },
};
into an iterable array for display purposes. Well now, I can use this method:
const postAuthorsArray = Object.values(postAuthors);
/** result:
[
{ id: 1, name: 'Antonin Januska', role: 'author' },
{ id: 2, name: 'JK Rowling', role: 'real author' }
]
**/
Look up objects can be handy for creating unique lists, aggregating data, and well, looking things up. More often than not, that object then has to be converted into an array to be used for other things.
What about Array.from
? Well, _.toArray
supports converting other variable types into arrays, not just objects. For those, Array.from
makes more sense. Here are some examples:
const dnaStrand = 'gattaca';
const dnaArray = Array.from(dnaStrand); // results in ['g', 'a', 't', 't', 'a', 'c', 'a'];
const someNumber = 3;
const result = Array.from(someNumber); // results in []. Not sure what this is used for but lodash supports this
Unfortunately, that's where the 1-to-1 parity ends. Neither Array.from nor Object.values supports converting nulls into empty arrays.
_.clone: Object/Array spread
Cloning an object or an array is pretty useful. In either case, manipulating the result means that you don't affect the source data. It can also be used to create new objects/arrays based on some template.
JavaScript does not have a shortcut for deepClone so be wary, nested objects are not cloned and the references are kept. Also, cloning an array of objects makes the array safe to manipulated, not the objects themselves.
There are several ways to achieve the same result, I'll stick to object/array spread:
const clonedObject = { ...sourceObject };
const clonedArray = [ ...sourceArray ];
Unlike lodash, utilizing JavaScript's built-in methods requires you to know their type. You can't spread an object into an array and vice-versa to achieve a clone.
.assign/.extend: Object.assign
Assign/extend allow you to essentially "merge" an object into another object, overwriting its original properties (note: this is unlike _.merge
which has some caveats to it). I actually use this all the time!
To achieve this without lodash, you can use Object.assign
which the lodash docs even reference.
const sourceObject = { id: 1, author: 'Antonin Januska' };
Object.assign(sourceObject, {
posts: [],
topComments: [],
bio: 'A very cool person',
});
/** result:
{
id: 1,
author: 'Antonin Januska',
posts: [],
topComments: [],
bio: 'A very cool person',
}
note: this is still sourceObject
**/
Object.assign will fill use the 2nd (3rd, 4th, etc.) arguments to fill in the sourceObject
.
What if you want the result to be a new object and keep immutability? EASY, just specify an empty object as the first argument!
const sourceObject = { id: 1, author: 'Antonin Januska' };
const finalObject = Object.assign({}, sourceObject, {
posts: [],
topComments: [],
bio: 'A very cool person',
});
// note: sourceObject is a separate object from finalObject in this scenario
In fact, before object spread, you'd just use Object.assign({}, whateverObject)
to do a shallow clone.
Bonus: _.flatten: Array.smoosh
Flatten is being considered to be part of EcmaScript but due to various problems and issues, there has been a (joke?) nomination to rename it smoosh
. I have my own thoughts on the matter but hopefully, sometime soon, you'll be able to use Array.smoosh
on your favorite deeply nested arrays.
So what does flatten/smoosh do? It takes an array of arrays, and makes it a single array. So let's say some API looked at your Twitter lists and picked the best tweets from each list and you wanted to combine them into a feed of its own, you might use flatten for this:
const sourceArray = [
[ 'tweet 1', 'tweet 2', 'tweet 3'],
[ 'tweet 4', 'tweet 5'],
[ 'tweet 6', 'tweet 7', 'tweet 8', 'tweet 9']
];
const feed = Array.smoosh(sourceArray);
/** result:
[ 'tweet 1', 'tweet 2', 'tweet 3', 'tweet 4', 'tweet 5', 'tweet 6', 'tweet 7', 'tweet 8 ', 'tweet 9' ];
**/
Top comments (20)
Extremely quick and dirty homebrew of a flatten function:
EDITED: Return a fresh array instead of modifying flatArray. Clearer, less prone to nitpickery.
It's a little confusing to simultaneously use
reduce
andpush
. Usereduce
when you're actually computing a new value, use afor of
loop when you're mutating things in a loop.Your first example chokes on
[1,[2,3,[4]],5,[6,7]]
, throwing an error. Worse, on['yo',['dawg','I',['herd']],'you',['like','arrays']]
it breaks in a number of interesting ways, spreading some strings, failing to spread some arrays.It is an implementation of the join function for arrays, and works with arrays of arrays, not arrays of mixed objects.
If you need it to work with mixed objects you'll need a recursive call (or
ap
+pure
):Anyway, the point is to avoid mutation in the
reduce
, whatever it is you may be implementing.At this point it honestly seems like you're just trying to score points against me, in some way. I am disinterested in continuing that.
Sorry to hear you feel that way. I was just suggesting that using mutation in
reduce
is confusing, didn't mean for it to turn into this long-running back and forth.The array I am pushing to is the accumulator of the reduce call, though. I'm pushing the elements of each array found, once flattened.
It works like a classic head/tail recursion, if an element is an array it first gets flattened itself, then it's elements are pushed onto the accumulator.
That's fine, but as I said, it's confusing to use
reduce
and mutation simultaneously. You're passing[]
as a seed value, so the only thing that got mutated was that seed array. If you'd usedarray.reduce((flatArray, item) => ...)
without the seed value (which would be fine but for the mutation), it would end up filling the first item in the input array you were passed.In general it's easier on the fallible human developer to make mutation look like mutation and pure computation look like pure computation.
The only way it would matter here is if you somehow changed the function to make
flatArray
available while the function was running. I'm not even sure how you'd do that. But I do want to point your attention to the words, used above: "quick and dirty"...Yeah, I was thinking about posting code snippets that replace Lodash but then I quickly realized that Lodash is SUPER lightweight to begin with and can do this stuff much better than any snippet I can write. Plus docs/tests/code coverage/edge case solutions are part of using Lodash.
You can check it out here and for convenience, here's a copy:
I admit I hesitate to call that bit lightweight, at least in terms of reading and understanding it.😀
Your point re. testing and edge cases and so forth is well seen. My example was mainly to give an alternative where a native function does not currently exist.
Lightweight in size! Especially if you import only what you need. eg:
Reading it isn't too bad but their looping is bizarre to me. It's done for memory/speed use but counting down from a number in a while loop instead of doing a for loop baffles me but I understand they have reasons for it.
Quick way to flatten 1 deep
const feed = [].concat(...sourceArray)
i do the same ;)
wow. That's awesome! It took me a few to figure out how this works.
Great article! Whenever I feel like I need to add Lodash to a new project I try to solve my immediate needs with plain Javascript first. Turns out most of the times that's enough.
It's an awesome library, but I like to keep my projects as simple as possible.
You can also use mutlple sources in the RHS of a spead expression to get a merge
do you mean like this?
My only issue with it is that it doesn't recursively merge. It's fine for flat objects. I use this pattern pretty often at work, sometimes in conjunction with lodash.
For instance, I use Objection for ORM and it has "computed properties" that need to be accessed in order to get the value, they're not serialized when doing
toJSON
so I often resort to:EDIT Totally forgot, this is a pretty common pattern in Redux!
Completely agree. Its shallow like Object.assign. I was just say is an alternative to it really.
measurethat.net/Benchmarks/Show/29...