c语言用单链线性表来写输出Hello world
时间: 2024-09-23 13:04:56 浏览: 38
在C语言中,使用单链表存储"Hello World"并打印出来,通常需要创建一个节点结构、初始化链表以及遍历节点并打印内容。下面是一个简单的示例:
```c
#include <stdio.h>
#include <stdlib.h> // 包含内存管理函数
// 定义链表节点结构体
typedef struct Node {
char* data; // 存储字符
struct Node* next; // 指向下一个节点的指针
} Node;
// 初始化新节点
Node* create_node(char* str) {
Node* newNode = (Node*)malloc(sizeof(Node));
newNode->data = malloc(strlen(str) + 1); // 分配空间给字符串
strcpy(newNode->data, str);
newNode->next = NULL;
return newNode;
}
// 创建并连接单链表
void append_to_list(Node** head, char* str) {
if (*head == NULL) {
*head = create_node(str);
return;
}
Node* current = *head;
while (current->next != NULL) {
current = current->next;
}
current->next = create_node(str);
}
// 遍历链表并打印
void print_list(Node* head) {
while (head != NULL) {
printf("%s ", head->data);
head = head->next;
}
printf("\n");
}
int main() {
// 初始化链表
Node* list_head = NULL;
append_to_list(&list_head, "H"); // H -> e -> l -> l -> o -> W -> o -> r -> l -> d
// 打印链表
print_list(list_head);
// 清理内存
Node* temp = list_head;
while (temp != NULL) {
Node* next_temp = temp->next;
free(temp->data);
free(temp);
temp = next_temp;
}
return 0;
}
```
这个程序首先创建了一个链表,将每个字母作为单独的节点添加进去,然后通过`print_list`函数按顺序输出链表的内容。注意,在结束时别忘了释放动态分配的内存。
阅读全文