-2

我正在为学生课程注册系统开发一个项目。我在从文本文件中读取数据并将其存储在单链表中时遇到问题,每次添加新学生时都必须更新单链表。数据以格式化的方式存储。问题是我的结构有类型char变量,所以它给了我赋值错误。

该结构定义为:

struct Student {
  char stdID[10];
  char stdName[30];
  char stdSemester[5];
  Student  *next; } *Head, *Tail;

保存结构的代码是:

// For Saving: 
            SFile << std->stdID << '\t' << std->stdName << '\t' << std->stdSemester << '\n';

读取文本文件并显示结构的代码是:

// Display:
system("cls");
cout << "\n\n\n";
cout << "\t\t\t\t           LIST OF COURSES" << endl;
cout << "\t\t\t   ====================================================\n" << endl;
cout << "\t" << "ID" << "\t" << setw(15) << "Course Name" << "\n\n";

// Initialize:
char ID[10];
char Name[30];
char Sem[5]; 
ifstream SFile("StudentRecord.txt");
Student *Temp = NULL;

while(!SFile.eof()) {

    // Get:
    SFile.getline(ID, 10, '\t');
    SFile.getline(Name, 30, '\t');
    SFile.getline(Sem, 5, '\t');

    Student *Std = new Student;   //<======== OUCH! Assignment error here
    //node*c=new node;

    // Assign:
    Std->stdID = *ID;

    if (Head == NULL) {
        Head = Std;
    } 
    else {
        Temp = Head;
        {
            while ( Temp->next !=NULL ) {
                Temp=Temp->next;
            }
            Temp->next = Std;
        }
    }
}
SFile.close();
system("pause"); }

PS:我在分配评论时遇到问题;

我是否必须更改数据类型并制作整个项目string?我更喜欢char,因为我能够格式化输出,而且string我确信它是逐行读取的,所以我不能存储单行的值。

4

1 回答 1

1

使用字符串?

如果 ID 是std:string,你可以这样做:

Std->stdID = ID;

你可以使用std::getline()

getline(SFile, ID, '\t');

您不必担心最大长度,但您仍然可以决定检查字符串的长度并在必要时缩短它。

还是不使用字符串?

但是,如果您更喜欢(或必须)char[]改用,那么您需要使用strncpy()for 进行分配:

strncpy( Std->stdID, ID, 10 );  // Std->stdID = *ID;

老实说,在 21 世纪,我会选择 std::string,而不是坚持可以char[]追溯到 70 年代的旧......

文件循环

这是无关的,但你不应该循环eof

while (SFile.getline(ID, 10, '\t') 
     && SFile.getline(Name, 30, '\t')  && SFile.getline(Sem, 5, '\n') {
   ...
}

为什么 ?看这里以获得更多解释

顺便说一句,根据您的写作功能 ,您的最后一个getline()当然应该寻找分隔符。'\n'

于 2018-10-22T18:12:27.103 回答