How to Sort a Linked List by Converting to Array/Vector?
- 时间:2020-09-12 10:06:27
- 分类:网络文摘
- 阅读:85 次
Although, sorting a linked list can be done via Recursive Divide-and-Conquer algorithm i.e. merge sorting, we can however, turn the linked list into an array (or vector) using O(N) time and space, then sort the array/vector in O(nlogn), and finally convert it back to the linked list in O(n) time.
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 | /** * Definition for singly-linked list. * struct ListNode { * int val; * ListNode *next; * ListNode(int x) : val(x), next(NULL) {} * }; */ class Solution { public: ListNode* insertionSortList(ListNode* head) { if (head == NULL) return NULL; vector<int> data; ListNode *p = head; while (p) { data.push_back(p->val); p = p->next; } sort(begin(data), end(data)); p = head; for (const auto &n: data) { p->val = n; p = p->next; } return head; } }; |
/** * Definition for singly-linked list. * struct ListNode { * int val; * ListNode *next; * ListNode(int x) : val(x), next(NULL) {} * }; */ class Solution { public: ListNode* insertionSortList(ListNode* head) { if (head == NULL) return NULL; vector<int> data; ListNode *p = head; while (p) { data.push_back(p->val); p = p->next; } sort(begin(data), end(data)); p = head; for (const auto &n: data) { p->val = n; p = p->next; } return head; } };
We don’t need to allocate new nodes for the sorted singly-linked list. Instead, we can follow the original linked list in the same order of the sorted array, then synchronise the values from the array to the linked list. This will cost O(N) time and O(1) additional space.
–EOF (The Ultimate Computing & Technology Blog) —
推荐阅读:食品论文:中国的食品安全问题 糖炒栗子:警惕非法使用了糖精和石蜡 英国最新研究常喝矿泉水防老年痴呆 煲制鸡汤的营养价值和饮食宜忌 红豆的食疗作用常吃红豆的好处 吃出健康:大蒜的保健养生新吃法 专家称食源性疾病是食品安全头号敌人 橄榄油真的是最好的食用油吗? 果胶:天然的食品添加剂和保健品 保健食品鱼目混珠要验明正身再认购
- 评论列表
-
- 添加评论