flatten a tree with a list of subtrees in Haskell

624 views Asked by At

I would like to flatten a tree which looks like this:

> data Tree a =  Leaf a
>              | Fork a [Tree a]
>              | Root [Tree a]

possible example:

Root [Fork 'a' [Fork 'b' [Leaf 'c'],Fork 'c' [Leaf 'b']],Fork 'b' [Fork 'a' [Leaf 'c'],Fork 'c' [Leaf 'a']],Fork 'c' [Fork 'a' [Leaf 'b'],Fork 'b' [Leaf 'a']]]

should become

["abc","acb","bac","bca","cab","cba"]

To explain why: I try to build kind of a permutation Tree. I wrote a function permute :: String -> Tree Char to visualize all possible permutations of an string into a Tree. But I dont get how to flatten this kind of tree. Thank you for help.

1

There are 1 answers

0
DTown On BEST ANSWER

My approach here comes out to a depth first search.

data Tree a =  Leaf a          
            | Fork a [Tree a]       
            | Root [Tree a]         
            deriving(Show)

dfs :: Tree a -> [[a]]
dfs (Root ts) = concatMap dfs ts
dfs (Fork v ts) = map (v:) (concatMap dfs ts) 
dfs (Leaf v) = [[v]]