C語言結構體數組

在C語言編程中可以將一系列結構體來存儲不同數據類型的許多信息。 結構體數組也稱爲結構的集合。
我們來看一個數組結構體的例子,存儲5位學生的信息並打印出來。創建一個源文件:structure-with-array.c,其代碼實現如下 -

#include<stdio.h>  
#include<conio.h>  
#include<string.h>  
struct student {
    int rollno;
    char name[10];
};
// 定義可存儲的最大學生數量
#define MAX 3

void main() {
    int i;
    struct student st[MAX];
    printf("Enter Records of 3 students");

    for (i = 0;i < MAX;i++) {
        printf("\nEnter Rollno:");
        scanf("%d", &st[i].rollno);
        printf("Enter Name:");
        scanf("%s", &st[i].name);
    }

    printf("Student Information List:\n");
    for (i = 0;i<MAX;i++) {
        printf("Rollno:%d, Name:%s\n", st[i].rollno, st[i].name);
    }

}

注:上面代碼在工程: structure 下找到。

執行上面示例代碼,得到以下結果 -

Enter Records of 3 students
Enter Rollno:1001
Enter Name:李明

Enter Rollno:1002
Enter Name:張會

Enter Rollno:1003
Enter Name:劉建明
Student Information List:
Rollno:1001, Name:李明
Rollno:1002, Name:張會
Rollno:1003, Name:劉建明