题目:
一个环形单链表从头节点head开始不降序,同时由最后的节点指回头节点。给定这样一个环形单链表的头节点head和整数num,请生成节点值为num的新节点,并插入到这个环形链表中,保证调整后的链表依然有序。
要求时间复杂度为O(N),额外空间复杂度为O(1)。
分析:
本题不算是很难,但是要注意最后返回头节点时要考虑到不同的情况。
有可能要插入的节点的值比头节点的值还小,此时返回的是要插入的节点,否则返回头节点。
程序:
public static Node insertNum(Node head,int num){ Node node=new Node(num); if (head==null) { node.next=node; return node; } Node pre=head; Node cur=head.next; while(cur!=head){ if (pre.value<=num&&cur.value>=num) { break; }else{ pre=cur; cur=cur.next; } } pre.next=node; node.next=cur; return head.value<=num?head:node; }