要使用類實現鏈表,首先需要定義一個節點類來表示鏈表的節點,然后再定義一個鏈表類來操作這些節點。
以下是一個使用類實現鏈表的示例:
#include <iostream>
// 鏈表節點類
class Node {
public:
int data;
Node* next;
Node(int value) {
data = value;
next = nullptr;
}
};
// 鏈表類
class LinkedList {
private:
Node* head; // 鏈表頭指針
public:
LinkedList() {
head = nullptr;
}
// 在鏈表尾部插入一個節點
void append(int value) {
Node* newNode = new Node(value);
if (head == nullptr) {
head = newNode;
} else {
Node* current = head;
while (current->next != nullptr) {
current = current->next;
}
current->next = newNode;
}
}
// 在鏈表指定位置插入一個節點
void insert(int value, int index) {
if (index < 0) {
std::cout << "Invalid index!" << std::endl;
return;
}
Node* newNode = new Node(value);
if (index == 0) {
newNode->next = head;
head = newNode;
} else {
Node* current = head;
for (int i = 0; i < index - 1; i++) {
if (current == nullptr) {
std::cout << "Invalid index!" << std::endl;
return;
}
current = current->next;
}
newNode->next = current->next;
current->next = newNode;
}
}
// 刪除鏈表指定位置的節點
void remove(int index) {
if (index < 0) {
std::cout << "Invalid index!" << std::endl;
return;
}
if (index == 0) {
Node* temp = head;
head = head->next;
delete temp;
} else {
Node* current = head;
for (int i = 0; i < index - 1; i++) {
if (current == nullptr || current->next == nullptr) {
std::cout << "Invalid index!" << std::endl;
return;
}
current = current->next;
}
Node* temp = current->next;
current->next = temp->next;
delete temp;
}
}
// 打印鏈表中的所有節點值
void print() {
Node* current = head;
while (current != nullptr) {
std::cout << current->data << " ";
current = current->next;
}
std::cout << std::endl;
}
};
int main() {
LinkedList myList;
myList.append(1);
myList.append(2);
myList.append(3);
myList.insert(4, 1);
myList.print(); // 輸出:1 4 2 3
myList.remove(2);
myList.print(); // 輸出:1 4 3
return 0;
}
在上述示例中,我們首先定義了一個節點類Node
,包含一個整型數據成員data
和一個指向下一個節點的指針next
。
然后,我們定義了一個鏈表類LinkedList
,包含一個指向鏈表頭部的指針head
。鏈表類中實現了幾種基本的鏈表操作,如在鏈表尾部插入節點、在指定位置插入節點、刪除指定位置的節點以及打印鏈表中的所有節點。
在main
函數中,我們創建了一個鏈表對象myList
,并進行了一些插入、刪除和打印操作,最后銷毀鏈表對象。
運行上述示例代碼,將輸出如下結果:
1 4 2 3
1 4 3
這表明使用類實現的鏈表能夠正常工作。