下面是一个使用C++实现含头结点的单链表,并实现元素位置移动的示例代码:
#include <iostream>
using namespace std;
// 定义链表节点结构体
struct ListNode {
int data;
ListNode* next;
};
// 创建链表
ListNode* createList(int n) {
ListNode* head = new ListNode();
ListNode* cur = head;
for (int i = 0; i < n; i++) {
int num;
cin >> num;
ListNode* newNode = new ListNode();
newNode->data = num;
newNode->next = nullptr;
cur->next = newNode;
cur = cur->next;
}
return head;
}
// 打印链表
void printList(ListNode* head) {
if (head == nullptr || head->next == nullptr) {
return;
}
ListNode* cur = head->next;
while (cur != nullptr) {
cout << cur->data << " ";
cur = cur->next;
}
cout << endl;
}
// 移动元素位置
void moveElement(ListNode* head, int currentPos, int targetPos) {
if (currentPos == targetPos || head == nullptr || head->next == nullptr) {
return;
}
// 获取待移动的节点和其前一个节点
ListNode* prevNode1 = nullptr; // 待移动节点的前一个节点
ListNode* currentNode1 = head; // 待移动节点
while (currentNode1 != nullptr && currentPos > 0) {
prevNode1 = currentNode1;
currentNode1 = currentNode1->next;
currentPos--;
}
if (currentNode1 == nullptr) {
cout << "error" << endl;
return;
}
ListNode* prevNode2 = nullptr; // 目标位置节点的前一个节点
ListNode* currentNode2 = head; // 目标位置节点
while (currentNode2 != nullptr && targetPos > 0) {
prevNode2 = currentNode2;
currentNode2 = currentNode2->next;
targetPos--;
}
if (currentNode2 == nullptr) {
cout << "error" << endl;
return;
}
// 移动节点
if (prevNode1 != nullptr) {
prevNode1->next = currentNode1->next;
}
if (prevNode2 != nullptr) {
prevNode2->next = currentNode1;
} else {
head->next = currentNode1;
}
currentNode1->next = currentNode2;
}
int main() {
int n, t;
cin >> n;
ListNode* head = createList(n);
cout << "Original list: ";
printList(head);
cin >> t;
for (int i = 0; i < t; i++) {
int currentPos, targetPos;
cin >> currentPos >> targetPos;
moveElement(head, currentPos, targetPos);
cout << "After move #" << i + 1 << ": ";
printList(head);
}
return 0;
}
这段代码首先会根据输入创建含有头结点的单链表,并打印原始列表。然后,根据输入的移动次数和具体位置,调用 moveElement 函数来实现元素位置的移动。最后,打印每一次移动后的结果。如果发现输入的位置不合法,则输出字符串 “error”。
内容由零声教学AI助手提供,问题来源于学员提问




