Created
November 6, 2017 03:20
-
-
Save AdrianFerreyra/c71dd24ccfef629c17bf58b765da1c0a to your computer and use it in GitHub Desktop.
longest path on binary tree (DFS)
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
/* | |
Given a tree of nodes that looks like this: | |
A | |
/ \ | |
B G | |
/ \ \ | |
C D H | |
/ \ | |
E F | |
Come up with an algorithm that determines the longest path from each node in the tree. | |
*/ | |
import Foundation | |
enum BinaryTree: CustomStringConvertible { | |
case empty | |
indirect case node(BinaryTree, String, BinaryTree) | |
var description: String { | |
switch self { | |
case .empty: | |
return "empty" | |
case .node(_, let string, _): | |
return string | |
} | |
} | |
var longestPath: [BinaryTree] { | |
switch self { | |
case .empty: | |
return [] | |
case .node(let leftBranch, _, let rightBranch): | |
let leftPath = leftBranch.longestPath | |
let rightPath = rightBranch.longestPath | |
if leftPath.count >= rightPath.count { | |
return [self] + leftPath | |
} else { | |
return [self] + rightPath | |
} | |
} | |
} | |
} | |
let tree = BinaryTree.node(.node(.node(.node(.empty, "E", .empty), "C", .node(.empty, "F", .empty)), "B", .node(.empty, "D", .empty)), "A", .empty) | |
print(tree.longestPath) | |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment