Trying to figure out how the IO monad works.
Using the code below I read filenames.txt
and use the results to rename files in the directory testfiles
. This is obviously unfinished, so instead of actually renaming anything I log to console. :)
My questions are:
- I call
runIO
twice, but it feels like it only should be called once, in the end? - I'm want to use
renameIO
instead ofrenaneDirect
but can't find the proper syntax.
Any other suggestions are also appreciated, I'm new to FP!
var R = require('ramda');
var IO = require('ramda-fantasy').IO
var fs = require('fs');
const safeReadDirSync = dir => IO(() => fs.readdirSync(dir));
const safeReadFileSync = file => IO(() => fs.readFileSync(file, 'utf-8'));
const renameIO = (file, name) => IO(() => console.log('Renaming file ' + file + ' to ' + name + '\n'));
const renameDirect = (file, name) => console.log('Renaming file ' + file + ' to ' + name + '\n');
safeReadFileSync("filenames.txt") // read future file names from text file
.map(R.split('\n')) // split into array
.map(R.zip(safeReadDirSync('./testfiles/').runIO())) // zip with current file names from dir
.map(R.map(R.apply(renameDirect))) // rename
.runIO(); // go!
You're not too far off a solution.
Too avoid the second call to
runIO
you can make use of the fact that theIO
type in Ramda Fantasy implements theApply
interface from the fantasyland spec. This allows you to lift a function (like yourrenameDirect
) to accept arguments of theIO
type and apply the function to the values contained within theIO
instances.We can make use of
R.ap
here, which has a signature (specialised here toIO
) ofIO (a -> b) -> IO a -> IO -> b
. This signature suggests that if we have anIO
instance that contains a function that takes some typea
and returns some typeb
, along with anotherIO
instance that contains some typea
, we can produce anIO
instance containing some type ofb
.Before we get into that, we can make a slight change to your use of
R.zip
thenR.apply(renameDirect)
by combining the two usingR.zipWith(renameDirect)
.Now your example can now look like:
In this example we've created an instance of
IO (a -> b)
here by callingR.map(R.zipWith(renameDirect), files)
which will partially applyR.zipWith(renameDirect)
with the value stored infiles
. This is then given toR.ap
along with thenames
value, which will produce a newIO
instance containing the effective result of something equivalent toIO(() => R.zipWith(renameDirect, value.runIO(), names.runIO())
Now because having to call
R.map
to partially apply against the first argument toR.ap
tends to be a bit clunky, there is another helper functionR.lift
that can be useful for this purpose, which takes care of the job of lifting a given function to produce a new function that now acceptsApply
instances.So in the above example:
Can be simplified to: