我尝试创建一个 2D 数组并尝试用文件中的整数填充它。但是当我运行我的程序时,根据 Valgrind,我在这条线上出现分段错误:
*(array_valid_char++) = read_char;
这是我的代码:
#include <stdio.h>
#include <stdlib.h>
int* f(char* name_file_in, int key_length)
{
FILE *file_in;
int* array_valid_char = malloc(95 * sizeof(int));//array of validated characters
int count_char = 0;//count number of characters in file_in
int read_char;//character being read
file_in = fopen(name_file_in,"rb");
if(file_in)
{
while ((read_char = fgetc(file_in)) != EOF)//browse the entire file
{
if ((count_char % key_length) == 0)//test if character's position in file belongs to the modulo of the key
{
for (int i = 0; i < 95; i++)//browse the entire array tabLatin
{
*(array_valid_char++) = read_char;//read character put into array of validated characters
}
}
count_char++;
}
}
if(file_in){fclose(file_in);}
return array_valid_char;
}
int** C1(char* name_file_in, int key_length)
{
int **array_valid_keys = malloc(key_length * sizeof(int*));//array of array filled with all valid characters for a character of the key
for (int i = 0; i < key_length; i++)
{
array_valid_keys[i] = malloc(95 * sizeof(int));
}
for (int i = 0; i < key_length; i++)
{
array_valid_keys[i] = f(name_file_in,i + 1);//for each character'position of the key is assigned an array given by f
}
return array_valid_keys;
}
int main(int argc,char* argv[])
{
int key_length = atoi(argv[2]);
int** array_valid_key = C1(argv[1], key_length);
for(int i = 0; i < key_length; i++)
{
for(int j = 0; j < 95; j++)
{
printf("[%d] ",array_valid_key[i][j]); //printing all valid characters for each character of the key
}
printf("n");
}
return(0);
}
该代码有什么问题?
如果我理解正确,分段错误是超出程序分配的内存。所以我的问题应该在大小上我的 2D 阵列或我尝试填充它的方式。
但是,我分配了许多key_length列,如下所示:
int **array_valid_keys = malloc(key_length * sizeof(int*));
而且,我将每列分配为包含 95 个案例的数组,其中包含:
for (int i = 0; i < key_length; i++)
{
array_valid_keys[i] = malloc(95 * sizeof(int));
}
当我用填充这个 2D 数组时
for (int i = 0; i < 95; i++)//browse the entire array tabLatin
{
*(array_valid_char++) = read_char;
}
它不应该出现错误,因为我的循环在 [1, 95] 间隔内(这是我的 2D 数组每列的大小(。
另一种解释是,根据这个问题,我的一个指针悬而未决,但是如何呢?
查看以下代码片段:
while ((read_char = fgetc(file_in)) != EOF)//browse the entire file
{
if ((count_char % key_length) == 0)//test if character's position in file belongs to the modulo of the key
{
for (int i = 0; i < 95; i++)//browse the entire array tabLatin
{
*(array_valid_char++) = read_char;//read character put into array of validated characters
}
}
count_char++;
}
外循环(while
循环(用于读取单个字符,直到到达末尾。现在在内部循环(for
循环(中,您从 0 数到 94(如果i
达到 95,循环结束(。 在该循环中,您正在递增array_valid_char
指针。
如果测试条件 ( ((count_char % key_length) == 0)
( 首次有效,则用 read_char
的值填充array_valid_char
的所有 95 个元素。
但是,如果测试条件第二次有效,那么您正在做同样的事情。但现在array_valid_char
超出了它的范围。因为它指向96。元素(不存在(。