I need to create a function that makes a board of size row and column and then populate that with zeros. mkBoard 2 3 would make [[0,0,0],[0,0,0]]
I don\'t really know w
As @arrowd already mentioned, there is a replicate
function for take n (repeat x)
. You can create one row of your board with replicate n 0
, and then create a board of such rows like mkBoard m n = replicate m (replicate n 0)
.
Also you can create more generic version of this function to fill the field with any value:
genericMkBoard :: a -> Int -> Int -> [[a]]
genericMkBoard x m n = replicate m (replicate n x)
And define your mkBoard
with partial application:
mkBoard = genericMkBoard 0
UPD: Also you can make it like this to be more consistent with replicate
(thanks to @chepner):
replicate2D m n x = replicate m (replicate n x)
mkBoard m n = replicate2D m n 0