Bootstrap

单链表实现学生信息管理系统

  • 头文件
#define _CRT_SECURE_NO_WARNINGS
#include<stdio.h>
#include<stdlib.h>
#include<string.h>
int count = 0;
typedef  struct {
   
    char  no[8];      //8位学号
    char  name[20];  //姓名
    int score;       //成绩
}  Student;


typedef  struct  Node {
   
    Student  data;          //数据域
    struct  Node* next;    //指针域
}  Node;
Node* CreateLinkList()//创建指针链表
{
   
    Node* headNode = ( Node*)malloc(sizeof( Node));//申请内存空间
    //表头:做差异化处理 数据域data不做初始化
    if (!headNode)
    {
   
       
        printf_s("内存分配失败!\n");
        exit(0);
    }
    headNode->next = NULL;
    return headNode;

}
Node* CreateNode(Student data)  //创建结点
{
   
    
    Node* newNode = (Node*)malloc(sizeof(Node));/*申请内存空间*/
    if (!newNode)
    {
   
        printf_s("内存分配失败!\n");
        exit(0);
    }
    newNode->data = data;
    newNode->next = NULL;
    return newNode;
}
/*插入信息*/
void InsertNodeByHead(Node* headNode, Student data)//头插法
{
   
    Node* newNode = CreateNode(data);
    newNode->next = headNode->next;
    headNode->next = newNode;
    count++;

}
/*删除信息*/
void DeleteAppoinNode
;