博客
关于我
强烈建议你试试无所不能的chatGPT,快点击我
LeetCode Longest Increasing Path in a Matrix
阅读量:5298 次
发布时间:2019-06-14

本文共 1718 字,大约阅读时间需要 5 分钟。

原题链接在这里:

Given an integer matrix, find the length of the longest increasing path.

From each cell, you can either move to four directions: left, right, up or down. You may NOT move diagonally or move outside of the boundary (i.e. wrap-around is not allowed).

Example 1:

nums = [  [9,9,4],  [6,6,8],  [2,1,1]]

 

Return 4

The longest increasing path is [1, 2, 6, 9].

Example 2:

nums = [  [3,4,5],  [3,2,6],  [2,2,1]]

 

Return 4

The longest increasing path is [3, 4, 5, 6]. Moving diagonally is not allowed.

dp[i][j] 表示 当前i, j 位置能都到的最大距离。

dp[i][j] 是通过 dfs 来选的,初始dp[i][j] 都是0, 终止条件是若是走到了一个不是0的位置,那么直接返回dp[x][y]. 可以避免重复计算. 若是dp[x][y]已经有值,说明这个点4个方向的最大值已经找到, 找到dp[x][y]的路径必定是比matrix[x][y]小的,直接返回dp[x][y] 再加上 1 就是之前位置的最大延展长度了。

若是当前位置是0, 就从上下左右四个方向dfs, 若是过了边界或者新位置matrix[x][j] <= 老位置matrix[i][j], 直接跳过continue.

不然len = 1 + dfs. 取四个方向最大的len作为dp[i][j].

Time Complexity: 对于每一个点都做dfs, dfs O(m*n). 所以一共 O(m*n * m*n) = O(m^2 * n^2).

Space: O(m*n).用了dp array.

AC Java:

1 public class Solution { 2     final int [][] fourD = {
{-1, 0}, {1,0}, {0,-1}, {0,1}}; 3 4 public int longestIncreasingPath(int[][] matrix) { 5 if(matrix == null || matrix.length == 0 || matrix[0].length == 0){ 6 return 0; 7 } 8 int max = 1; 9 int m = matrix.length;10 int n = matrix[0].length;11 int [][] dp = new int[m][n];12 for(int i = 0; i
=m || y<0 || y>=n || matrix[x][y] <= matrix[i][j]){30 continue;31 }32 int len = 1 + dfs(matrix, x, y, m, n, dp);33 max = Math.max(max, len);34 }35 dp[i][j] = max;36 return dp[i][j];37 }38 }

 

转载于:https://www.cnblogs.com/Dylan-Java-NYC/p/5202602.html

你可能感兴趣的文章
Gerber 文件格式(一):RS-274X 语法
查看>>
swap分区占用情况脚本
查看>>
keil编写程序完成后debug前面出现绿色框框
查看>>
建造者模式(Builder Pattern)
查看>>
guava(四)区间Ranges
查看>>
windows 10安装linux(ubuntu)子系统
查看>>
[HNOI2013]数列
查看>>
[SCOI2008]配对
查看>>
ArcGIS GDB 文件中的lock文件影响复制
查看>>
关于CSS中浮动和定位问题的老生长谈
查看>>
SSH三大框架整合使用的配置文件 注解实现
查看>>
BZOJ1131: [POI2008]Sta
查看>>
C#中POST数据和接收的几种方式(抛砖引玉)
查看>>
Altera fast output register和Xilinx IOB register详解
查看>>
网络请求方法(SDK封装可以替换afn)
查看>>
爱因斯坦台阶
查看>>
Mac如何前往文件夹 修改hosts文件 显示隐藏文件 Mac如何查看剪切板
查看>>
PHP Smarty 模板安装与配置
查看>>
(原创)一个log4cpp帮助类
查看>>
经验笔记一
查看>>