Tree Data Structures in JavaScript & PHP

Use Case:

Tree data structures are a hierarchical data structure that help users to organize and find data in a moderately efficient amount of time.

Trees are a very common structure in our day-to-day lives including computer file systems, the HTML document-object-model (DOM) on any given web page, and the likely management/employee structure at your place of employment. A file system would be a great use for tree data structures in an application.

Hey, Tyler here. I'm currently working on some great web development and digital marketing products and services over at ZeroToDigital.

If that sounds interesting to you, please check it out!

Below are my implementations of trees in both JavaScript and PHP, including:

  • Creating trees
  • Adding to trees
  • Removing from trees
  • Traversing a tree by way of depth-first traversal
  • Traversing a tree by way of breadth-first traversal
  • Seeing if a tree contains a specific value

Please review the code samples below and then reach out to me if you know of a better or more efficient way to implement!

JavaScript Tree Data Structure Implementation

Each value in a tree is called a node which contains the value and references to both its parent and its children. So let's create that first (we'll default to the parent value being null unless we let it know otherwise).

JavaScript

function Node(data) {
	this.data = data
	this.parent = null
	this.children = []
}

Now that we've outlined the operations for a node, we need to outline the treeitself.

The tree constructor creates a new instance of a node and then assigns that node as the tree's root. When it comes time for us to create the tree later, we'll do so directly with the tree constructor (and indirectly with the node function).

JavaScript

function Tree(data) {
	var node = new Node(data)
	this._root = node
	this._levels = 0
}

var tree = new Tree('one')

We now have the basic building blocks for creating a tree (and we even created one!), but we haven't made it very easy on ourselves (or our coworkers). Let's create a way for simple addition to the tree.

JavaScript

Tree.prototype.add = function(data, toParent, traversalType) {
	var child = new Node(data),
	parent = null,
	callback = function(node) {
		if (node.data === toParent) {
			parent = node
		}
	}

	this.contains(callback, traversalType)

	if (parent) {
		parent.children.push(child)
		child.parent = parent
	} else {
		throw new Error('Cannot add node to a non-existent parent.')
	}
}

Let's explain this. We've defined 3 parameters:

  • data: will contain the value of the new node that we're creating
  • toParent: will contain the value of the parent node that we're assigning it to as a child
  • traversalType: will be the type of traversal (depth-first or breadth-first - explained in a bit) that we've decided to use

We'll use these new values to create a new node, establish the parent (if found, else null), traverse to the location of the parent, and then push the newly added child node to the parent.

Finally, if we've entered an invalid parent value then we'll see an error message. Note that, although it'd be nice, we can't use this method for adding the first, root value to our tree since we need to declare a toParent value and not doing so would return an error. Since we'd need to initialize our tree by calling it anyway, we might as well pass an initial root value at that time.

We could then add a new node like so:

JavaScript

tree.add('two', 'one', tree.traverseBreadthFirst)

Since we know how to add, how could we then remove that same value? It gets a little more complicated, but let me show you how and then we'll walk through it.

JavaScript

function findIndex(arr, data) {
	var index;

	for (var i = 0; i < arr.length; i++) {
		if (arr[i].data === data) {
			index = i
		}
	}
	return index
}

Tree.prototype.remove = function(data, fromParent, traversalType) {
	var tree = this,
	parent = null,
	childToRemove = null,
	index

	var callback = function(node) {
		if (node.data === fromParent) {
			parent = node
		}
	}

	this.contains(callback, traversalType)

	if (parent) {
		index = findIndex(parent.children, data)

		if (index === undefined) {
			throw new Error('Node to remove does not exist.')
		} else {
			childToRemove = parent.children.splice(index, 1)
		}
	} else {
		throw new Error('Parent does not exist.')
	}
}

Right off the bat we've created a simple findIndex function to help us out. Then, as you'll see with the remote function, it looks similar to the add function in that we're defining 3 parameters (the only difference is that we're defining a fromParent rather than a toParent).

Inside the function we're setting the variables similar to before, locating the parent node and traversing the tree to find the location of the parent. Then, if the parent is located, we're using our helper function to locate the child node to be removed and then splicing it from the data structure via its index.

Very similar to our add function except that we're needing to identify the child's index here.

Okay, time for a short and sweet function: contains :

JavaScript

Tree.prototype.contains = function(callback, traversalType) {
	traversalType.call(this, callback);
}

tree.contains(function(node){
	if (node.data === 'four') {
		console.log(node)
	}
}, tree.traverseBreadthFirst)

First, we set up a short and sweet method that accepts 2 parameters - a callback and a traversalType.

When we call the contains function we can dive into the callback function a bit more. Here we'll invoke the traversal function on every node in our tree until we locate the node we're looking for. Once we find it, we'll just log the node to our console.

By now we've created a tree (and a node), added to it, removed from it and searched it for a specific node. All that is left to do at this point is to traverse it.

Here's the first way - depth-first traversal:

JavaScript

Tree.prototype.traverseDepthFirst = function(callback) {
	(function recurse(currentNode) {
		for (var i = 0, length = currentNode.children.length; i < length; i++) {
			recurse(currentNode.children[i])
		}
		callback(currentNode)
	})(this._root)
}

tree.traverseBreadthFirst(function(node) {
	console.log(node.data)
})

With depth-first traversal in tree data structures, we search the tree by starting with the first child, its first child and its first child (and so on) until there are no additional levels. Then, we search all children of the lowest level before moving to the parent and traverse it and its siblings. Then we'll move to their parent and etcetera.

We only have one parameter here and it's the callback function that we'll call when we actually call this traversal function.

Inside, we will:

  • Invoke our recursive function which will continue to call itself until the entire tree is traversed
  • Call the recursive function on all of the children of all of the parent nodes discovered in the tree

You wouldn't necessary use this function by itself, but rather in the previous examples (e.g. add, remove, contains) as a traversal option, but since we used it in each of those examples we needed to know what it did!

The other option would be breadth-first traversal:

JavaScript

Tree.prototype.traverseBreadthFirst = function(callback) {
	var queue = []
	queue.push(this._root);
	currentTree = queue.shift();
	while(currentTree){
		for (var i = 0, length = currentTree.children.length; i < length; i++) {
			queue.push(currentTree.children[i]);
		}
		callback(currentTree);
		currentTree = queue.shift();
	}
}

tree.traverseBreadthFirst(function(node) {
	console.log(node.data)
})

Where as depth-first traversal starts by locating the children of each parent, breadth-first traversal searches a tree data structure one level at a time. Each node is visited in a level before advancing to the next, deeper level (if one exists).

The difference in the function is that we're keeping track of each parent node in a queue data structure that we'll push to (enqueue) and shift from (dequeue) as we knock each parent's children off of our list post traversal.

BONUS: get the height of your tree data structure.

You may be asked to find the height of a tree data structure - the number of edges on the longest path between a node and a descendant leaf (Wikipedia). Here's how you can do it:

JavaScript

Tree.prototype.height = function() {
	var levels = 0;
	var parents = [];

	(function recurse(currentNode) {
		for (var i = 0, length = currentNode.children.length; i < length; i++) {
			if (currentNode.children) {
				if(!parents.includes(currentNode)) {
					levels++
					parents.push(currentNode)
				}
				recurse(currentNode.children[i])
			}
		}
	})(this._root)
	return levels
}

console.log(tree.height())

We're using a function similar to depth-first traversal with our new height function, but instead of logging anything we're just incrementing our levels variable originally declared in Tree constructor toward the beginning of this exercise.

We've also declared a parents array that we'll push to and compare against so as not to increment levels with each child, only when we're on a new parent's child.

Finally, we're returning the height value.

PHP Tree Data Structure Implementation

PHP

class Node {
	function __construct ($data) {
		$this->data = $data;
		$this->parent = null;
		$this->children = array();
	}
}

class Tree {

	// Create tree
	function __construct ($data) {
		$node = new Node($data);
		$this->root = $node;
		$this->levels = 0;
	}

Fairly the same here so far except that we're creating both Node and Tree as PHP classes and then setting their respective values using the__constructfunction and passing the data via parameter.

Note that the remainder of this code will be inside of the Tree class.

PHP

// Add
function add($data, $toParent) {
	$child = new Node($data);
	$parent = false;
	$results = $this->traverseBreadthFirst();

	foreach($results as $result) {
		if($result->data == $toParent) {

			// Add as child to node
			$result->children[] = $child;

			// Add node as child's parent
			$child->parent = $result->data;

			// Parent located so true
			$parent = true;
		}
	}

	if($parent == false) {
		echo "Error: Cannot add node to non-existent parent.";
	}
}

When adding to a PHP tree, we're first capturing the results of the breadth-first traversal (see below) then iterating through those results to find the parent node with which we can add the child to. Then we're designating the parent in the child node and setting parent to true so as not to return the error message.

PHP

// Remove
function remove($data, $fromParent) {
	$results = $this->traverseBreadthFirst();
	foreach($results as $result) {
		if($result->data == $fromParent) {
			$i = 0;
			foreach($result->children as $child) {
				if($child->data == $data) {
					unset($result->children[$i]);
					break;
				}
				$i++;
			}
		}
	}
}

I don't love this implementation (with all of the looping). There's gotta be a more efficient way (let me know if there is!), but to remove a node we're gathering the results of our traversal, iterating through them to find the parent, then iterating through the parent's children to find the child that we're then removing from the parent.

We're iterating the value of i so that, when removing the child, we can do so via the index value of the child in the parent's array.

PHP

// Contains
function contains($data) {
	$results = $this->traverseBreadthFirst();
	foreach($results as $result) {
		if($result->data == $data) {
			return $result;
		}
	}
}

When searching for a value in the tree, we're first, like previous implementations, gathering the results of the traversal then looping through each result until we can confirm that we've found the one we're looking for.

PHP

// Depth-first traversal
function traverseDepthFirst() {
	function recurse($currentNode, &$results = array()) {
		$length = count($currentNode->children);
		for ($i = 0; $i < $length; $i++) {
			$results[] = $currentNode->children[$i];
			recurse($currentNode->children[$i], $results);
		}
	}
	recurse($this->root, $results);
	return $results;
}

// Breadth-first traversal
function traverseBreadthFirst() {
	$queue = array();
	$queueIndex = 1;
	$results = array();

	array_push($queue, $this->root);
	array_push($results, $this->root);

	$currentTree = $queue[0];
	unset($queue[0]);

	while($currentTree) {
		$length = count($currentTree->children);
		for ($i = 0; $i < $length; $i++) {
			array_push($queue, $currentTree->children[$i]);
			array_push($results, $currentTree->children[$i]);
		}
		if(count($queue) > 0) {
			$currentTree = $queue[$queueIndex];
			unset($queue[$queueIndex]);
		} else {
			$currentTree = false;
		}
		$queueIndex++;
	}
	return $results;
}

Here are our 2 traversals - depth-first and breadth-first. The trickiest part here is to pass the $results array variable via recursion so that we could add to it and then return it to save our results.

In the breadth-first traversal method we don't quite have that same problem as we're not implementing recursion.

As far as the height is concerned, my method is currently buggy so I'm not going to post that and cause others to stumble. Hopefully I'll be replacing this sentence with that implementation shortly!

Tweet me @tylerewillis

Or send an email:

And support me on Patreon