我对c程序有一些奇怪的问题。我正在在线学习c语言编程,并且练习了一些练习。在它们上面是关于一种叫做腐蚀的图像技术。想象一下,存在一个带有两种像素的图像,用“。”表示。要么 '#'。当一个像素被4个“#”字符包围时,将保留该像素,而在另一种情况下,将其替换为“。”。字符。输入为N(施加腐蚀的次数),H和L为图像的高度和宽度,以及由'。'组成的矩形字符。和'#'字符。
例如输入:
1 //N
4 //H
4 //L
....
.###
####
####
and the output is
....
....
.##.
....
问题是在线编译器(用于测试输入的随机序列)拒绝我的代码,告诉我内存已溢出
这是代码
#include <stdlib.h>
#include <stdio.h>
//test wether a pixel is surrounded by 4 '#' characters
char test(int i, int j,int H, int L, char c[H][L]){
int k=0;
int l=0;
char result='-';
if((i==0)||(i==H-1)||(j==0)||(j==L-1)){
result='+';
}
else{
for(k=0;k<2;k++){
for(l=0;l<2;l++){
if(c[i+(1-2*k)*l][j+(1-2*k)*(1-l)] =='.'){
result='+';
break;
}
else{
}
}
if(result=='+'){break;}
else{}
}
}
return result;
}
//The erode function that replaces the image by one in which '#' characters are replaced by '.' characters when it is not surrounded by 4 '#' characters
char **erode(int H, int L, char c[H][L]){
int i;
int j;
char ch='-';
char **d = malloc (H * sizeof (int *));
for (i = 0; i < H; i++) {
d[i] = malloc (L * sizeof (int));
}
i=0;
for (i=0;i<H;i++)
{
for (j=0;j<L;j++)
{
ch=test(i,j,H,L,c);
if(ch=='+'){
d[i][j]='.';
}
else{
d[i][j]=c[i][j];
}
ch='-';
}
}
for (i= 0; i < H; i++) {
free(d[i]);
}
free(d);
return d;
}
//here are computed the inputs and outputs
int main()
{
int i=0;
int j=0;
int N;
int H;
int L;
char o;
scanf("%d",&N);
scanf("%d",&H);
scanf("%d",&L);
scanf("%c",&o);
char c[H][L];
char d[H];
char ero[H][L];
while (i<H)
{
while (j<L)
{
scanf("%c",&c[i][j]);
j++;
}
j=0;
scanf("%c",&d[i]);
i++;
}
int l;
int m;
int n;
for(l=0;l<N;l++){
for (i=0;i<H;i++)
{
for (j=0;j<L;j++)
{
ero[i][j]=erode(H,L,c)[i][j];
}
}
for (m=0;m<H;m++)
{
for (n=0;n<L;n++){
c[m][n]=ero[m][n];
}
}
}
for (i=0;i<H;i++)
{
for (j=0;j<L;j++){
printf("%c",c[i][j]);
}
printf("\n");
}
}
(代码远不是最优的,因为我尝试调试它并使某些东西真正分解)
有谁知道为什么我有此消息错误?
最佳答案
这可能是因为在您的erode
函数中,您多次使用malloc
但从未调用free
。您实际上是在main的三重循环内调用erode
的。这表明它可能会被调用很多次,但是由于分配的内存从未释放过,因此很有可能您的内存已用完,这说明了错误消息。当您不再需要使用free
释放内存时,请多加注意。
关于c - C中的图像侵 eclipse 技术,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/11639807/