 
  Data Structure Data Structure
 Networking Networking
 RDBMS RDBMS
 Operating System Operating System
 Java Java
 MS Excel MS Excel
 iOS iOS
 HTML HTML
 CSS CSS
 Android Android
 Python Python
 C Programming C Programming
 C++ C++
 C# C#
 MongoDB MongoDB
 MySQL MySQL
 Javascript Javascript
 PHP PHP
- Selected Reading
- UPSC IAS Exams Notes
- Developer's Best Practices
- Questions and Answers
- Effective Resume Writing
- HR Interview Questions
- Computer Glossary
- Who is Who
Multiply two numbers represented by Linked Lists in C++
Given two linked lists with digits in it. We need to multiply two numbers formed by the linked list. It can be done easily by forming the numbers from the two linked lists. Let's see an example.
Input
1 -> 2 -> NULL 2 -> 3 -> NULL
Output
2 -> 7 -> 6 -> NULL
Algorithm
- Initialise the two linked lists.
- Initialise two variables with 0 to store the two numbers.
- Iterate over the two linked lists.- Add each digit to the respective number variable at the end.
 
- Multiply the resultant numbers and store the result in a variable.
- Create a new list with the result.
- Print the new list.
Implementation
Following is the implementation of the above algorithm in C++
#include <bits/stdc++.h> using namespace std; struct Node {    int data;    struct Node* next; }; void addNewNode(struct Node** head, int new_data) {    struct Node* newNode = new Node;    newNode->data = new_data;    newNode->next = *head;    *head = newNode; } void multiplyTwoLinkedLists(struct Node* firstHead, struct Node* secondHead , struct Node** newLinkedListHead) {    int _1 = 0, _2 = 0;    while (firstHead || secondHead) {       if (firstHead) {          _1 = _1 * 10 + firstHead->data;          firstHead = firstHead->next;       }       if (secondHead) {          _2 = _2 * 10 + secondHead->data;          secondHead = secondHead->next;       }    }    int result = _1 * _2;    while (result) {       addNewNode(newLinkedListHead, result % 10);       result /= 10;    } } void printLinkedList(struct Node *node) {    while(node != NULL) {       cout << node->data << "->";       node = node->next;    }    cout << "NULL" << endl; } int main(void) {    struct Node* firstHead = NULL;    struct Node* secondHead = NULL; addNewNode(&firstHead, 1);    addNewNode(&firstHead, 2);    addNewNode(&firstHead, 3);    printLinkedList(firstHead);    addNewNode(&secondHead, 1);    addNewNode(&secondHead, 2);    printLinkedList(secondHead);    struct Node* newLinkedListHead = NULL;    multiplyTwoLinkedLists(firstHead, secondHead, &newLinkedListHead);    printLinkedList(newLinkedListHead);   return 0; } Output
If you run the above code, then you will get the following result.
3->2->1->NULL 2->1->NULL 6->7->4->1->NULL
Advertisements
 