C++编写程序建立一个单向链表。链表结点中的数据为从键盘输入的一个字符串,但要求将该串字符按由小到大的顺序组织在链表中。
时间: 2024-02-19 11:58:40 浏览: 65
好的,我可以为您提供代码实现。以下是使用C++编写的单向链表,其中节点中的数据按照由小到大的顺序组织:
```c++
#include <iostream>
#include <string>
using namespace std;
struct Node {
string data;
Node* next;
};
Node* insert(Node* head, string data) {
Node* newNode = new Node;
newNode->data = data;
newNode->next = nullptr;
if (head == nullptr) {
return newNode;
}
if (data < head->data) {
newNode->next = head;
return newNode;
}
Node* prev = head;
Node* curr = head->next;
while (curr != nullptr && data > curr->data) {
prev = curr;
curr = curr->next;
}
prev->next = newNode;
newNode->next = curr;
return head;
}
void printList(Node* head) {
while (head != nullptr) {
cout << head->data << " ";
head = head->next;
}
cout << endl;
}
int main() {
Node* head = nullptr;
string str;
cout << "Enter strings (enter 'end' to stop):" << endl;
while (true) {
cin >> str;
if (str == "end") {
break;
}
head = insert(head, str);
}
cout << "Sorted list: ";
printList(head);
return 0;
}
```
在这个程序中,我们定义了一个`Node`结构体,其中包含了一个字符串类型的`data`和一个指向下一个节点的指针`next`。然后,我们定义了一个`insert`函数来将新的字符串插入到链表中。我们首先创建一个新的节点,然后检查链表是否为空。如果是,我们返回新节点。如果不是,我们检查新节点的数据是否小于头节点的数据,如果是,我们将新节点插入到头部。否则,我们遍历链表,直到找到新节点的位置,并将其插入到链表中。最后,我们定义了一个`printList`函数来打印链表中的所有字符串。在`main`函数中,我们使用`insert`函数将输入的字符串插入到链表中,并使用`printList`函数打印排序后的链表。
阅读全文