将两个数字(以链表形式表示)相乘,形成第三个链表,C++ 实现
有两个链表,其中包含数字。我们需要用两个链表形成的数字相乘。这可以通过从两个链表中形成数字来轻松实现。我们来看一个例子。
输入
1 -> 2 -> NULL 2 -> 3 -> NULL
输出
2 -> 7 -> 6 -> NULL
算法
- 初始化两个链表。
- 用 0 初始化两个变量来存储这两个数字。
- 迭代两个链表。
- 将每个数字添加到末尾的对应数字变量中。
- 将结果数字相乘并将结果存储在变量中。
- 用结果创建一个新链表。
- 打印新链表。
实现
以下是上述算法在 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; }
输出
如果运行上面的代码,你将会得到以下结果。
3->2->1->NULL 2->1->NULL 6->7->4->1->NULL
广告