1

这个程序应该返回二维数组中从左到右的最短路径的权重(它也可以越过顶部和底部,所以它就像一个水平圆柱体)。(这是一个完整的question_link)我是尝试通过首先向上,然后向右,最后在数组中向下递归检查。通过运行这个程序,如果我取消注释线的右方向和底部方向,我会得到“分段错误”。如果有人能告诉我我在递归函数中做错了什么。提前致谢!

#include<iostream>
using namespace std;

int rec_path(int matrix[5][6], int r, int c){
static int sum = 0;
static int weight = -1;
    if (r == -1) 
    r = 4;

if (r == 5) 
    r = 0;

if (c == 6) {
    return weight;
    sum = 0;
}
//calculate sum 
sum += matrix[r][c];    
//check the up direction
rec_path(matrix, --r, ++c);
//check the right direction
//  rec_path(matrix, r, ++c);
//check the bottom direction
//  rec_path(matrix, ++r, ++c);
if (weight == -1) 
    weight = sum;
if ( weight < sum) {
    weight = sum;
}
}


int main(){
const int row = 5;
const int col = 6;
int matrix[row][col] = {{3,4,2,1,8,6},
                        {6,1,8,2,7,4},
                        {5,9,3,9,9,5},
                        {8,4,1,3,2,6},
                        {3,7,2,8,6,4}
                        };

cout << rec_path(matrix,0,0) << endl;
return 0;
}
4

2 回答 2

1

干得好。这只会返回路径的成本,找到实际路径只是对此的简单修改。

int rec_path(int matrix[5][6],int r,int c,int cost)
{
    if(c==6) return cost;
    int ans=2e9;
    static const int dr[]={-1,0,1};
    for(int i=0;i<3;i++)
        ans=min(ans,rec_path(matrix,(5+(r+dr[i])%5)%5,c+1,cost+matrix[r][c]));
    return ans;
}
于 2011-04-16T04:40:17.727 回答
0

对 rec_path() 进行第一次递归调用(您已将其注释掉)。一旦调用返回,c 的值为 6。然后在对 rec_path() 的第二次调用中,6 在调用之前递增到 7(即 ++c)。现在 c 超出范围,导致故障。

于 2011-04-16T04:06:36.917 回答