Programa C++ para encontrar la intersección de dos listas enlazadas ordenadas

Dadas dos listas ordenadas en orden creciente, cree y devuelva una nueva lista que represente la intersección de las dos listas. La nueva lista debe hacerse con su propia memoria; las listas originales no deben cambiarse. 

Ejemplo: 

Input: 
First linked list: 1->2->3->4->6
Second linked list be 2->4->6->8, 
Output: 2->4->6.
The elements 2, 4, 6 are common in 
both the list so they appear in the 
intersection list. 

Input: 
First linked list: 1->2->3->4->5
Second linked list be 2->3->4, 
Output: 2->3->4
The elements 2, 3, 4 are common in 
both the list so they appear in the 
intersection list.

Método 1 : Uso del Node ficticio. 
Enfoque: 
la idea es utilizar un Node ficticio temporal al comienzo de la lista de resultados. La cola del puntero siempre apunta al último Node en la lista de resultados, por lo que se pueden agregar nuevos Nodes fácilmente. El Node ficticio inicialmente le da a la cola un espacio de memoria al que apuntar. Este Node ficticio es eficiente, ya que solo es temporal y se asigna en la pila. El ciclo continúa, eliminando un Node de ‘a’ o ‘b’ y agregándolo a la cola. Cuando se recorren las listas dadas, el resultado es ficticio. siguiente, ya que los valores se asignan desde el siguiente Node del dummy. Si ambos elementos son iguales, elimine ambos e inserte el elemento en la cola. De lo contrario, elimine el elemento más pequeño entre ambas listas. 

A continuación se muestra la implementación del enfoque anterior:

C++

#include<bits/stdc++.h>
using namespace std;
 
// Link list node
struct Node
{
    int data;
    Node* next;
};
 
void push(Node** head_ref,
          int new_data);
 
/* This solution uses the temporary
  dummy to build up the result list */
Node* sortedIntersect(Node* a, Node* b)
{
    Node dummy;
    Node* tail = &dummy;
    dummy.next = NULL;
 
    /* Once one or the other
       list runs out -- we're done */
    while (a != NULL && b != NULL)
    {
        if (a->data == b->data)
        {
            push((&tail->next), a->data);
            tail = tail->next;
            a = a->next;
            b = b->next;
        }
        // Advance the smaller list
        else if (a->data < b->data)
            a = a->next;
        else
            b = b->next;
    }
    return (dummy.next);
}
 
// UTILITY FUNCTIONS
/* Function to insert a node at
   the beginning of the linked list */
void push(Node** head_ref, int new_data)
{
    // Allocate node
    Node* new_node =
          (Node*)malloc(sizeof(Node));
 
    // Put in the data 
    new_node->data = new_data;
 
    // Link the old list off the
    // new node
    new_node->next = (*head_ref);
 
    // Move the head to point to
    // the new node
    (*head_ref) = new_node;
}
 
/* Function to print nodes in
   a given linked list */
void printList(Node* node)
{
    while (node != NULL)
    {
        cout << node->data <<" ";
        node = node->next;
    }
}
 
// Driver code
int main()
{
    // Start with the empty lists
    Node* a = NULL;
    Node* b = NULL;
    Node* intersect = NULL;
 
    /* Let us create the first sorted
       linked list to test the functions
       Created linked list will be
       1->2->3->4->5->6 */
    push(&a, 6);
    push(&a, 5);
    push(&a, 4);
    push(&a, 3);
    push(&a, 2);
    push(&a, 1);
 
    /* Let us create the second sorted
       linked list. Created linked list
       will be 2->4->6->8 */
    push(&b, 8);
    push(&b, 6);
    push(&b, 4);
    push(&b, 2);
 
    // Find the intersection two linked lists
    intersect = sortedIntersect(a, b);
 
    cout <<
    "Linked list containing common items of a & b ";
    printList(intersect);
}

Producción:

Linked list containing common items of a & b 
2 4 6 

Análisis de Complejidad: 

  • Complejidad de tiempo: O(m+n) donde m y n son el número de Nodes en la primera y segunda lista enlazada respectivamente. 
    Solo se necesita un recorrido de las listas.
  • Espacio Auxiliar: O(min(m, n)). 
    La lista de salida puede almacenar como máximo min(m,n) Nodes.

Método 2 : Solución recursiva. 
Enfoque: 
El enfoque recursivo es muy similar a los dos enfoques anteriores. Cree una función recursiva que tome dos Nodes y devuelva un Node de lista enlazada. Compare el primer elemento de ambas listas. 

  • Si son similares, llame a la función recursiva con el siguiente Node de ambas listas. Cree un Node con los datos del Node actual y coloque el Node devuelto por la función recursiva en el siguiente puntero del Node creado. Devuelve el Node creado.
  • Si los valores no son iguales, elimine el Node más pequeño de ambas listas y llame a la función recursiva.

A continuación se muestra la implementación del enfoque anterior:

C++

// C++ program to implement
// the above approach
#include <bits/stdc++.h>
using namespace std;
 
// Link list node
struct Node
{
    int data;
    struct Node* next;
};
 
struct Node* sortedIntersect(struct Node* a,
                             struct Node* b)
{   
    // Base case
    if (a == NULL || b == NULL)
        return NULL;
 
    // If both lists are non-empty
 
    /* Advance the smaller list and
       call recursively */
    if (a->data < b->data)
        return sortedIntersect(a->next, b);
 
    if (a->data > b->data)
        return sortedIntersect(a, b->next);
 
    // Below lines are executed only
    // when a->data == b->data
    struct Node* temp =
           (struct Node*)malloc(sizeof(struct Node));
    temp->data = a->data;
 
    // Advance both lists and call recursively
    temp->next = sortedIntersect(a->next,
                                 b->next);
    return temp;
}
 
// UTILITY FUNCTIONS
/* Function to insert a node at
   the beginning of the linked list */
void push(struct Node** head_ref,
          int new_data)
{   
    // Allocate node
    struct Node* new_node =
           (struct Node*)malloc(sizeof(struct Node));
 
    // Put in the data 
    new_node->data = new_data;
 
    // Link the old list off the
    // new node
    new_node->next = (*head_ref);
 
    // Move the head to point to
    // the new node
    (*head_ref) = new_node;
}
 
/* Function to print nodes in
   a given linked list */
void printList(struct Node* node)
{
    while (node != NULL)
    {
        cout << " " << node->data;
        node = node->next;
    }
}
 
// Driver code
int main()
{   
    // Start with the empty lists
    struct Node* a = NULL;
    struct Node* b = NULL;
    struct Node* intersect = NULL;
 
    /* Let us create the first sorted
       linked list to test the functions
       Created linked list will be
       1->2->3->4->5->6 */
    push(&a, 6);
    push(&a, 5);
    push(&a, 4);
    push(&a, 3);
    push(&a, 2);
    push(&a, 1);
 
    /* Let us create the second sorted
       linked list. Created linked list
       will be 2->4->6->8 */
    push(&b, 8);
    push(&b, 6);
    push(&b, 4);
    push(&b, 2);
 
    // Find the intersection two linked lists
    intersect = sortedIntersect(a, b);
 
    cout << "Linked list containing " <<
            "common items of a & b ";
    printList(intersect);
 
    return 0;
}
// This code is contributed by shivanisinghss2110

Producción:

Linked list containing common items of a & b 
2 4 6

Análisis de Complejidad: 

  • Complejidad de tiempo: O(m+n) donde m y n son el número de Nodes en la primera y segunda lista enlazada respectivamente. 
    Solo se necesita un recorrido de las listas.
  • Espacio Auxiliar: O(max(m, n)). 
    La lista de salida puede almacenar como máximo m+n Nodes.

¡ Consulte el artículo completo sobre la intersección de dos listas enlazadas ordenadas para obtener más detalles!

Publicación traducida automáticamente

Artículo escrito por GeeksforGeeks-1 y traducido por Barcelona Geeks. The original can be accessed here. Licence: CCBY-SA

Deja una respuesta

Tu dirección de correo electrónico no será publicada. Los campos obligatorios están marcados con *