If you're like me and feel that there has to be an easier way of state-management, then you'd like what ActiveJS can do for you.
I feel like I'm selling snake-oil, but I spent the last 10 months trying to make state-management as intuitive and easy as possible because I couldn't stand the state-management in the state it is right now.
For efficient state-management, we need a few things
- data structures that are type-safe
- data structures that can emit events on mutation
- data structures that can guarantee immutability
- data structures that can be persisted through sessions
The title promised all this in one line of code, so here it is.
const dataUnit = new DictUnit({
id: 'data', immutable: true, persistent: true, cacheSize: Infinity,
initialValue: {a: 1}
})
// every option is optional, including the initialValue
// DictUnit has empty object {} as it's default value
(Okay 4 lines, but I formatted it so you don't have to scroll :)
JavaScript doesn't have anything like that, that's why ActiveJS came into existence, and with it came reactive data structures called Units, one of them is DictUnit, that stores and ensures a dictionary object value at all times.
You might have already got a feeling from the configuration options we passed to the DictUnit and guessed what it's all about, but to elaborate DictUnit is:
- Observable
- Reactive
- Type-Safe
- Immutable
- Persistent, and
- Cache-Enabled
Let's see what that means in the language we all understand, the code:
Observable
DictUnit extends RxJS Observable class, so you can subscribe to it and apply all the RxJS operators on it just as you would on an Observable.
// subscribe for the value
dataUnit.subscribe(value => console.log(value))
// logs {a: 1} immediately and will log future values
dataUnit instanceof Observable; // true
Reactive
When you update the value of a DictUnit it emits it to all the observers so that they get access to the latest value.
// non-functional dispatch
dataUnit.dispatch({b: 2, c: 3})
// observers get {b: 2, c: 3}
// now dataUnit's value is {b: 2, c: 3}
// functional-dispatch
dataUnit.dispatch(value => {return {...value, d: 4}})
// observers get {b: 2, c: 3, d: 4}
// we don't have to dispatch new values manually,
// DictUnit provides a better way to update properties
// update a single property
dataUnit.set('d', 5)
// observers get {b: 2, c: 3, d: 5}
// delete properties
dataUnit.delete('b', 'd') // 'b' and 'd' got yeeted
// observers get {c: 3}
// update multiple properties
dataUnit.assign({a: 1, b: 2})
// observers get {a: 1, b: 2, c: 3}
Type-Safe
A DictUnit ensures that at all times the value is always a dictionary object, it'll ignore any invalid value dispatch.
dataUnit.dispatch(['let', 'me', 'in']); // won't work
dataUnit.dispatch('let me in'); // won't work
dataUnit.dispatch(420); // won't work
dataUnit.dispatch(null); // won't work
dataUnit.dispatch(new Date()); // won't work
dataUnit.dispatch(() => new Date()); // won't work
There are 5 other Units just like DictUnit in ActiveJS, ListUnit to store array
, NumUnit to store number
, StringUnit to store string
, BoolUnit to store boolean
, and GenericUnit to store anything.
Immutable
The immutable flag makes sure that the DictUnit doesn't let the value get mutated in any way. Let's try to mutate it anyway.
const newValue = {c: 3};
dataUnit.dispatch(newValue) // works, value is {c: 3} now
// try mutating the newValue
newValue.c = 'hehe' // works, but
dataUnit.value() // still {c: 3}
// let's try a different approach
const currentValue = dataUnit.value() // {c: 3}
currentValue.c = 'gotcha' // works, but
dataUnit.value() // still {c: 3}
Persistent
The persistent flag makes the DictUnit persistent, such that whenever its value is updated, it saves that value to LocalStorage, so if we reinitialize a DictUnit with the same id
and persistent: true
flag, the DictUnit will restore its value from LocalStorage.
dataUnit.dispatch({c: 4}) // saved in LocalStorage
// after refreshing the browser-tab or reinitializing the DictUnit
dataUnit.value() // {c: 4}
// it restored the value from LocalStorage
Cache-Enabled
What if I told you that we can go back to all the previous values we just updated in previous examples, and then come back to the current value, yup Time-Travel is possible. All you need to provide is how many steps you want to be able to go back using the cacheSize
option, by default it keeps 2 values and supports up to Infinity.
// let's reinitialize the Unit to demonstrate cache-navigation
const dataUnit = new DictUnit({
cacheSize: Infinity, initialValue: {a: 1}
})
// now let's dispatch a bunch of values to fill the cache
dataUnit.dispatch({b: 2})
dataUnit.dispatch({c: 3})
dataUnit.dispatch({d: 4})
dataUnit.dispatch({e: 5})
// now the value is {e: 5}, and
// the cache looks like this [{a: 1}, {b: 2}, {c: 3}, {d: 4}, {e: 5}]
// go back 1 step
dataUnit.goBack()
// now value is {d: 4}
// go back 2 steps
dataUnit.jump(-2) // negative means back, positive means forward
// now value is {b: 2}
// jump to the last value in cache
dataUnit.jumpToEnd()
// now value is {e: 5}
// jump to the first value in cache
dataUnit.jumpToStart()
// now value is {a: 1}
// go forward 1 step
dataUnit.goForward()
// now value is {b: 2}
That's it, folks, all done.
There are still a few things that we haven't covered that DictUnit can do, and we also haven't covered things like managing asynchronous API calls. But maybe that's a topic for the next article.
In the meantime, stay safe, try to have fun, and head over to ActiveJS website or documentation to learn more about how it can help you manage state with minimum effort.
Here's the StackBlitz playground link if you want to try it out yourself.
Here's a link to the visual playground, which you can try out without writing any code.
Also, I forgot to tell you that this is my first ever article on any platform, please let me know if I did an okay job, or if there's something that I can improve.
Cheers
🌏 ActiveJS Website
📖 ActiveJS Documentation
🤾♂️ ActiveJS Playground
💻 ActiveJS GitHub Repo (drop a ⭐ maybe :)
Next Read: Asynchronous State Management with ActiveJS
Latest comments (45)
Woah, nice article! I was even more astonished when I read was your first! hehe
Didn't knew about ActiveJS, it seems really interesting!
Keep up the good work! Kudos!
Nice work ! Since you subscribe to variables and not store, how do you deal with this in a component-based app ? Do you need to susbscribe to all required values in each component ?
hey MadeInLagny, thanks :)
The general idea is that you access the Units directly, wherever required, however if two Units make more sense together, you can keep them separate but get their combined value by grouping them together using a Cluster.
But how do you access myGroup value in a component where it was not initialised ?
ahh I see, do you mean how to share a Unit or Cluster with multiple components?
you initialize them and export them from a separate file, then you can access them wherever needed, with a simple/direct import.
So yesterday I was feeling fed up with setting up redux and realizing
that the whole process was going to be a pain when I just needed simple
global state functionality.
Instead of the obvious 'searching for a good alternative' I just went and wrote a single file version instead.
gist.github.com/fl-y/dc500f0841fd1...
Quite pleased with myself,
on my way to work while scrolling through dev.to I noticed this gem.
I feel like this is pretty much what my prototype would have become with a LOT of hard work(But probably multitudes worse).
I sincerely thank you for sharing this project.
Going to try this out straight away :)
This is real nice. Probably try it out in my next project
I love that you use rxjs. I was going to write something similar (not so good) for my next project. It may be irrelevant, but what happens when LocalStorage is not available? Personally I use "Persistore" to handle storage, as I am confident in the falls back it offers. I haven't checked the Active source code yet. Do you think it could support plugins to handle persistence?
thanks :)
are you referring to usage in NodeJS environment? Because all modern browsers have localStorage afaik. And if it's not available then plugins won't be able to help there.
that being said, yes you can replace the storage used for persistence, anything that implements the Storage developer.mozilla.org/en-US/docs/W... interface can be used, see docs.activejs.dev/guides/persistence.
Interesting idea, but 'working' assignments which do nothing is very bad idea.
newValue.c = 'hehe' // works, but
dataUnit.value() // still {c: 3}
that is not acceptable IMO, must throw exception
thanks :)
There's an option to enable that behavior as well, but it's only recommended to be used in development mode, see
checkImmutability
flag in docs.activejs.dev/guides/developme...Well, I think that should be the only behavior.
ActiveJS is configured with most sensible defaults, and gives you the ability to configure it in your own way.
You can keep the
checkImmutability
check on in the production as well, but it's not something that ActiveJS or people much smarter than me recommend :)Have a look into Hookstate hookstate.js.org. it is truly one line state management, but covers a lot of use cases and takes care of rerendering performance without extra effort from a programmer
I'm just keeping track of how this guy shamelessly plugs his HookState library seemingly everywhere. Promoting it is quite ok, but comparing it this way is not... I mean, does it have to be a competition who has the best library??? I find this self-promotion quite distasteful.
Could you please do a favor for everybody on the internet and educate all others, who post comments pointing out to alternatives?
That would be easy because not a lot of them point to their OWN library as the "alternative". And much less would blatantly even imply that their library is the better one.
Your library is not bad at all, so just be careful not to leave a bad taste in people's mouths with your posts. It won't be doing your library any favor.
At least I am honest and publish it from my own single account and put a disclaimer. It would be quite naive to believe that "promotions" (not only about this category of libs) are done by other independent people if they are not done from "an owner's account".
I'm not trying to antagonize you. I just hate the idea that independent open source contributors like you will get a bad reputation due to their posts like this. I find publishing open source libs a noble thing to do, especially for people who don't earn a dime from it. You seem like you belong to this category, so I appreciate your efforts. I actually help promote work of libs that I personally use, as a way of giving back to the author/maintainer. If your posts triggered a bad reaction from me, it may happen with others too. So again I wouldn't wish you that misfortune.
You may not be asking for advice from me, but if it was me I would not want people thinking that I'm doing this to compete with the big guys (Redux, Recoil, etc.) which are backed by a big corporation and fanboys... And nor would I ever say that my lib is superior to another , popular or new one.... open source is not a popularity contest after all. As long as a number of people actually use your library, i.e. it is helping some folks out there, it means you already are doing a good job.
hey Andrey, kudos for the amazing things you're doing with hookstate.
I remember stumbling on hookstate at some time when I was searching for alternatives to reducer based state managers, I really liked the hookstate. But as I don't have much experience or use case for React, I had to move on. I guess that's one of the differences that sets ActiveJS apart, it can be used with any framework, or even without a framework as well.
This looks promising
Amazing work man!
hey Julio, what a surprise, great to see you here :)
thanks :)
Why not just use Akita? It's really simple and works well with vanilla JS -> datorama.github.io/akita/docs/addi...