Skip to content
js
/*
 * @lc app=leetcode.cn id=538 lang=javascript
 *
 * [538] 把二叉搜索树转换为累加树
 */

// @lc code=start
/**
 * 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 {TreeNode}
 */
var convertBST = function (root) {
  let sum = 0;
  const dfs = (root) => {
    if (!root) {
      return null;
    }
    dfs(root.right);
    sum += root.val;
    root.val = sum;
    dfs(root.left);
    return root;
  };
  return dfs(root);
};
// @lc code=end

上次更新于: