Atcoder DP Contest pH
題敘
https://atcoder.jp/contests/dp/tasks/dp_h
給一張二維圖,圖上有障礙物,問從點 $(1,1)$ 走到點 $(h,w)$ 的方法數模 $10^9+7$ 為多少
想法
跟走樓梯的DP概念相同
同一個格子只能從左邊或上面轉移過來,則方法數會是兩者相加
定義 $DP[i][j]$ 表示在第 $(i,j)$ 格的方法數
則有轉移式 $DP[i][j] = DP[i-1][j] = DP[i][j-1]$
且已知 $DP[1][1] = 1$
Code
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31
| #include<bits/stdc++.h> #define LL long long #define IOS ios::sync_with_stdio(false),cin.tie(0),cout.tie(0); #define pii pair<int,int> using namespace std; const int Mod=1e9+7; int h,w; char arr[1005][1005]; long long dp[1005][1005]; int main(){ IOS while(cin>>h>>w){ for(int i=0 ; i<h ; i++){ for(int j=0 ; j<w ; j++){ cin>>arr[i][j]; } } memset(dp,0,sizeof(dp)); dp[1][1]=1; for(int i=1 ; i<=h ; i++){ for(int j=1 ; j<=w ; j++){ if(arr[i-1][j-1]=='#') continue; dp[i][j] += (dp[i][j-1] + dp[i-1][j])%Mod; } } cout<<dp[h][w]%Mod<<"\n"; } return 0; }
|
複雜度
有 $hw$ 種狀態,每種狀態轉移複雜度為 $O(1)$
總複雜度 $O(hw)$