博客
关于我
强烈建议你试试无所不能的chatGPT,快点击我
62. Unique Paths (Graph; DP)
阅读量:5244 次
发布时间:2019-06-14

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

A robot is located at the top-left corner of a m x n grid (marked 'Start' in the diagram below).

The robot can only move either down or right at any point in time. The robot is trying to reach the bottom-right corner of the grid (marked 'Finish' in the diagram below).

How many possible unique paths are there?

思路: 如果使用递归,那么DFS(i,j)=v[i][j]+max{DFS(i,j-1), DFS(i-1,j)},问题是DFS(i,j)可能会被计算两次,一次来自它右边的节点,一次来自它下面的节点。每个节点都被计算两次,时间复杂度就是指数级的了。解决方法是使用动态规划存储节点信息,避免重复计算。

Above is a 3 x 7 grid. How many possible unique paths are there?

Note: m and n will be at most 100.

class Solution {public:    int uniquePaths(int m, int n) {        int dp[m][n];                dp[0][0] = 1;        for(int i = 0; i< n; i++ )        {            dp[0][i] = 1;        }        for(int i = 0; i< m; i++ )        {            dp[i][0] = 1;        }                for(int i = 1; i< m; i++)        {            for(int j = 1; j< n; j++)            {                dp[i][j] = dp[i-1][j] + dp[i][j-1];            }        }        return dp[m-1][n-1];    }};

 

转载于:https://www.cnblogs.com/qionglouyuyu/p/4854804.html

你可能感兴趣的文章
CASS 7.1 和 AutoCAD 2006的安装使用
查看>>
supervisor之启动rabbitmq报错原因
查看>>
Struts2工作原理
查看>>
二 、Quartz 2D 图形上下文栈
查看>>
[Leetcode Week8]Edit Distance
查看>>
针对sl的ICSharpCode.SharpZipLib,只保留zip,gzip的流压缩、解压缩功能
查看>>
ASP.NET 3.5构建Web 2.0门户站点
查看>>
PP tables for production order
查看>>
oam系统安装,windows操作系统注册列表影响系统安装
查看>>
[scrum]2011/9/25-----第五天
查看>>
《人月神话》有感,好书,推荐
查看>>
IE浏览器打开chorme浏览器,如何打开其他浏览器
查看>>
GNU 内联汇编
查看>>
【转】代码中特殊的注释技术——TODO、FIXME和XXX的用处
查看>>
php提交表单校验例子
查看>>
man查看帮助命令
查看>>
【SVM】libsvm-python
查看>>
mysql 修改已存在的表增加ID属性为auto_increment自动增长
查看>>
sgu 109 Magic of David Copperfield II
查看>>
C++循环单链表删除连续相邻重复值
查看>>