我需要在ANSI C中打开一个文件,将其所有行读入一个动态分配的字符串数组,并打印前四行。该文件可以是最大2 ^ 31-1个字节的任何大小,而每行最多16个字符。我有以下内容,但它似乎不起作用:
#define BUFSIZE 1024
char **arr_lines;
char buf_file[BUFSIZE], buf_line[16];
int num_lines = 0;
// open file
FILE *fp = fopen("file.txt", "r");
if (fp == NULL) {
printf("Error opening file.\n");
return -1;
}
// get number of lines; from http://stackoverflow.com/a/3837983
while (fgets(buf_file, BUFSIZE, fp))
if (!(strlen(buf_file) == BUFSIZE-1 && buf_file[BUFSIZE-2] != '\n'))
num_lines++;
// allocate memory
(*arr_lines) = (char*)malloc(num_lines * 16 * sizeof(char));
// read lines
rewind(fp);
num_lines = 0;
while (!feof(fp)) {
fscanf(fp, "%s", buf_line);
strcpy(arr_lines[num_lines], buf_line);
num_lines++;
}
// print first four lines
printf("%s\n%s\n%s\n%s\n", arr_lines[0], arr_lines[1], arr_lines[2], arr_lines[3]);
// finish
fclose(fp);
我无法定义arr_lines
以便写入此内容并轻松访问其元素。
答案 0 :(得分:3)
您的代码中存在一些问题,但主要问题是在malloc行中您要取消引用未初始化的指针。另外,除非你的行由一个单词组成,否则你应该使用fgets()而不是fscanf(...%s ...),因为后者在读取一个单词后返回,而不是一行。即使你的行是单词,使用你用来计算行数的相同类型的循环也更安全,否则你可能会冒更多的行读取行。
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
int main(void){
#define LINESIZE 16
char *arr_lines, *line;
char buf_line[LINESIZE];
int num_lines = 0;
// open file
FILE *fp = fopen("file.txt", "r");
if (fp == NULL) {
printf("Error opening file.\n");
return -1;
}
// get number of lines; from http://stackoverflow.com/a/3837983
while (fgets(buf_line, LINESIZE, fp))
if (!(strlen(buf_line) == LINESIZE-1 && buf_line[LINESIZE-2] != '\n'))
num_lines++;
// allocate memory
arr_lines = (char*)malloc(num_lines * 16 * sizeof(char));
// read lines
rewind(fp);
num_lines = 0;
line=arr_lines;
while (fgets(line, LINESIZE, fp))
if (!(strlen(line) == LINESIZE-1 && line[LINESIZE-2] != '\n'))
line += LINESIZE;
// print first four lines
printf("%s\n%s\n%s\n%s\n", &arr_lines[16*0], &arr_lines[16*1], &arr_lines[16*2], &arr_lines[16*3]);
// finish
fclose(fp);
return 0;
}
希望这有帮助!
答案 1 :(得分:0)
更改
(*arr_lines) = (char*)malloc(num_lines * 16 * sizeof(char));
到
arr_lines = malloc(num_lines * sizeof(char*));
然后在它下面的while循环中添加
arr_lines[n] = malloc(16 * sizeof(char));