我正在读取一个文件,其中每行大于63个字符,我希望将字符截断为63.但是,它无法截断从文件中读取的行。
在这个程序中,我们假设文件有10行
目标:我想从每行读取63个字符。任何超过63个字符的行,将读取63个字符,其余行将被截断。如果有更简单的方法,请告诉我。
#include <stdio.h>
#include <stdlib.h>
int main(void)
{
char a[10][63];
char line[255];
int count = 0;
//Open file
FILE *fp;
fp = fopen("lines.dat", "r");
//Read each line from file to the "line array"
while(fgets(line, 255,fp) != NULL)
{
line[63] = '\0';
//copy the lines into "a array" char by char
int x;
for(x = 0; x < 64; ++x)
{
a[count][x] = line[x];
}
count++;
}
fclose(fp);
//Print all lines that have been copied to the "a array"
int i;
for(i = 0; i < 10; i++)
{
printf("%s", a[i]);
}
}
答案 0 :(得分:1)
您的数组不足以容纳63个字符和字符串终止符。
char a[10][63];
应该是
char a[10][64];
然后,您可以按63
正确索引字符串,因为索引范围为0
.. 63
。
将字符串复制到数组中的更简单方法是使用库函数,您需要#include <string.h>
while(fgets(line, 255, fp) != NULL)
{
line[63] = '\0';
strcpy (a[count], line);
count++;
}
答案 1 :(得分:1)
正如Weather Vane所提到的,你的char
矩阵不够宽,无法容纳63个字符加上最终'\0'
的行。
您的代码还有其他问题:
您使用fgets(line, 255,fp)
读取行,然后在63个字符后强制'\0'
。如果该行超过254个字节怎么办?该行的其余部分将在stdin中保持未读状态直到下一次调用,并且您的矩阵中将有一个或多个额外错误的行块。
您不处理行尾的换行字符:如果某行被截断,则矩阵中没有'\n'
,而对于较短的行则不会。{/ p >
对于短于63个字符的行,您应该怎么做?别理他们?跳过它们?我知道你认为他们都至少有63个字符,但你的程序应该优雅且可预测地处理不符合要求的输入。
这是一个修改过的程序:
#include <stdio.h>
#define NROWS 10
#define NCOLS 63
int main(void)
{
char a[NROWS][NCOLS+1];
int row, col, c;
//Open file
FILE *fp;
fp = fopen("lines.dat", "r");
if (fp == NULL)
return 1;
for (row = 0; row < NROWS;) {
for (col = 0; (c = getc(fp)) != EOF;) {
if (c == '\n')
break;
if (col < NCOLS)
a[row][col++] = c;
}
//terminate the string.
a[row][col] = '\0';
if (col == 0 && c == EOF)
break;
if (col < NCOLS) {
// handle short lines: here just accept them.
}
row++;
if (c == EOF)
break;
}
fclose(fp);
//Print all lines that have been copied to the "a array"
for (int i = 0; i < row; i++) {
printf("%s\n", a[i]);
}
}
我坚持使用fgets
,这是另一种选择:
#include <stdio.h>
#include <string.h>
#define NROWS 10
#define NCOLS 63
int main(void)
{
char a[NROWS][NCOLS+1];
char *p;
int row, c;
//Open file
FILE *fp;
fp = fopen("lines.dat", "r");
if (fp == NULL)
return 1;
for (row = 0; row < NROWS;) {
if (!fgets(a[row], NCOLS+1, fp))
break; // stop at EOF
if ((p = strchr(a[row], '\n')) != NULL)
*p = '\0'; // accept short lines
row++;
// skip extra characters upto the end of line
while ((c = getc(fp)) != EOF && c != '\n')
continue;
if (c == EOF)
break;
}
fclose(fp);
//Print all lines that have been copied to the "a array"
for (int i = 0; i < row; i++) {
printf("%s\n", a[i]);
}
}