I have a tree defined in Haskell like:
data NTree a = Nil | Tree a [NTree a] deriving Show
I want to 'flatten' the tree so that all the nodes appear in a list. I'm trying to do so by:
arrayify :: NTree Int -> [Int]
arrayify (x:xs) = x ++ arrayify xs
I can kind of tell that this is wrong, but I have no idea how to fix this. For reference, this is the error I'm getting:
• Couldn't match expected type ‘NTree Int -> [Int]’
with actual type ‘[Int]’
• Possible cause: ‘(++)’ is applied to too many arguments
In the expression: x ++ arrayify xs
In an equation for ‘arrayify’: arrayify = x ++ arrayify xs
Since
arrayify
expects anNTree Int
, you probably want to pattern match on the two data constructors, so:For the
Empty
case, you should return an empty list, for theTree v ts
you can make a list that starts withv
and then has thearrayify
s of the elements ofts
as children. You can use the(:) :: a -> [a] -> [a]
andconcatMap :: Foldable f => (a -> [b]) -> f a -> [b]
for this.But instead of writing
arrayify
yourself, you can let Haskell derive an instance ofFoldable
for yourNTree
:Then you can call
toList :: Foldable f => f a -> [a]
on anNTree
object.