题解 | #牛群分隔#
牛群分隔
https://www.nowcoder.com/practice/16d9dc3de2104fcaa52679ea796e638e
题目考察的知识点是:
本题主要考察链表。
题目解答方法的文字分析:
遍历head链表,新建两个虚拟链表left和right,将小于x的节点放在left的下一位,大于等于x的节点放right的下一位。遍历结束后,将left节点的下一位指向right节点。注意在将right,left拼接到一起时要将right节点后面置空。
本题解析所用的编程语言:
java语言。
完整且正确的编程代码:
import java.util.*; /* * public class ListNode { * int val; * ListNode next = null; * public ListNode(int val) { * this.val = val; * } * } */ public class Solution { /** * 代码中的类名、方法名、参数名已经指定,请勿修改,直接返回方法规定的值即可 * * * @param head ListNode类 * @param x int整型 * @return ListNode类 */ public ListNode cow_partition (ListNode head, int x) { // write code here ListNode l1 = new ListNode(-1), p = l1; ListNode l2 = new ListNode(-1), q = l2; while (head != null) { if (head.val >= x) { p.next = head; p = p.next; } else { q.next = head; q = q.next; } head = head.next; } p.next = null; q.next = l1.next; return l2.next; } }#题解#