算法学习记录

题目来源leetcode,持续更新

学习文档

动态规划

动态规划详解

https://juejin.im/post/5e86d0ad6fb9a03c387f3342#heading-3

递归与动态规划

https://leetcode-solution.cn/solutionDetail?url=https%3A%2F%2Fapi.github.com%2Frepos%2Fazl397985856%2Fleetcode%2Fcontents%2Fthinkings%2Fdynamic-programming.md

常用算法

递归和动态规划

纯粹的函数式编程中没有循环,只有递归。

递归

递归三要素

  1. 一个问题的解可以分解为几个子问题的解
  2. 子问题的求解思路除了规模之外,没有任何区别
  3. 有递归终止条件

时间复杂度

……

动态规划

如果说递归是从问题的结果倒推,直到问题的规模缩小到寻常。 那么动态规划就是从寻常入手, 逐步扩大规模到最优子结构。

动态规划两要素

  1. 状态转移方程
  2. 临界条件

动态规划本质上是将大问题转化为小问题,然后大问题的解是和小问题有关联的,换句话说大问题可以由小问题进行计算得到。

这一点是和递归一样的, 但是动态规划是一种类似查表的方法来缩短时间复杂度和空间复杂度。

解题记录

前序遍历

/**
 * Definition for a binary tree node.
 * function TreeNode(val) {
 *     this.val = val;
 *     this.left = this.right = null;
 * }
 */
/**
 * @param {TreeNode} root
 * @return {number[]}
 */

var preorderTraversal = function(root) {
    if (!root) return []
    const stack = [root]
    const result = []
    while(stack.length) {
        const node = stack.pop()
        result.push(node.val) 
        if (node.right) {
            stack.push(node.right)
        }
        if (node.left) {
            stack.push(node.left)
        }
    }
    return result
};

中序遍历

/**
 * Definition for a binary tree node.
 * function TreeNode(val) {
 *     this.val = val;
 *     this.left = this.right = null;
 * }
 */
/**
 * @param {TreeNode} root
 * @return {number[]}
 */
var inorderTraversal = function(root) {
    let node = root
    const stack = []
    const result = []
    while(stack.length || node != null) {
        while(node) {
            stack.push(node)
            node = node.left
        }
        node = stack.pop()
        result.push(node.val)
        node = node.right
    }
    return result
};

后序遍历

/**
 * Definition for a binary tree node.
 * function TreeNode(val) {
 *     this.val = val;
 *     this.left = this.right = null;
 * }
 */
/**
 * @param {TreeNode} root
 * @return {number[]}
 */

// 两个栈的写法
var postorderTraversal = function(root) {
    if (!root) return []
    let node = root
    // 任务执行栈
    const stack1 = [node];
    // 节点栈
    const stack2 = [];
    const result = [];
    while (stack1.length) {
        node = stack1.pop();
        stack2.push(node);
        if (node.left !== null) stack1.push(node.left); 
        if (node.right !== null) stack1.push(node.right); 
    }
    while (stack2.length) {
        node = stack2.pop();
        result.push(node.val)
    }
    return result
};

二叉树最大深度

递归

/**
 * Definition for a binary tree node.
 * function TreeNode(val) {
 *     this.val = val;
 *     this.left = this.right = null;
 * }
 */
/**
 * @param {TreeNode} root
 * @return {number}
 */
// 递归
var maxDepth = function(root) {
    if (!root) return 0
    let result = 0
    function getDepth(node, tempDepth) {
        let temp = tempDepth + 1
        if (node.left == null && node.right == null) result = Math.max(temp, result)
        if (node.left !== null) getDepth(node.left, temp)
        if (node.right !== null) getDepth(node.right, temp)
    }
    getDepth(root, 0)
    return result
};

对称二叉树

// recursion
// var isSymmetric = function(root) {
//   if (!root) return true
//   function isEqual(left, right) {
//     if (!left || !right) {
//       return left == null && right == null
//     }
//     if (left.val == right.val) {
//       return isEqual(left.left, right.right) && isEqual(left.right, right.left) 
//     }
//     return false
//   }
//   return isEqual(root.left, root.right)
// }

// iteration
var isSymmetric = function(root) {
  if (!root) return true
  const queue = []
  queue.push(root)
  queue.push(root)
  while(queue.length) {
    let n1 = queue.shift()
    let n2 = queue.shift()
    if (n1 === null && n2 === null) continue
    if (n1 === null || n2 === null) return false
    if (n1.val !== n2.val) return false
    queue.push(n1.left)
    queue.push(n2.right)
    queue.push(n1.right)
    queue.push(n2.left)
  }
  return true
}

路径总和

/**
 * Definition for a binary tree node.
 * function TreeNode(val) {
 *     this.val = val;
 *     this.left = this.right = null;
 * }
 */
/**
 * @param {TreeNode} root
 * @param {number} sum
 * @return {boolean}
 */

// recursion
var hasPathSum = function(root, sum) {
  if (!root) return false
  if (root.left === null && root.right === null) {
    return Boolean(sum - root.val == 0)
  }
  return hasPathSum(root.left, sum - root.val) || hasPathSum(root.right, sum - root.val)
};

// iteration
var hasPathSum = function(root, sum) {
  if (!root) return false
  cosnt stack = [root]
  while (stack.length) {
    if (root.left === null && root.right === null) {
      return Boolean(sum - root.val == 0)
    }
    if (root.right !== null) {
      stack.push(root.right, sum - root.val)
    }
    
    if (root.left !== null) {
      stack.push(root.left, sum - root.val)
    }
  }
  return false
}

中序与后序遍历构造二叉树

/**
 * Definition for a binary tree node.
 * function TreeNode(val) {
 *     this.val = val;
 *     this.left = this.right = null;
 * }
 */
/**
 * @param {number[]} inorder
 * @param {number[]} postorder
 * @return {TreeNode}
 */

// recursion
var buildTree = function(inorder, postorder) {
  const helper = (inorder) => {
    if(!inorder.length || !postorder.length) return null
    const value = postorder.pop()
    let index = inorder.indexOf(value)
    let node = new TreeNode(value)
    node.right = helper(inorder.slice(index + 1))
    if (index < 0) {
      node.left = null
    } else {
      node.left = helper(inorder.slice(0, index))
    }
    return node
  }
  return helper(inorder)
};

前序与中序遍历构造二叉树

/**
 * Definition for a binary tree node.
 * function TreeNode(val) {
 *     this.val = val;
 *     this.left = this.right = null;
 * }
 */
/**
 * @param {number[]} preorder
 * @param {number[]} inorder
 * @return {TreeNode}
 */
// recursion
var buildTree = function(preorder, inorder) {
  const helper = (inorder) => {
    if (!inorder.length || !preorder.length) return null
    const value = preorder.shift()
    const index = inorder.indexOf(value)
    if (index < 0) return null
    let node = new TreeNode(value)
    node.left = helper(inorder.slice(0, index))
    node.right = helper(inorder.slice(index + 1))
    return node
  }
  return helper(inorder)
};

填充每个节点的下一个右侧节点指针

/**
 * // Definition for a Node.
 * function Node(val, left, right, next) {
 *    this.val = val === undefined ? null : val;
 *    this.left = left === undefined ? null : left;
 *    this.right = right === undefined ? null : right;
 *    this.next = next === undefined ? null : next;
 * };
 */

/**
 * @param {Node} root
 * @return {Node}
 */
// BFS O(N) O(N)
var connect = function(root) {
  if (!root) return root
  const queue = [root]
  while (queue.length) {
    let pre = null
    let size = queue.length
    for (let i = 0; i < size; i++) {
      let node = queue.shift()
      if (i > 0) pre.next = node
      if (i == size - 1) node.next = null
      pre = node
      if (node.left !== null) queue.push(node.left)
      if (node.right !== null) queue.push(node.right)
    }  
  }
  return root
};

// recursion 递归每个子树写next; 每个根节点的LR -> RL; 右侧节点 -> null
// O(N) O(1)
©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 202,905评论 5 476
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 85,140评论 2 379
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 149,791评论 0 335
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 54,483评论 1 273
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 63,476评论 5 364
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 48,516评论 1 281
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 37,905评论 3 395
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 36,560评论 0 256
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 40,778评论 1 296
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 35,557评论 2 319
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 37,635评论 1 329
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 33,338评论 4 318
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 38,925评论 3 307
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 29,898评论 0 19
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 31,142评论 1 259
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 42,818评论 2 349
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 42,347评论 2 342