经验分享 – 算法(九) 优先搜索

优先搜索

  • 广度优先搜索(非常重要,经常用到)
  • 深度优先搜索

深度优先搜索

对图和树遍历的经典算法。

暂时并入 搜索与回溯算法。

例题

1,二叉树的最大深度

来自LeetCode104

解法

1,深度优先搜索

我们对比每次根左右节点的深度,取最大再+1,就可以得到深度。

/**
 * Definition for a binary tree node.
 * public class TreeNode {
 *     int val;
 *     TreeNode left;
 *     TreeNode right;
 *     TreeNode() {}
 *     TreeNode(int val) { this.val = val; }
 *     TreeNode(int val, TreeNode left, TreeNode right) {
 *         this.val = val;
 *         this.left = left;
 *         this.right = right;
 *     }
 * }
 */
class Solution {
    public int maxDepth(TreeNode root) {
        if(root == null)
            return 0;
        int l = maxDepth(root.left);
        int r = maxDepth(root.right);
        return Math.max(l,r)+1;
    }
}

2,广度优先搜索

下文。

理解

无。

广度优先搜索

对图和树遍历的经典算法。还用于各种题目。

常见操作:

建立一个队列,退出队列中的元素,然后把这个队列对应下一组元素放入队列中,没有下一组则结束。

例题

1,二叉树的最大深度

来自LeetCode104

解法

1,深度优先搜索

上文。

2,广度优先搜索

/**
 * Definition for a binary tree node.
 * public class TreeNode {
 *     int val;
 *     TreeNode left;
 *     TreeNode right;
 *     TreeNode() {}
 *     TreeNode(int val) { this.val = val; }
 *     TreeNode(int val, TreeNode left, TreeNode right) {
 *         this.val = val;
 *         this.left = left;
 *         this.right = right;
 *     }
 * }
 */
class Solution {
    public int maxDepth(TreeNode root) {
        if(root == null)
            return 0;
        Queue<TreeNode> queue = new LinkedList<TreeNode>();
        queue.offer(root);
        int ans = 0;
        while(!queue.isEmpty()){
            int size = queue.size();
            while(size>0){
                TreeNode cur = queue.poll();
                if(cur.left!=null){
                    queue.offer(cur.left);
                }
                if(cur.right!=null){
                    queue.offer(cur.right);
                }
                size--;
            }
            ans++;
        }
        return ans;
    }
}

理解

经典简单题,有空可以看看。

正文完