给定一个链表,删除链表中倒数第n个节点,返回链表的头节点。
样例
给出链表1->2->3->4->5->null和 n = 2.
删除倒数第二个节点之后,这个链表将变成1->2->3->5->null.
实现:
/**
* Definition for ListNode
* public class ListNode {
* int val;
* ListNode next;
* ListNode(int x) {
* val = x;
* next = null;
* }
* }
*/
public class Solution {
/**
* @param head: The first node of linked list.
* @param n: An integer
* @return: The head of linked list.
*/
public ListNode removeNthFromEnd(ListNode head, int n) {
// write your code here
ListNode preNode = head;
ListNode curNode = head;
for(int i= 0;i < n ;i++){
curNode = curNode.next;
}
if(curNode == null){
return preNode.next;
}
while(curNode.next!=null){
curNode = curNode.next;
preNode = preNode.next;
}
preNode.next = preNode.next.next;
return head;
}
}