In haskell IO type has instance of Monoid:
instance Monoid a => Monoid (IO a) where
mempty = pure empty
if I have three actions which share some state, and change behavior of each other via side effect, this can lead to breaking associativity law, from IO type point of view:
a1:: IO String
a2:: IO String
a3:: IO String
(a1 mappend
a2) mappend
a3 /= a1 mappend
(a2 mappend
a3)
for example if a1,a2,a3 request current time in string, or IO contains some DB which counts for request number. This mean that it can be:
(a1 `mappend` a2) `mappend` a3 == "1"++"2"++"3"
a1 `mappend` (a2 `mappend` a3) == "3"++"1"++"2"
EDIT:
I think I shouldn't have given an example with a db, it confused, more preferred example:
a1 = show <$> getUnixTime
a2 = show <$> getUnixTime
a3 = show <$> getUnixTime
l = (a1 `mappend` a2) `mappend` a3
r = a1 `mappend` (a2 `mappend` a3)
liftA2 (==) l r
**False**
So why IO type is monoid if it can break associativity law? or I missing something?
a1 `mappend` (a2 `mappend` a3)
does not run in the ordera2
,a3
anda1
. In contrast to imperative languages like Python for example, in Haskell anIO a
is not some result of a computation, it is a recipe to produce a value ofa
. You can actually see anIO
more like a continuation in Python, you pass a function such that eventually it can be called, but you do not call it directly.The
mappend
function is implemented asliftA2 (<>)
for theSemigroup a => Semigroup (IO a)
instance, as we can see in the source code:This thus means that
mappend
is implemented as:so it runs
f
beforeg
.If we now look at
(a1 `mappend` a2) `mappend` a3
, we see:which is equivalent to:
If we then look at
a1 `mappend` (a2 `mappend` a3)
then this is equivalen to:which is equivalent to:
Since
x1 <> (x2 <> x3)
is equivalent to(x1 <> x2) <> x3
, this will thus return the same result in both items.As for your test:
Notice that the
liftA2 (==)
again will define a sequence, so that means that yourliftA2 (==) l r
is defined as:You thus run
r
afterl
.If you make use of
State
monad, you can make it more clear what will happen, and validate if the rule is applied. You need to reset the state betweenl
andr
however.