从两个链表中选择每个位置的最大元素创建新的链表(C++程序)


在本教程中,我们将编写一个程序,从给定的链表创建新的链表。

我们给出了两个相同大小的链表,我们必须从这两个链表中创建一个新的链表,其中包含这两个链表中的最大数字。

让我们看看解决问题的步骤。

  • 编写一个结构体节点。

  • 创建两个相同大小的链表。

  • 遍历链表。

    • 从两个链表节点中找到最大数字。

    • 使用最大数字创建一个新节点。

    • 将新节点添加到新链表。

  • 打印新链表。

示例

让我们看看代码。

 在线演示

#include <bits/stdc++.h>
using namespace std;
struct Node {
   int data;
   Node* next;
};
void insertNewNode(Node** root, int item) {
   Node *ptr, *temp;
   temp = new Node;
   temp->data = item;
   temp->next = NULL;
   if (*root == NULL) {
      *root = temp;
   }
   else {
      ptr = *root;
      while (ptr->next != NULL) {
         ptr = ptr->next;
      }
      ptr->next = temp;
   }
}
void printLinkedList(Node* root) {
   while (root != NULL) {
      cout << root->data << " -> ";
      root = root->next;
   }
   cout << "NULL" << endl;
}
Node* generateNewLinkedList(Node* root1, Node* root2) {
   Node *ptr1 = root1, *ptr2 = root2;
   Node* root = NULL;
   while (ptr1 != NULL) {
      int currentMax = ((ptr1->data < ptr2->data) ? ptr2->data : ptr1->data);
      if (root == NULL) {
         Node* temp = new Node;
         temp->data = currentMax;
         temp->next = NULL;
         root = temp;
      }
      else {
         insertNewNode(&root, currentMax);
      }
      ptr1 = ptr1->next;
      ptr2 = ptr2->next;
   }
   return root;
}
int main() {
   Node *root1 = NULL, *root2 = NULL, *root = NULL;
   insertNewNode(&root1, 1);
   insertNewNode(&root1, 2);
   insertNewNode(&root1, 3);
   insertNewNode(&root1, 4);
   insertNewNode(&root2, 3);
   insertNewNode(&root2, 1);
   insertNewNode(&root2, 2);
   insertNewNode(&root2, 4);
   root = generateNewLinkedList(root1, root2);
   printLinkedList(root);
   return 0;
}

输出

如果运行以上代码,则会得到以下结果。

3 -> 2 -> 3 -> 4 -> NULL

结论

如果您在本教程中有任何疑问,请在评论区提出。

更新于: 2021年1月28日

2K+ 浏览量

开启你的职业生涯

通过完成课程获得认证

开始学习
广告