我知道这是一个非常基本的东西,但我不擅长C语言中的文件处理。
我正在编写一个自定义错误处理程序,它需要打开一个文件,按行号查找一行,并将其保存在 char * 中。
有人可以建议一种方法吗?
编辑:我做错了什么?有时会得到正确的答案,但有时会错过:
if (file_available)
{
char str_buf[81];
int counter = 0;
FILE *fp;
fp=fopen(error_filename, "r");
while (error_lineno != counter)
{
fgets(str_buf, 81, fp);
counter += 1;
}
php_printf(html_formats[5],"Line",str_buf);
fclose(fp);
}
答案 0 :(得分:2)
您可以使用fgets()
编写一个循环来读取行,直到找到所需的行:
inputFile = fopen(filename, "r");
while (whichLine--)
{
fgets(buffer, sizeof buffer, inputFile);
}
fclose(inputFile);
根据您的喜好添加错误处理和更多详细信息。
答案 1 :(得分:2)
如果您可以访问GNU C库,则可以使用getline
:
FILE *f;
char *line = NULL;
size_t line_size = 0;
int i=0;
/* Open the file, or get access it to it however you will */
for(; i <= requestedLine; ++i) {
if ( getline(&line, &line_size, f) == -1 ) {
//error condition, log / bail
}
}
/* line now holds the line number you want, do whatever you want with it */
fclose(f);
if (line) {
/* guard against the empty file case */
free(line);
}
getline
将为您抓住全部内容,并处理大部分内存分配问题。第一个参数是指向char*
缓冲区的指针(如在char**
中 - 指向缓冲区起始char
的指针),第二个参数是那个缓冲区。如果缓冲区不够大,getline
将创建一个足够大的新缓冲区来保存该行并清理旧的缓冲区(执行realloc
)。当函数返回时,第一个参数现在将指向包含该行的新缓冲区,第二个参数也将更新为保存缓冲区的新大小。第三个参数只是要读取的FILE*
对象。 <{1}}将在失败时返回-1,这就是我们在这种情况下记录/保释的原因。
请注意,完成所有操作后,您仍需要释放getline
创建的缓冲区。