Back to all solutions
#144 - Binary Tree Preorder Traversal
Problem Description
Given the root of a binary tree, return the preorder traversal of its nodes' values.
Solution
/**
* Definition for a binary tree node.
* function TreeNode(val, left, right) {
* this.val = (val===undefined ? 0 : val)
* this.left = (left===undefined ? null : left)
* this.right = (right===undefined ? null : right)
* }
*/
/**
* @param {TreeNode} root
* @return {number[]}
*/
var preorderTraversal = function(root) {
return root
? [root.val, ...preorderTraversal(root.left), ...preorderTraversal(root.right)]
: [];
};