-1

我正在使用二进制文件处理在 C 中编写一个记录保存程序。我正在使用 Code::Blocks 和 gcc 在 Windows 8 上编译我的 C 程序。

当程序到达以下块时,会出现一条错误消息:

在此处输入图像描述

我的代码:

int dispaly(student record[], int count)
{

/*
This is what structure `student` looks like:

 int id;
    char name[200], phone[20], address[200], cclass[50];
    char sec[20], roll[50], guardian_name[200], relation[200] ;
    char p2_colg[100], slc_school[200];
    float plus2_percent, slc_percent;
    struct date dob;
    struct date enr_date;


    struct date looks like
       int day, month, year;
*/
printf("Reached"); /*Program Runs Fine upto here*/
int i = 0;
for(i=0; i<count; i++)
{
    printf("\nId: %d\tPhone: %s\nName: %s\nAddress: %s"
           "\nClass: %s\tSection: %s\nRoll: %s\nGuardian Name: %s\tRelation:%s"
           "\nPlus-Two in: %s\tPercentage:%f\nSLC School: %s\tPercentage: %f"
           "\nDate Of Birth(mm/dd/yyyy): %d/%d/%d"
           "\nEnrolled in (mm/dd/yyyy): %d/%d/%d\n\n---------------------------------------\n", record[i].id, record[i].name, record[i].address
           , record[i].cclass, record[i].sec, record[i].roll, record[i].guardian_name, record[i].relation, record[i].p2_colg
           , record[i].plus2_percent, record[i].slc_school, record[i].slc_percent, record[i].dob.month, record[i].dob.day, record[i].dob.year
           , record[i].enr_date.month, record[i].enr_date.day, record[i].enr_date.year);

}
getch();
return 0;
}

该程序编译没有任何错误或警告。

这是怎么回事?

4

2 回答 2

5

如果不查看数组中的确切数据,很难准确判断发生了什么崩溃,但是您在 printf 的参数列表中忘记了“电话”,这肯定会导致 printf 内部崩溃。

于 2012-11-26T04:23:33.237 回答
1

没有一个非常好的理由将所有这些都叠加到一个电话中。如果您将每条线路分成自己的printf. record[i]此外,如果您捕获到指针,您可以减少冗余。

对比:

student * r = &record[i];

printf("\n");

printf("Id: %d\tPhone: %s\n", r->id, r->phone);

printf("Name: %s\n", r->name);

printf("Address: %s\n", r->address);

printf("Class: %s\tSection: %s\n", r->cclass, r->sec);

printf("Roll: %s\n", r->roll);

printf("Guardian Name: %s\tRelation:%s\n", r->guardian_name, r->relation);

printf("Plus-Two in: %s\tPercentage:%f\n", r->p2_colg, r->plus2_percent);

printf("SLC School: %s\tPercentage: %f\n", r->slc_school, r->slc_percent);

printf("Date Of Birth(mm/dd/yyyy): %d/%d/%d\n",
       r->dob.month, r->dob.day, r->dob.year);

printf("Enrolled in (mm/dd/yyyy): %d/%d/%d\n"
       r->enr_date.month, r->enr_date.day, r->enr_date.year);

printf("\n");

printf("---------------------------------------\n");

从技术上讲,多次调用printf会产生一些函数调用开销。并且为数组中的当前学生声明一个指针变量会产生一些存储空间。但它基本上可以忽略不计,在这种情况下没有任何意义。在引擎盖下,无论如何都会缓冲输出。

于 2012-11-26T04:36:21.060 回答