提示:文章写完后,目录可以自动生成,如何生成可参考右边的帮助文档
关于if return的组合来实现if else效果
- 前言
- 一、if return
前言
提示:以下是本篇文章正文内容,下面案例可供参考
一、if return
// 在链表中插入节点
void insert(struct Node** headRef, int position, int value) {
// 创建新节点并为其分配内存
struct Node* newNode = (struct Node*)malloc(sizeof(struct Node));
if (newNode == NULL) {
printf("内存分配失败。\n");
return;
}
newNode->data = value;
// 如果要插入的位置是链表的头部或链表为空
if (*headRef == NULL || position == 0) {
newNode->next = *headRef;
*headRef = newNode;
return;//此处执行了if里面的代码块,会直接跳过后面代码
}
struct Node* current = *headRef;
int count = 1;
// 找到要插入位置的前一个节点
while (current->next != NULL && count < position) {
current = current->next;
count++;
}
// 在指定位置插入节点
newNode->next = current->next;
current->next = newNode;
}