我有这样编写的代码,用于计算矩阵中相邻元素的总和,并将它们存储到另一个名为sum_mat
的矩阵中。我需要与此代码相同的结果,但在递归解决方案中,我不知道如何将嵌套循环转换为递归。
void calculate_result(int n,int mat[100][100])
{
//calculates an (n-1)x(n-1) matrix in which each element the sum of 4
// neighboring elements in the original matrix.
int sum_mat[100][100];
for(int i=1;i<=n-1;i++)
{
for(int j=1;j<=n-1;j++)
sum_mat[i][j]=mat[i][j]+mat[i+1][j]+mat[i][j+1]+mat[i+1][j+1];
}
}
结果的一个例子:
n=3
| 1 2 3 | sum_mat=| 8 9 |
mat=| 2 3 1 | --> | 11 7 |
| 5 1 2 |
答案 0 :(得分:1)
您可以转换任何&#34; for i&#34;循环进入尾递归过程和递归启动器:
// loop A
for (i = 1; i <= n; i++) {
// body code
}
变为
void for_loop_A_impl(int i, ...params needed by the body...) {
if (i > n) return;
// body code
for_loop_A_impl(i + 1,...params needed by the body...);
}
void for_loop_A(...params needed by the body code...) {
for_loop_A_impl(1, ...params needed by the body code...);
}
现在调用for_loop_A
代替循环本身。继续这样转换直到所有循环都消失。