遍历链表把所有值取出来排序后再用尾插法生成新链表即可
/**
* struct ListNode {
* int val;
* struct ListNode *next;
* ListNode(int x) : val(x), next(nullptr) {}
* };
*/
#include <vector>
class Solution {
public:
/**
* 代码中的类名、方法名、参数名已经指定,请勿修改,直接返回方法规定的值即可
*
*
* @param head ListNode类 the head node
* @return ListNode类
*/
ListNode* sortInList(ListNode* head) {
vector<int>nums;
while(head){
nums.emplace_back(head->val);
head=head->next;
}
sort(nums.begin(),nums.end());
ListNode* top=new ListNode(0);
head=top;
for(auto&v : nums){
top->next = new ListNode(v);
top=top->next;
}
return head->next;
}
};
打卡图