- C言語におけるリンクリストのノード作成例:
#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));
newNode->data = data;
newNode->next = NULL;
return newNode;
}
int main() {
struct Node* head = NULL;
struct Node* second = NULL;
struct Node* third = NULL;
head = createNode(1);
second = createNode(2);
third = createNode(3);
head->next = second;
second->next = third;
// リストの要素を表示する例
struct Node* current = head;
while (current != NULL) {
printf("%d ", current->data);
current = current->next;
}
return 0;
}
- Pythonにおけるリンクリストのノード作成例:
class Node:
def __init__(self, data=None):
self.data = data
self.next = None
def create_node(data):
new_node = Node(data)
return new_node
# リストの要素を表示する関数の例
def print_list(head):
current = head
while current:
print(current.data, end=" ")
current = current.next
# ノードの作成とリストの操作の例
head = create_node(1)
second = create_node(2)
third = create_node(3)
head.next = second
second.next = third
print_list(head)
これらは、C言語とPythonでのリンクリストのノード作成の基本的な例です。ノードを作成する際には、データを格納するためのデータフィールドと、次のノードへの参照を設定する必要があります。ノードを作成した後は、リスト内の要素を操作するために、ノード間の参照を適切に設定する必要があります。
この記事では、リンクリストのノード作成に関する基本的な方法とコード例を提供しました。リンクリストはデータ構造の重要な要素であり、プログラミングにおいて頻繁に使用されます。ノードの作成方法を理解することは、リンクリストを効果的に使用するための重要なスキルです。