c89ce6c490d3f86fc2b66c1722d47f382a9287d3
[lambda.git] / state_monad_tutorial.mdwn
1 This walks through most of [A State Monad Tutorial](http://strabismicgobbledygook.wordpress.com/2010/03/06/a-state-monad-tutorial/), which is addressed to a Haskell-using audience. But we convert it to OCaml. See our page on
2 [[Translating between OCaml Scheme and Haskell]].
3
4 Some of what we do here will make use of our [[monad library]] for OCaml.
5
6 As we discussed in [[week9]], a State monad is implemented with the type:
7
8         store -> ('a * store)
9
10 It's common practice to encapsulate this in some way, so that the interpreter knows the difference between arbitrary functions from a `blah` to a pair of something and a `blah` and the values that you've specially designated as being State monadic values.
11
12 The most lightweight way encapsulate it would be just to add a data constructor to the type. In the same way that the `'a option` type has the `None` and `Some` data constructors, we give our `'a state` type a `State` data constructor:
13
14         (* we assume that the store type has already been declared *)
15         type 'a state = State of (store -> ('a * store))
16
17 Then a function expecting an `'a store` will look for a value with the structure `State ...` rather than just one with the structure `...`.
18
19 To take a `State (s -> (a,s))` and get at the `s -> (a,s)` it wraps, you use the same techniques you use to take an `Some int` and get at the `int` it wraps:
20
21         let u = State (fun s -> (1, s))
22         in let State unwrapped_state = u
23         in ...
24
25 or:
26
27         let u = State (fun s -> (1, s))
28         in match u with
29           | State unwrapped_state -> ...
30         
31 There are two heavierweight ways to encapsulate the type of the State monad. One is used by our [[monad library]]---the type is hidden from the outside user, and only gets exposed by the `run` function. But the result of `run u` is not itself recognized as a monadic value any longer. You can't replace `u` in:
32
33         Monad.(u >>= ...)
34
35 with `run u`. So you should only apply `run` when you've finished building up a monadic value. (That's why it's called `run`.)
36
37 Of course you can do this:
38
39         let u = Monad.(...)
40         in let intermediate_result = Monad.run u 0
41         in let v = Monad.(u >>= ...)
42         in let final_result = Monad.run v 0
43         in ...
44
45 The other heavyweight way to encapsulate the type of a monad is to use records. See [here] (/translating_between_OCaml_Scheme_and_Haskell) and [here](/coroutines_and_aborts/) for some introduction to these. We don't use this design in our OCaml monad library, but the Haskell monad libraries do, and it would be good for you to get acquainted with it so that you can see how to ignore it when you come across it in Haskell-based literature. (Or you might want to learn Haskell, who knows?)
46
47 We'll illustrate this technique in OCaml code, for uniformity. See the [translation page](/translating_between_OCaml_Scheme_and_Haskell) about how this looks in Haskell.
48
49 To use the record technique, instead of saying;
50
51         type 'a state = State of (store -> ('a * store))
52
53 you'd say:
54
55         type 'a state = { state : store -> ('a * store) }
56
57 and instead of saying:
58
59         let u = State (fun s -> (1, s))
60         in let State unwrapped_state = u
61         in ...
62
63 you'd say:
64
65         let u = { state = fun s -> (1, s) }
66         in let unwrapped_state = u.state
67         in ...
68
69 That's basically it. As with the other two techniques, the type of `u` is not the same as `store -> ('a * store)`, but the relevant code will know how to convert between them.
70
71 The main benefit of these techniques is that it gives you better type-checking: it makes sure that you're only using your monadic values in the hygenic ways you're supposed to. Perhaps you don't care about that. Well, then, if you want to write all your own monadic code, you can proceed as you like. If you ever want to use other people's code, though, or read papers or web posts about monads, you will encounter one or more of these techniques, and so you need to get comfortable enough with them not to let them confuse you.
72
73 OK, back to our walk-through of "A State Monad Tutorial". What shall we use for a store? Instead of a plain `int`, let's suppose our store is a structure of two values: a running total, and a count of how many times the store has been modified. We'll implement this with a record. Hence:
74
75         type store' = { total : int; modifications: int };;
76
77 State monads employing this store will then have *three* salient values at any point in the computation: the `total` and `modifications` field in the store, and also the `'a` value that is then wrapped in the monadic box.
78
79 Here's a monadic box that encodes the operation of incrementing the store's `total` and wrapping the value that was the former `total`:
80
81         let increment_store : store' -> (int * store') =
82                 fun s ->
83                         let value = s.total
84                         in let s' = { total = succ s.total; modifications = succ s.modifications }
85                         in (value, s')
86
87 If we wanted to work with one of the encapsulation techniques described above, we'd have to proceed a bit differently. Here is how to do it with the first, lightweight technique:
88
89         let increment_store' : 'a state =
90                 State (fun s ->
91                         let value = s.total
92                         in let s' = { total = succ s.total; modifications = succ s.modifications }
93                         in (value, s'))
94
95
96 Here is how you'd have to do it using our OCaml monad library:
97
98         # use "path/to/monads.ml";;
99         # module S = State_monad(struct type store = store' end);;
100         # let increment_store'' : ('x,'a) S.m =
101                 S.(get >>= fun cur ->
102                    let value = cur.total
103                    in let s = { total = succ cur.total; modifications = succ cur.modifications }
104            in put s >> unit value);;
105
106 Let's try it out:
107
108         # let s0 = {total = 42; modifications = 3 };;
109         # increment_store s0;;
110         # - : int * store' = (42, {total = 43; modifications = 4})
111
112 Or if you used the OCaml monad library:
113
114         # S.(run(increment_store'')) s0;;
115         - : int * S.store = (42, {total = 43; modifications = 4})
116
117 Great!
118
119 Can you write a monadic value that instead of incrementing each of the `total` and `modifications` fields in the store, doubles the `total` field and increments the `modifications` field?
120
121 What about a value that increments each of `total` and `modifications` twice? Well, you could custom-write that, as with the previous question. But we already have the tools to express it easily, using our existing `increment_store` value:
122
123         increment_store >>= fun value -> increment_store >> unit value
124
125 That ensures that the value we get at the end is the value returned by the first application of `increment_store`, that is, the contents of the `total` field in the store before we started modifying the store at all.
126
127 You should start to see here how chaining monadic values together gives us a kind of programming language. Of course, it's a cumbersome programming language. It'd be much easier to write, directly in OCaml:
128
129         let { total = value } = s0
130         in (value, { total = s0.total + 2; modifications = s0.modifications + 2};;
131
132 But **the point of learning how to do this monadically** is that (1) monads show us how to embed more sophisticated programming techniques, such as imperative state and continuations, into frameworks that don't natively possess them (such as the set-theoretic metalanguage of Groenendijk, Stockhof and Veltman's paper); and (2) monads are delicious.
133
134 Keep in mind that the final result of a bind chain doesn't have to be the same type as the starting value:
135
136         increment_store >>= fun value -> increment_store >> unit (string_of_int value)
137
138 Or:
139
140         unit 1 >> unit "blah"
141
142 The store keeps the same type throughout the computation, but the type of the wrapped value can change.
143
144 What are the special-purpose operations that the `State_monad` module defines for us?
145
146 *       `get` is a monadic value that passes through the existing store unchanged, and also wraps that same store as its boxed value. You use it like this:
147
148                 ... >>= fun _ -> get >>= fun cur -> ... here we can use cur ...
149
150         As we've said, that's equivalent to:
151
152                 ... >> get >>= fun cur -> ...
153
154         You can also get the current store at the start of the computation:
155
156                 get >> = fun cur -> ...
157
158 *       `gets selector` is like `get`, but it additionally applies the `selector` function to the store before depositing it in the box. If your store is structured, you can use this to only extract a piece of the structure:
159
160                 ... >> gets (fun cur -> cur.total) >>= fun total -> ...
161
162         For more complex structured stores, consider using the `Ref_monad` version of the State monad in the OCaml library.
163
164 *       `put new_store` replaces the existing store with `new_store`. Use it like this:
165
166                 ... >> put new_store >> fun () -> ...
167
168         As that code snippets suggests, the boxed value after the application of `puts new_store` is just `()`. If you want to preserve the existing boxed value but replace the store, do this:
169
170                 ... >>= fun value -> put new_store >> unit value >>= ...
171
172 *       Finally, `puts modifier` applies `modifier` to whatever the existing store is, and substitutes that as the new store. As with `put`, the boxed value afterwards is `()`.
173
174         Haskell calls this operation `modify`. We've called it `puts` because it seems to fit naturally with the convention of `get` vs `gets`. (See also `ask` vs `asks` in `Reader_monad`, which are also the names used in Haskell.)
175
176
177 Here's an example from "A State Monad Tutorial":
178
179         increment_store >> get >>= fun cur ->
180                 State (fun s -> ((), { total = s.total / 2; modifications = succ s.modifications })) >>
181         increment_store >> unit cur.total
182
183 Or, as you'd have to write it using our OCaml monad library:
184
185         increment_store'' >> get >>= fun cur ->
186                 put { total = cur.total / 2; modifications = succ cur.modifications } >>
187         increment_store'' >> unit cur.total
188
189
190 The last topic covered in "A State Monad Tutorial" is the use of do-notation to work with monads in Haskell. We discuss that on our [translation page](/translating_between_OCaml_Scheme_and_Haskell).
191
192