金币馅饼

链接:https://ac.nowcoder.com/acm/contest/11371/E
来源:牛客网

题目描述
最近,奶牛们热衷于把金币包在面粉里,然后把它们烤成馅饼。第i块馅饼中含有Ni(1<=Ni<=25)块金币,并且,这个数字被醒目地标记在馅饼表面。
奶牛们把所有烤好的馅饼在草地上排成了一个R行(1<=R<=100)C列(1<=C<=100)的矩阵。你现在站在坐标为(1,1)的馅饼边上,当然,你可以拿到那块馅饼里的所有金币。你必须从现在的位置,走到草地的另一边,在坐标为(R,C)的馅饼旁边停止走动。每做一次移动,你必须走到下一列的某块馅饼旁边,并且,行数的变动不能超过1(也就是说,如果现在你站在坐标为(r,c)的馅饼边上,下一步你可以走到坐标为(r-1,c+1),(r,c+1),或者(r+1,c+1)的馅饼旁边)。当你从一块馅饼边经过,你就可以拿走馅饼里所有的金币。当然啦,你一定不会愿意因半路离开草地而失去唾手可得的金币,但,最终你一定得停在坐标为(R,C)的馅饼旁边。
现在,你拿到了一张标记着馅饼矩阵中,每一块馅饼含金币数量的表格。那么,按照规则,你最多可以拿到多少金币呢?
比方说,奶牛们把馅饼排成如下的矩阵,矩阵中的数字表示该位置的馅饼中含金币的数量:

起点-> 6 5 3 7 9 2 7
2 4 3 5 6 8 6
4 9 9 9 1 5 8 <-终点
以下是一条合法的路线:

起点-> 6 5 3 7 9 2 7

2 4 3 5 6 8 6
\ /
4 9 9-9 1 5-8 <-终点
按上述的路线进行走动,一共可以获得6+4+9+9+6+5+8=47个金币。按照规则,在这个矩阵中最多可以得到50个金币,路线如下图所示:

起点-> 6 5 3 7 9 2 7

2 4 3 5 6-8 6
\ /
4 9 9-9 1 5 8 <-终点
(请复制到记事本中用等宽字体查看)

输入描述:
第1行: 两个用空格隔开的整数,R和C
第2…R+1行: 每行包含C个用空格隔开的正整数,依次表示一行中从左往右各个馅饼里金币的数量
输出描述:
第1行: 输出一个正整数,表示你所能收集到的最大金币数目
示例1
输入
复制
3 7
6 5 3 7 9 2 7
2 4 3 5 6 8 6
4 9 9 9 1 5 8
输出
复制
50

简单的dp,关键要注意的是枚举的顺序,是从左走到右边的,并且有的位置是走不到的

#include <iostream>
#include <cstring>
#include <cstdio>
#include <algorithm>
#include <set>
#include <string>
#include <queue>
#include <map>
#include <stack>
#include <map>
#include <unordered_map>
#include <vector>
#include <cmath>
#include <ext/rope>
#include <bits/stdc++.h> 

using namespace std;

#define gt(x) x = read()
#define int long long

const int mod = 1e9 + 7;

inline int read(int out = 0)
{
    
    
    char c;
    while((c=getchar()) < 48 || c > 57);
    while(c >= 48 && c <= 57) out=out*10+c-48,c=getchar();
    return out; 
}

const int N = 110;
const int M = 1e6 + 10;

int n, m;
int a[N][N];
int f[N][N];

signed main(){
    
    
	ios::sync_with_stdio(false);
	cin.tie();
	cout.tie();
	
	gt(n), gt(m);
	
	for (int i = 1; i <= n; i ++){
    
    
		for (int j = 1; j <= m; j ++)
		  gt(a[i][j]);
	}
	
	f[1][1] = a[1][1];
	for (int i = 2; i <= n; i ++)   f[i][1] = 0;
	for (int j = 2; j <= m; j ++){
    
    
		for (int i = 1; i <= j; i ++){
    
    
			f[i][j] = max(f[i][j], f[i - 1][j - 1] + a[i][j]);
			f[i][j] = max(f[i][j], f[i + 1][j - 1] + a[i][j]);
			f[i][j] = max(f[i][j], f[i][j - 1] + a[i][j]);
		//	cout << i << " " << j << " " << f[i][j] << endl;
		}
	}
	
	cout << f[n][m] << endl;
	
	return 0;
}

猜你喜欢

转载自blog.csdn.net/qq_45772483/article/details/112639904