mirror of
https://github.com/krahets/hello-algo.git
synced 2024-12-27 05:46:28 +08:00
335bc29af2
* feat: add chapter_sorting by dart * feat: add chapter_searching by dart --------- Co-authored-by: huangjianqing <huangjianqing@52tt.com>
31 lines
582 B
Dart
31 lines
582 B
Dart
/**
|
|
* File: list_node.dart
|
|
* Created Time: 2023-01-23
|
|
* Author: Jefferson (JeffersonHuang77@gmail.com)
|
|
*/
|
|
|
|
/**
|
|
* Definition for a singly-linked list node
|
|
*/
|
|
class ListNode {
|
|
int val;
|
|
ListNode? next;
|
|
|
|
ListNode(this.val, [this.next]);
|
|
|
|
@override
|
|
String toString() {
|
|
return 'ListNode{val: $val, next: $next}';
|
|
}
|
|
}
|
|
|
|
/* Generate a linked list with a vector */
|
|
ListNode? listToLinkedList(List<int> list) {
|
|
ListNode dum = ListNode(0);
|
|
ListNode? head = dum;
|
|
for (int val in list) {
|
|
head?.next = ListNode(val);
|
|
head = head?.next;
|
|
}
|
|
return dum.next;
|
|
}
|