I am trying to form an infinite grid like data structure by tying the knot.
This is my approach:
import Control.Lens
data Grid a = Grid {_val :: a,
_left :: Grid a,
_right :: Grid a,
_down :: Grid a,
_up :: Grid a}
makeLenses ''Grid
makeGrid :: Grid Bool -- a grid with all Falses
makeGrid = formGrid Nothing Nothing Nothing Nothing
formGrid :: Maybe (Grid Bool) -> Maybe (Grid Bool) -> Maybe (Grid Bool) -> Maybe (Grid Bool) -> Grid Bool
formGrid ls rs ds us = center
where
center = Grid False leftCell rightCell downCell upCell
leftCell = case ls of
Nothing -> formGrid Nothing (Just center) Nothing Nothing
Just l -> l
rightCell = case rs of
Nothing -> formGrid (Just center) Nothing Nothing Nothing
Just r -> r
upCell = case us of
Nothing -> formGrid Nothing Nothing (Just center) Nothing
Just u -> u
downCell = case ds of
Nothing -> formGrid Nothing Nothing Nothing (Just center)
Just d -> d
For some reason, this is not working. As seen here:
*Main> let testGrid = (set val True) . (set (right . val) True) $ makeGrid
*Main> _val $ _right $ _left testGrid
False
*Main> _val $ _left $ _right testGrid
False
*Main> _val $ testGrid
True
Where am I going wrong?
@Fyodor's answer explains why your current approach won't work.
One common way of accomplishing this in functional languages is using zippers (not to be confused with
zip
or related functions).The idea is that the zipper is a representation of the data structure focused on a particular portion (e.g., a cell in the grid). You can apply transformations to the zipper to "move" this focus around, and you can apply different transformations to query or "mutate" the data structure relative to the focus. Both types of transformations are purely functional -- they act on an immutable zipper and just create a new copy.
Here, you can start with a zipper for an infinite list with position information:
This
Zipper
is intended to be a representation of a doubly infinite list (i.e., a list that's infinite in both directions). An example would be:This is intended to represent the list of all (positive and negative) integer multiples of ten focused at value
0
, position0
and it actually uses two Haskell infinite lists, one for each direction.You can define functions to move the focus forward or back:
so that:
Now, a
Grid
can be represented as a zipper of rows, with each row a zipper of values:together with a set of focus-moving functions:
You can define a getter and setter for the focused element:
and it may be convenient to add a function that moves the focus back to the origin for display purposes:
Finally, with a function that creates an all-
False
grid:you can do things like:
The full example: