Programa Javascript para sumar dos números representados por listas vinculadas: conjunto 2

Dados dos números representados por dos listas enlazadas, escribe una función que devuelva la lista de suma. La lista de suma es una representación de lista enlazada de la suma de dos números de entrada. No está permitido modificar las listas. Además, no está permitido usar espacio adicional explícito (Sugerencia: use recursividad).

Ejemplo  :

Input:
First List: 5->6->3  
Second List: 8->4->2 

Output:
Resultant list: 1->4->0->5

Hemos discutido una solución aquí que es para listas enlazadas donde un dígito menos significativo es el primer Node de las listas y el dígito más significativo es el último Node. En este problema, el Node más significativo es el primer Node y el dígito menos significativo es el último Node y no se nos permite modificar las listas. La recursividad se usa aquí para calcular la suma de derecha a izquierda.

Los siguientes son los pasos. 

  1. Calcular tamaños de dos listas enlazadas dadas.
  2. Si los tamaños son iguales, calcule la suma usando la recursividad. Mantenga todos los Nodes en la pila de llamadas recursivas hasta el Node más a la derecha, calcule la suma de los Nodes más a la derecha y avance hacia el lado izquierdo.
  3. Si el tamaño no es el mismo, siga los pasos a continuación: 
    • Calcular la diferencia de tamaños de dos listas enlazadas. Deje que la diferencia sea dif.
    • Mueva los Nodes diff adelante en la lista enlazada más grande. Ahora use el paso 2 para calcular la suma de la lista más pequeña y la sublista derecha (del mismo tamaño) de una lista más grande. Además, almacene el acarreo de esta suma.
    • Calcule la suma del acarreo (calculado en el paso anterior) con la sublista izquierda restante de una lista más grande. Los Nodes de esta suma se agregan al principio de la lista de suma obtenida en el paso anterior.

A continuación se muestra una ejecución en seco del enfoque anterior:

La imagen de abajo es la implementación del enfoque anterior. 

Javascript

<script>
// A javascript recursive program to
// add two linked lists
class node
{
    constructor(val)
    {
        this.val = val;
        this.next = null;
    }
}
 
// Function to print linked list
function printlist( head)
{
    while (head != null)
    {
        document.write(head.val + " ");
        head = head.next;
    }
}
 
var head1, head2, result;
var carry;
 
/* A utility function to push a
   value to linked list */
function push(val, list)
{
    var newnode = new node(val);
    if (list == 1)
    {
        newnode.next = head1;
        head1 = newnode;
    }
    else if (list == 2)
    {
        newnode.next = head2;
        head2 = newnode;
    }
    else
    {
        newnode.next = result;
        result = newnode;
    }
}
 
// Adds two linked lists of same size
// represented by head1 and head2 and
// returns head of the resultant
// linked list. Carry is propagated
// while returning from the recursion
function addsamesize(n, m)
{
    // Since the function assumes
    // linked lists are of same size,
    // check any of the two head pointers
    if (n == null)
        return;
 
    // Recursively add remaining nodes
    // and get the carry
    addsamesize(n.next, m.next);
 
    // Add digits of current nodes and
    // propagated carry
    var sum = n.val + m.val + carry;
    carry = parseInt(sum / 10);
    sum = sum % 10;
 
    // Push this to result list
    push(sum, 3);
}
 
var cur;
 
// This function is called after the
// smaller list is added to the bigger
// lists's sublist of same size. Once
// the right sublist is added, the carry
// must be added to the left side of
// larger list to get the final result.
function propogatecarry(head1)
{
    // If diff. number of nodes are not
    // traversed, add carry
    if (head1 != cur)
    {           
        propogatecarry(head1.next);
        var sum = carry + head1.val;
        carry = parseInt(sum / 10);
        sum %= 10;
 
        // Add this node to the front
        // of the result
        push(sum, 3);
    }
}
 
function getsize(head)
{
    var count = 0;
    while (head != null)
    {
        count++;
        head = head.next;
    }
    return count;
}
 
// The main function that adds two
// linked lists represented by head1
// and head2. The sum of two lists
// is stored in a list referred by
// result
function addlists()
{
    // first list is empty
    if (head1 == null)
    {
        result = head2;
        return;
    }
 
    // First list is empty
    if (head2 == null)
    {
        result = head1;
        return; 
    }
 
    var size1 = getsize(head1);
    var size2 = getsize(head2);
 
    // Add same size lists
    if (size1 == size2)
    {
        addsamesize(head1, head2);
    }
    else  
    {
        // First list should always be
        // larger than second list.
        // If not, swap pointers
        if (size1 < size2)
        {
            var temp = head1;
            head1 = head2;
            head2 = temp;
        }
        var diff =
            Math.abs(size1 - size2);
 
        // Move diff. number of nodes in
        // first list
        var temp = head1;
        while (diff-- >= 0)
        {
            cur = temp;
            temp = temp.next;
        }
 
        // Get addition of same size lists
        addsamesize(cur, head2);
 
        // Get addition of remaining first
        // list and carry
        propogatecarry(head1);
    }
    // If some carry is still there, add
    // a new node to the front of the result
    // list. e.g. 999 and 87
    if (carry > 0)
        push(carry, 3);
}
 
// Driver code
head1 = null;
head2 = null;
result = null;
carry = 0;
var arr1 = [9, 9, 9];
var arr2 = [1, 8];
 
// Create first list as 9->9->9
for (i = arr1.length - 1; i >= 0; --i)
    push(arr1[i], 1);
 
// Create second list as 1->8
for (i = arr2.length - 1; i >= 0; --i)
    push(arr2[i], 2);
 
addlists();
printlist(result);
// This code is contributed by todaysgaurav
</script>

Producción:

1 0 1 7

Complejidad de tiempo: O(m + n) donde m y n son el número de Nodes en las dos listas enlazadas dadas.
Espacio auxiliar:   O(m+n), donde m y n son el número de Nodes en las dos listas enlazadas dadas.

Enfoque iterativo:

Esta implementación no tiene ninguna sobrecarga de llamadas recursivas, lo que significa que es una solución iterativa.

Dado que necesitamos comenzar a agregar números de la última de las dos listas vinculadas. Entonces, aquí usaremos la estructura de datos de pila para implementar esto.

  • Primero haremos dos pilas de las dos listas enlazadas dadas.
  • Luego, ejecutaremos un bucle hasta que ambas pilas queden vacías.
  • en cada iteración, mantenemos la pista del acarreo.
  • Al final, si carry>0, eso significa que necesitamos un Node adicional al comienzo de la lista resultante para acomodar este carry.

Javascript

<script>
// Javascript Iterative program to add
// two linked lists      
class Node
{
    constructor(val)
    {
        this.data = val;
        this.next = null;
    }
}
var l1, l2, result;
 
// To push a new node to
// linked list
function push(new_data)
{
    // Allocate node
    var new_node = new Node(0);
 
    // Put in the data
    new_node.data = new_data;
 
    // Link the old list off the
    // new node
    new_node.next = l1;
 
    // Move the head to point to the
    // new node
    l1 = new_node;
}
 
function push1(new_data)
{
    // Allocate node
    var new_node = new Node(0);
 
    // Put in the data
    new_node.data = new_data;
 
    // Link the old list off the
    // new node
    new_node.next = l2;
 
    // Move the head to point to
    // the new node
    l2 = new_node;
}
 
// To add two new numbers
function addTwoNumbers()
{
    var stack1 = [];
    var stack2 = [];
 
    while (l1 != null)
    {
        stack1.push(l1.data);
        l1 = l1.next;
    }
 
    while (l2 != null)
    {
        stack2.push(l2.data);
        l2 = l2.next;
    }
 
    var carry = 0;
    var result = null;
 
    while (stack1.length != 0 ||
           stack2.length != 0)
    {
        var a = 0, b = 0;
 
        if (stack1.length != 0)
        {
            a = stack1.pop();
        }
 
        if (stack2.length != 0)
        {
            b = stack2.pop();
        }
 
        var total = a + b + carry;
        var temp = new Node(total % 10);
        carry = parseInt(total / 10);
 
        if (result == null)
        {
            result = temp;
        }
        else
        {
            temp.next = result;
            result = temp;
        }
    }
 
    if (carry != 0)
    {
        var temp = new Node(carry);
        temp.next = result;
        result = temp;
    }
    return result;
}
 
// To print a linked list
function printList()
{
    while (result != null)
    {
        document.write(result.data + " ");
        result = result.next;
    }
    document.write();
}
 
// Driver code
var arr1 = [5, 6, 7];
var arr2 = [1, 8];
 
var size1 = 3;
var size2 = 2;
 
// Create first list as
// 5->6->7
var i;
for (var i = size1 - 1; i >= 0; --i)
push(arr1[i]);
 
// Create second list as 1->8
for (i = size2 - 1; i >= 0; --i)
    push1(arr2[i]);
 
result = addTwoNumbers();
printList();
// This code contributed by umadevi9616
</script>

Producción:

5 8 5

Complejidad de tiempo: O(m + n) donde m y n son el número de Nodes en las dos listas enlazadas dadas.
Espacio auxiliar:   O(m+n), donde m y n son el número de Nodes en las dos listas enlazadas dadas.

Artículo relacionado: Suma dos números representados por listas enlazadas | Conjunto 1 Consulte el artículo completo sobre Agregar dos números representados por listas enlazadas | Set 2 para 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 *