Created
March 12, 2017 07:09
-
-
Save vitkarpov/8234c9473c2206933ed05668db340cff to your computer and use it in GitHub Desktop.
"Cracking the coding interview", Trees and Graphs, 4.2
This file contains hidden or 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
/** | |
* Конструктор узла дерева. | |
* Каждый узел имеет 2 ссылки: левую и правую части поддерева. | |
*/ | |
class Node { | |
constructor(data) { | |
this.data = data; | |
this.left = null; | |
this.right = null; | |
} | |
} | |
/** | |
* По переданному отсортированному массиву | |
* создается сбалансированное дерево бинарного поиска | |
*/ | |
function createBalancedTree(arr) { | |
return _createBalancedTree(arr, 0, arr.length - 1); | |
} | |
/** | |
* Рекурсивно создает узлы для каждой «половинки» массива: | |
* левая и правые части превращаются в соответствующие поддеревья | |
*/ | |
function _createBalancedTree(arr, start, end) { | |
if (end < start) { | |
return null; | |
} | |
const mid = Math.floor((start + end) / 2); | |
const node = new Node(arr[mid]); | |
node.left = _createBalancedTree(arr, start, mid - 1); | |
node.right = _createBalancedTree(arr, mid + 1, end); | |
return node; | |
} |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment