C语言:结构体指针

结构体指针

  • 介绍
    • 定义结构体指针
    • 初始化结构体指针
      • 指向现有结构体变量
      • 动态分配内存
    • 访问结构体成员
      • 使用结构体指针访问成员
      • 通过指针和解引用
    • 结构体指针作为函数参数
    • 使用结构体指针构建链表
  • 高级用法
    • 多级指针(指向指针的指针)
    • 动态二维数组
    • 结构体指针与链表操作
      • 插入节点
      • 删除节点
    • 高级链表操作
      • 链表反转
      • 链表合并
    • 深拷贝结构体

介绍

在C语言中,结构体指针是一种非常有用的工具,它允许我们通过指针来操作结构体,尤其是在处理动态内存分配或函数参数传递时。以下是关于C语言结构体指针的详细讲解。

定义结构体指针

首先,我们需要定义一个结构体。例如,定义一个表示学生信息的结构体:

#include <stdio.h>struct Student {char name[50];int age;float gpa;
};

然后,我们可以定义一个指向该结构体的指针:

struct Student *studentPtr;

初始化结构体指针

指向现有结构体变量

我们可以让结构体指针指向一个已有的结构体变量:

struct Student student1 = {"Alice", 20, 3.5};
struct Student *studentPtr = &student1;

动态分配内存

我们也可以使用动态内存分配来初始化结构体指针:

struct Student *studentPtr = (struct Student *)malloc(sizeof(struct Student));
if (studentPtr == NULL) {printf("Memory allocation failed\n");return 1;
}

访问结构体成员

使用结构体指针访问成员

当我们有一个结构体指针时,可以使用箭头操作符 -> 来访问结构体成员:

studentPtr->age = 21;
printf("Name: %s, Age: %d, GPA: %.2f\n", studentPtr->name, studentPtr->age, studentPtr->gpa);

通过指针和解引用

我们也可以使用指针和解引用操作符 * 组合来访问结构体成员:

(*studentPtr).age = 22;
printf("Name: %s, Age: %d, GPA: %.2f\n", (*studentPtr).name, (*studentPtr).age, (*studentPtr).gpa);

不过,使用箭头操作符 -> 更加简洁和常见。

结构体指针作为函数参数

将结构体指针作为函数参数,可以高效地传递结构体数据,避免大结构体的拷贝。以下是一个示例:

void printStudent(struct Student *student) {printf("Name: %s, Age: %d, GPA: %.2f\n", student->name, student->age, student->gpa);
}int main() {struct Student student1 = {"Alice", 20, 3.5};printStudent(&student1);struct Student *studentPtr = (struct Student *)malloc(sizeof(struct Student));if (studentPtr == NULL) {printf("Memory allocation failed\n");return 1;}strcpy(studentPtr->name, "Bob");studentPtr->age = 21;studentPtr->gpa = 3.7;printStudent(studentPtr);free(studentPtr);return 0;
}

使用结构体指针构建链表

结构体指针在构建复杂数据结构(如链表)时非常有用。以下是一个简单的单链表示例:

#include <stdio.h>
#include <stdlib.h>// 定义链表节点
struct Node {int data;struct Node *next;
};// 创建新节点
struct Node* createNode(int data) {struct Node *newNode = (struct Node *)malloc(sizeof(struct Node));if (newNode == NULL) {printf("Memory allocation failed\n");exit(1);}newNode->data = data;newNode->next = NULL;return newNode;
}// 打印链表
void printList(struct Node *head) {struct Node *current = head;while (current != NULL) {printf("%d -> ", current->data);current = current->next;}printf("NULL\n");
}int main() {struct Node *head = createNode(1);head->next = createNode(2);head->next->next = createNode(3);printList(head);// 释放内存struct Node *current = head;struct Node *next;while (current != NULL) {next = current->next;free(current);current = next;}return 0;
}

高级用法

当然,这里有更多关于C语言结构体指针的高级用法和注意事项。

多级指针(指向指针的指针)

有时候,我们可能需要使用指向指针的指针,尤其是在处理动态二维数组或在函数中修改指针变量时。以下是一个简单的示例:

#include <stdio.h>
#include <stdlib.h>struct Student {char name[50];int age;float gpa;
};void allocateStudent(struct Student **studentPtr) {*studentPtr = (struct Student *)malloc(sizeof(struct Student));if (*studentPtr == NULL) {printf("Memory allocation failed\n");exit(1);}
}int main() {struct Student *studentPtr = NULL;allocateStudent(&studentPtr);strcpy(studentPtr->name, "Alice");studentPtr->age = 20;studentPtr->gpa = 3.5;printf("Name: %s, Age: %d, GPA: %.2f\n", studentPtr->name, studentPtr->age, studentPtr->gpa);free(studentPtr);return 0;
}

在这个例子中,allocateStudent 函数使用了双重指针(struct Student **)来分配内存并修改指针变量。

动态二维数组

使用结构体指针可以创建动态二维数组。例如,一个表示学生成绩的二维数组:

#include <stdio.h>
#include <stdlib.h>struct Grade {int studentId;float score;
};int main() {int rows = 3;int cols = 2;// 分配行指针数组struct Grade **grades = (struct Grade **)malloc(rows * sizeof(struct Grade *));if (grades == NULL) {printf("Memory allocation failed\n");return 1;}// 分配每行的列for (int i = 0; i < rows; i++) {grades[i] = (struct Grade *)malloc(cols * sizeof(struct Grade));if (grades[i] == NULL) {printf("Memory allocation failed\n");return 1;}}// 初始化数据for (int i = 0; i < rows; i++) {for (int j = 0; j < cols; j++) {grades[i][j].studentId = i * cols + j;grades[i][j].score = (i + 1) * (j + 1) * 10.0;}}// 输出数据for (int i = 0; i < rows; i++) {for (int j = 0; j < cols; j++) {printf("Student ID: %d, Score: %.2f\n", grades[i][j].studentId, grades[i][j].score);}}// 释放内存for (int i = 0; i < rows; i++) {free(grades[i]);}free(grades);return 0;
}

结构体指针与链表操作

链表是一种常见的数据结构,使用结构体指针实现链表操作是一个非常好的练习。以下是一些基本的链表操作示例,包括插入和删除节点:

插入节点

void insertAtBeginning(struct Node **head, int data) {struct Node *newNode = createNode(data);newNode->next = *head;*head = newNode;
}void insertAtEnd(struct Node **head, int data) {struct Node *newNode = createNode(data);if (*head == NULL) {*head = newNode;return;}struct Node *current = *head;while (current->next != NULL) {current = current->next;}current->next = newNode;
}

删除节点

void deleteNode(struct Node **head, int key) {struct Node *temp = *head, *prev = NULL;// 如果头节点持有要删除的值if (temp != NULL && temp->data == key) {*head = temp->next;free(temp);return;}// 搜索要删除的节点while (temp != NULL && temp->data != key) {prev = temp;temp = temp->next;}// 如果没有找到该值if (temp == NULL) return;// 解除链接并释放内存prev->next = temp->next;free(temp);
}

高级链表操作

链表反转

反转链表是一个常见的操作,以下是反转单链表的代码示例:

#include <stdio.h>
#include <stdlib.h>struct Node {int data;struct Node *next;
};struct Node* createNode(int data) {struct Node *newNode = (struct Node *)malloc(sizeof(struct Node));if (newNode == NULL) {printf("Memory allocation failed\n");exit(1);}newNode->data = data;newNode->next = NULL;return newNode;
}void reverseList(struct Node **head) {struct Node *prev = NULL;struct Node *current = *head;struct Node *next = NULL;while (current != NULL) {next = current->next;current->next = prev;prev = current;current = next;}*head = prev;
}void printList(struct Node *head) {struct Node *current = head;while (current != NULL) {printf("%d -> ", current->data);current = current->next;}printf("NULL\n");
}int main() {struct Node *head = createNode(1);head->next = createNode(2);head->next->next = createNode(3);printf("Original List:\n");printList(head);reverseList(&head);printf("Reversed List:\n");printList(head);// 释放内存struct Node *current = head;struct Node *next;while (current != NULL) {next = current->next;free(current);current = next;}return 0;
}

链表合并

合并两个有序链表是一个常见操作,以下是合并两个有序链表的代码示例:

struct Node* mergeLists(struct Node *l1, struct Node *l2) {if (l1 == NULL) return l2;if (l2 == NULL) return l1;struct Node *head = NULL;if (l1->data < l2->data) {head = l1;l1 = l1->next;} else {head = l2;l2 = l2->next;}struct Node *current = head;while (l1 != NULL && l2 != NULL) {if (l1->data < l2->data) {current->next = l1;l1 = l1->next;} else {current->next = l2;l2 = l2->next;}current = current->next;}if (l1 != NULL) {current->next = l1;} else {current->next = l2;}return head;
}

深拷贝结构体

有时候我们需要对结构体进行深拷贝,即复制结构体及其所有嵌套的内容。以下是一个深拷贝简单结构体的示例:

#include <stdio.h>
#include <string.h>
#include <stdlib.h>struct Address {char street[100];char city[50];char state[50];int zip;
};struct Student {char name[50];int age;float gpa;struct Address *address;
};struct Student* deepCopyStudent(const struct Student *original) {struct Student *copy = (struct Student *)malloc(sizeof(struct Student));if (copy == NULL) {printf("Memory allocation failed\n");exit(1);}strcpy(copy->name, original->name);copy->age = original->age;copy->gpa = original->gpa;copy->address = (struct Address *)malloc(sizeof(struct Address));if (copy->address == NULL) {printf("Memory allocation failed\n");free(copy);exit(1);}memcpy(copy->address, original->address, sizeof(struct Address));return copy;
}int main() {struct Address address = {"123 Maple St", "Springfield", "IL", 62701};struct Student student1 = {"Alice", 20, 3.5, &address};struct Student *studentCopy = deepCopyStudent(&student1);// 修改原始数据以验证深拷贝strcpy(student1.address->city, "Changed City");printf("Original Student: %s, %s\n", student1

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/851511.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

超强的文本转语音模型ChatTTS,一键打包,免费使用

超强的文本转语音模型ChatTTS&#xff0c;一键打包&#xff0c;免费使用 项目简介项目亮点安装使用python 代码直接引入一键启动包安装部署 ChatTTS webUI 小结一下 文本转语音&#xff08;TTS&#xff09;在生活中的应用非常的广泛&#xff0c;比如有声小说、语音导航&#xf…

电脑安全模式怎么进?详细步骤一学就会!

电脑安全模式是一种特殊的启动模式&#xff0c;加载最少的驱动程序和服务&#xff0c;帮助用户解决系统问题&#xff0c;如驱动程序冲突、病毒感染或系统文件损坏。进入安全模式可以帮助您诊断和修复问题&#xff0c;恢复系统的正常运行。本文将介绍电脑安全模式怎么进的三种方…

仿虎嗅网wordpress模板,新闻网站模板

下载地址&#xff1a;仿虎嗅网wordpress模板,新闻网站模板 服务器环境要求如下&#xff1a; PHP 5.6/PHP7.0以上版本均适用 建议MySQL 5.6/其他版本 WordPress版本4.9&#xff0c;5.0&#xff5e;5.7均适用 主题自带超强SEO功能 可以自定义每一篇文章每一个页面的标题、关键…

DeepSORT(目标跟踪算法)中 可以设置阈值进行异常检测或目标跟踪的原因

DeepSORT&#xff08;目标跟踪算法&#xff09;中 可以设置阈值进行异常检测或目标跟踪的原因 flyfish 代码地址 https://github.com/shaoshengsong/DeepSORT 利用卡方分布的特性来设置合理的阈值进行异常检测或目标跟踪。 设定和定义 假设我们有一个 k k k 维的随机向量…

长期套餐是不是永久套餐?注意:并不是!

当我们在网上选择流量卡时&#xff0c;除了有短期套餐外&#xff0c;还有不少标注着长期套餐的流量卡&#xff0c;那么&#xff0c;长期套餐是不是永久套餐呢&#xff1f;能一直使用吗&#xff1f; ​ 在这里小编要说一下&#xff0c;长期套餐≠永久套餐 长期套餐就是字面意思…

上海斯歌荣获“2023年度杰出数字化转型方案提供商”奖项

为表彰上海斯歌在各行业的数字化转型事业中所做出的突出贡献&#xff0c;经CIO时代、新基建创新研究院专家组评审认定&#xff0c;授予上海斯歌“2023年度杰出数字化转型方案提供商”奖项。荣获该殊荣&#xff0c;不仅是业界对上海斯歌解决方案专业能力及落地实施能力的又一次认…

字符编码字符集那些事

此篇文章仅为网上资料的汇总&#xff0c;方便自己查询使用&#xff0c;原文如下&#xff1a; 参考文章1:一文读懂字符编码 参考文章2:菜鸟教程字符集 参考文章3:百度字符集 参考文章4:一个线上BUG彻底搞懂MySQL字符集&#xff0c;工作也快搞丢了 参考文章5:深入理解MySQL字符集…

Kaggle -- Titanic - Machine Learning from Disaster

新手kaggle之旅&#xff1a;1 . 泰坦尼克号 使用一个简单的决策树进行模型构建&#xff0c;达到75.8%的准确率&#xff08;有点低&#xff0c;但是刚开始&#xff09; 完整代码如下&#xff1a; import pandas as pd import numpy as npdf pd.read_csv("train.csv&quo…

我用香橙派做了一个Klipper 3D打印控制器

一个好用的Klipper 3D打印机&#xff0c;一定离不开一个可以稳定进行无线通信&#xff0c;而且性能足够&#xff0c;最重要是价格亲民的上位机。 所谓Klipper&#xff0c;简单来说就是一套可以通过联动上、下位机来有效提升3D打印精度的固件。它拥有高精度的步进电机控制&#…

【持久层】PostgreSQL使用教程

详细教程点击PostgreSQL 12.2 手册&#xff0c;观看官网中文手册。 PostgreSQL 是一个功能强大且开源的对象关系数据库系统&#xff0c;以其高扩展性和符合标准的优势广受欢迎。随着大数据时代的到来&#xff0c;PostgreSQL 也在大数据处理方面展示了其强大能力。本文将介绍 P…

【图书推荐】《Spark 3.0大数据分析与挖掘:基于机器学习》

本书重点 学习Spark 3.0 ML模块的机器学习算法&#xff0c;用于大数据分析与挖掘。 内容简介 Spark作为新兴的、应用范围广泛的大数据处理开源框架&#xff0c;吸引了大量的大数据分析与挖掘从业人员进行相关内容的学习与开发&#xff0c;其中ML是Spark 3.0机器学习框架使用…

STM32智能家居项目esp8266上云OneNet【附源码+详细教程】

目录 一、硬件选材 二、OneNet使用教程 三、代码修改教程 四、添加数据流方法 五、项目工程&#xff08;源码元件清单教程&#xff09; 小白也能做&#xff0c;项目工程在后文可下载。 一、硬件选材 二、OneNet使用教程 拿到代码后肯定是连不上网的&#xff0c;因为源码…

java复习知识点

1.get&#xff0c;set: java 中当定义了一个私有的成员变量的时候&#xff0c;如果需要访问或者获取这个变量的时候&#xff0c;就可以编写set或者get方法去调用&#xff0c;set是给属性赋值的&#xff0c;get是取得属性值的&#xff0c;被设置和存取的属性一般是私有&#xf…

LabVIEW输送机动态特性参数监测系统

开发了一套基于LabVIEW软件和STM32F103ZET6单片机的带式输送机动态特性参数监测系统。该系统通过电阻应变式压力传感器和光电编码器实时采集输送带的张力和带速信息&#xff0c;通过5G模块将数据传输至上位机&#xff0c;实现数据的可视化处理与实时预警&#xff0c;有效提高输…

linux查找生产问题常用命令——参数解释

1.free -h total used free shared buff/cache available Mem: 7.7G 3.8G 675M 881M 3.2G 2.5G Swap: 2.0G 367M 1.6Gtotal: 总内存大小used: 已使用的内存大小free: 空闲的内存大…

强大的.NET的word模版引擎NVeloDocx

在Javer的世界里&#xff0c;存在了一些看起来还不错的模版引擎&#xff0c;比如poi-tl看起来就很不错&#xff0c;但是那是人家Javer们专属的&#xff0c;与我们.Neter关系不大。.NET的世界里Word模版引擎完全是一个空白。 很多人不得不采用使用Word XML结合其他的模版引擎来…

计算机网络7——网络安全4 防火墙和入侵检测

文章目录 一、系统安全:防火墙与入侵检测1、防火墙1&#xff09;分组过滤路由器2&#xff09;应用网关也称为代理服务器(proxy server)&#xff0c; 二、一些未来的发展方向 一、系统安全:防火墙与入侵检测 恶意用户或软件通过网络对计算机系统的入侵或攻击已成为当今计算机安…

【计算机网络基础】OSI七层网络模型 TCPIP四层网络模型

文章目录 ISO介绍网络模型介绍OSI七层模型OSI七层模型介绍OSI七层特点一、TCP/IP四层模型介绍二、TCP/IP四层模型TCP/IP协议簇一次C/S通信 &#x1f308;你好呀&#xff01;我是 山顶风景独好 &#x1f388;欢迎踏入我的博客世界&#xff0c;能与您在此邂逅&#xff0c;真是缘分…

光学基础 -- 光学术语之平场矫正、光学串扰、镜头渐晕

光学术语文档 1. 平场矫正 (Flat Field Correction) 定义: 平场矫正是一种图像处理技术&#xff0c;用于校正由于照明不均匀或相机感光元件响应不一致而引起的图像亮度不均匀现象。 用途: 平场矫正主要用于消除由于设备或环境引起的图像瑕疵&#xff0c;确保图像的亮度和对比…

气膜体育馆:现代城市体育设施的新选择—轻空间

在现代城市的建设中&#xff0c;体育设施的需求日益增加&#xff0c;而传统的体育馆建设周期长、成本高&#xff0c;已经难以满足快速发展的城市需求。作为一种新型的体育设施&#xff0c;气膜体育馆以其独特的优势和灵活的设计&#xff0c;正在成为城市体育设施的新选择。那么…