Node Module Caching
Updated May 26, 2024Created March 31, 2017
One of the really powerful features of Node is the ability to naturally separate your code into modules that can be reused throughout your app.
When you require a file in Node, is it instantiated once and that instance passed around where required, or is the module instantiated each time it's required?
I wasn't sure so, instead of Googling, I wrote out a quick program to find out.
Creating visually unique objects
The first thing we need to do is be able to differentiate instances within JavaScript.
This makes sense. We assigned a
and b
to the same object when we defined them.
When you call a new object {}
, it creates a unique instance, but it's not visually different or immediately understandable.
Ruby {}.object_id
and Python id({})
both return the id's of the object - however JavaScript objects don't have an id. So in order to see a visual difference with a quick POC, we'll need some other way.
Math.random()
generates a unique number which is easy to see.
In the same format as above - replacing the {}
's yields a program we can look at and immediately understand without having to think about it.
We can use the above to generate clues about the behaviour of Node.
Predictions
Multiple Instances
IF node creates a new instance of the module every time we require it
THEN we would see
Math.random()
generate a new number every time.ANY
console.log
's in the module would appear as many times as the file is required.Single Instance
IF node creates a single instance of the module and passes it into where we require it
THEN we would see
Math.random()
generate only one number.ANY
console.log
's in the module would also only appear once.
Testing
Create the folder and file structure.
Write out the testing code.
random-number.js
instance-1.js
instance-2.js
index.js
Execute with node .
From the results we can clearly see that the instance is created and passed around, this shows that the second prediction is correct.
Creating Multiple Instances
Let's create the alternative scenario.
random-number.js
randomNumber
is now a function that is passed around. We will now need to execute it whenever we call it.
We can execute it immediately when we require it - require('...')()
index.js
, instance-1.js
, and instance-2.js
;
Execute with node .
Final Notes
You may be thinking we could probably have gotten away with just
However the above wouldn't meet all conditions.
Not all code contained within the module is executed. This would only execute the console.log
once when the module is instantiated, and not every time the module is required.
This may seem minor, however if the console.log
was replaced with something that was required to run every time, it wouldn't work as expected and could lead to a fun time debugging.
For example
No change. If we encapsulate runOnce
within the function we see a different result.
The above shows the code is executed each time it's run.