划分链表的第一种方法

创建两个头节点,遍历原链表,将链表的节点根据x的大小分配到两个新链表上,最后将两个新链表串起来。

收获:实现方法不仅需要一个newhead还需要的遍历指针ptr。

​
/*
 * public class ListNode {
 *   int val;
 *   ListNode next = null;
 * }
 */
​
public class Solution {
    /**
     * 
     * @param head ListNode类 
     * @param x int整型 
     * @return ListNode类
     */
    public ListNode partition (ListNode head, int x) {
        // write code here
       if(head==null){
            return head;
        }
        ListNode newHeadone=new ListNode(-1);
        ListNode newHeadtwo=new ListNode(-2);
        ListNode ptrone=newHeadone;
        ListNode ptrtwo=newHeadtwo;
        while(head!=null){
            if(head.val<x){
                ptrone.next=head;
                ptrone=ptrone.next;
                head=head.next;
            }else{
                ptrtwo.next=head;
                ptrtwo=ptrtwo.next;
                head=head.next;
            }
        }
        //置空是为了解决while循环结束最后两个节点还连在一起的情况
        ptrone.next=null;
        ptrtwo.next=null;
        ptrone.next=newHeadtwo.next;
        return newHeadone.next;
    }
}