我正在尝试编写一个程序,该程序应该读取一行并将其内容存储在一个数组中,因此需要逐行读取并读取一行中的不同字符。例如,我的输入是
4 6
0 1 4
0 2 4
2 3 5
3 4 5
前两个字符将确定其他字符,我需要读取一行,这样我就可以在数组中写入0 1 4,在另一个数组中写入0 2 4。
#include <stdio.h>
#include <stdlib.h>
#include <iostream>
#include <list>
#include <iterator>
#define BUFFER_SIZE 50
int main()
{
using namespace std;
int studentCount, courseCount;
FILE *iPtr;
iPtr = fopen("input.txt", "r");
if(iPtr == NULL){ printf("Input file cannot be opened!\n"); return 0; }
fseek(iPtr, 0, SEEK_SET);
fscanf(iPtr, "%d", &studentCount);
fscanf(iPtr, "%d", &courseCount);
list <int> S[studentCount]; // an array of linked lists which will store the courses
char buffer[BUFFER_SIZE];
char temp[BUFFER_SIZE];
int data;
int x=0, counter=0; // x traces the buffer
fgets(buffer, BUFFER_SIZE, iPtr);
while( buffer[x] != '\0')
{
if( isspace(buffer[x]) ) counter++;
x++;
}
printf("%d\n", counter);
fflush(stdin);
getchar();
fclose(iPtr);
return 0;
}
当我调试并遵循buffer [x]的值时,我发现当x = 0时它总是具有值“10 \ n”,而当x = 1时它总是具有“0 \ 0”。我该如何解决这个问题,还是有更好的逐行阅读方法?我还需要一行中的数据,所以使用fgets或getline本身是不够的。
答案 0 :(得分:0)
即使它有效,将C语言中的基于FILE *的I / O与C ++混合在一起也是一个坏主意,它看起来很难看,开发人员看起来好像他或她不知道他或她是什么这样做。你可以直接使用C99,也可以直接使用C ++ 11,但不能同时使用两者。
这是C ++的答案:
#include <fstream>
...
std::ifstream infile("thefile.txt");
int ha,hb;
infile >> ha >> hb;
// do whatever you need to do with the first two numbers
int a, b, c;
while (infile >> a >> b >> c)
{
// process (a,b,c) read from file
}
这是C的答案:
fp = fopen("thefile.txt","r");
// do whatever you need to do with the first two numbers
fscanf("%d %d",&ha,&hb);
int a, b, c;
while(fscanf(fp,"%d %d %d",&a,&b,&c)==3){
// process (a,b,c) read from file
}