I want to find the depth of an STree
but in my code it won't count the first level.
data STree = SNode Label [STree] deriving (Eq,Show)
tdepth :: STree -> Label
tdepth (SNode _ [])= 0
tdepth (SNode l s) = 1 + naiveSumList([tdepth t | t <- s])
naiveSumList :: [Int] -> Label
naiveSumList (x:xs) = x + (naiveSumList xs)
naiveSumList [] = 0
tdepth SNode _ []
must give 1 but how can I count the levels? Here are the STree
s I've been testing with:
s1 = SNode 1 []
s2 = SNode 1 [
SNode 2 [],
SNode 3 []
]
s3 = SNode 1 [
SNode 2 [
SNode 4 [],
SNode 5 [],
SNode 6 []
],
SNode 3 []
]
s4 = SNode 1 [
SNode 2 [
SNode 4 [],
SNode 5 [
SNode 7 []
],
SNode 6 []
],
SNode 3 []
]
My results with code example:
tdepth s1 = 0
tdepth s2 = 1
tdepth s3 = 2
tdepth s4 = 3
And results should be:
tdepth s1 = 1
tdepth s2 = 2
tdepth s3 = 3
tdepth s4 = 4
Let's start with the base case. You want
tdepth (SNode label [])
to return1
, so let's write that case:Now we need to know how to compute the depth of a tree. The depth of a tree is the number of nodes on the longest branch, and your examples of what you expect out of your function are precisely what we're looking for. Since we're looking for the longest branch, we should be finding the maximum of the depth of each branch. Luckily,
Prelude
already has amaximum :: Ord a => [a] -> a
function built in, so we can doOr equivalently (and the version I prefer)
However, I don't like the parentheses around
map tdepth branches
, and since we're working withInt
we can use thesucc
function that simply adds 1 to whateverInt
is passed to it:But you can use whatever version you like, all three are pretty much equivalent.
All together we now have
I do have one more problem with this, we've repeated our logic for the depth of a single node, is there any way we can reduce this problem to where we Don't Repeat Ourselves? If instead of checking for the base case, we figure out a way to make
maximum
return0
ifbranches == []
, then our function wouldn't need two statements. Unfortunately,maximum
currently errors if passed an empty list, but we can work around this pretty simply. All we have to do is ensure that the list passed tomaximum
always has at least one element in it:We can safely prepend
0
onto our depths because we know our depth will always be greater than 0, so callingmaximum
on that list will return a valid result. Now we have a single expression that will calculate the depth of a tree accurately without having to handle any special cases.