Mutable State with IORef
01 Feb 2013Introduction
Haskell goes to great lengths to control state but one way you can achieve mutable state in Haskell is by use of IORef. IORef
gives you the ability to assign a reference to a variable in the IO monad. This at least decorates your code in such a way that it’s obvious to you, the developer and Haskell that there will be side effects. Today’s post, I’ll create a very simple example usage of IORef
. We’ll construct a counter that we can increment and decrement.
Declaring our type
First of all, we import Data.IORef
to give us access to IORef
. We declare our counter data type using record style, the only member of which is the value that counts. It’s an IORef Int
to mean it references a variable in the IO
monad that will be of type Int
. So, it’s not so blatant that you’re dragging the integer value around with you, rather you’re dragging something closer to a pointer to the value or reference. To build one of our types, we need to use newIORef which references our actual value and we wrap it up in our Counter
data type.
makeCounter
takes in an initial integer that will seed our counter and returns a Counter
in the IO
monad. Getting our hands on the reference and doing something with it is pretty simple with the use of modifyIORef. Using this information, we can increment our counter with the following function.
modifyIORef
actually gives us the ability to pass a function to modify the referenced value. Be careful with modifyIORef
though. As with a lot of things in Haskell, this is lazy. We’re operating on IO
actions here so it’s all “promises to do something” or “will do it later when I need to” type operations, so repeatedly calling this without emitting the value will make these promises pile up. There is a strict and non-lazy evaluated version called modifyIORef'
. Finally, when we want to get our hands on the referenced value and do something with it (in our example here, we’ll just present it to screen) we use readIORef. readIORef
will take our IORef
and just made it a value in the IO
monad meaning we can simply use <-
to emit the value.
This all pretty straight forward. Seeing this Counter run from GHCI is pretty straight forward.
There you have it - mutable state with IORef.