-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy path2-add-two-numbers.dart
56 lines (48 loc) · 1.19 KB
/
2-add-two-numbers.dart
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
class ListNode {
int val;
ListNode? next;
ListNode(this.val, [this.next]);
}
class Solution {
ListNode? addTwoNumbers(ListNode? l1, ListNode? l2) {
ListNode dummyHead = ListNode(0);
ListNode current = dummyHead;
int carry = 0;
while (l1 != null || l2 != null || carry != 0) {
int sum = (l1?.val ?? 0) + (l2?.val ?? 0) + carry;
carry = sum ~/ 10;
current.next = ListNode(sum % 10); // remainder
current = current.next!;
l1 = l1?.next;
l2 = l2?.next;
}
return dummyHead.next;
}
}
ListNode? createLinkedList(List<int> values) {
ListNode? head;
ListNode? current;
for (var value in values) {
if (head == null) {
head = ListNode(value);
current = head;
} else {
current!.next = ListNode(value);
current = current.next;
}
}
return head;
}
void printLinkedList(ListNode? node) {
while (node != null) {
print(node.val);
node = node.next;
}
}
void main() {
Solution solution = new Solution();
ListNode? l1 = createLinkedList([2, 4, 3]);
ListNode? l2 = createLinkedList([5, 6, 4]);
ListNode? result = solution.addTwoNumbers(l1, l2);
printLinkedList(result); // Output: 7 -> 0 -> 8
}