题解 | #牛群排列去重#
牛群排列去重
https://www.nowcoder.com/practice/8cabda340ac6461984ef9a1ad66915e4
- 知识点:链表节点操作
- 题目文字分析:题目是想要将链表中的节点去重,但是有个条件很关键:非降序。如果是无序的,不能直接遍历前后比对了。根据题目条件,则直接使用一个变量,遍历的时候遍历当前的节点值是否和下个节点相同,如果相同则移两位,如果是不同,则当前变量移动一位。
- 使用编程语言: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类 * @return ListNode类 */ public ListNode deleteDuplicates (ListNode head) { // write code here // 链表节点数0或1直接返回 if (head == null || head.next == null) { return head; } ListNode curr = head; while(curr != null && curr.next != null) { if(curr.val == curr.next.val) { curr.next = curr.next.next; } else { curr = curr.next; } } return head; } }