Given an input representing a filesystem, and two files, find the closest folder containing both files.
function findParent(root, a, b) {
//implement this function
}
class FileNode {
children: Array<FileNode>
name: string
constructor(name) {
this.children = [];
this.name = name;
}
addChild(file: FileNode) {
this.children.push(file)
}
}
/*
Example
root ->
a ->
c
d
b
*/
const root = new FileNode('root')
const [a,b,c,d] = ['abcd'].split('').map(char => new FileNode(char))
root.addChild(a)
root.addChild(b)
a.addChild(c)
a.addChild(d)
findParent(root, a, b)
//-> root
findParent(root, c, d)
//-> a
We expect you to:
Tips: