145 删除链表的第N个节点的3种方式

发布时间:2024年01月23日

问题描述:给定一个链表,删除链表的倒数第n个节点,并且返回链表的头结点。

栈求解:对于栈而言可以很好地解决链表只能从前往后访问的问题,栈是解决从后往前访问的利器。

public TreeNode deleteLastNNode(ListNode root,int n)
{
Stack<ListNode>stack=new Stack<>();
ListNode head=root;
while(head!=null)
{
stack.push(head);
head=head.next;
}
int number=n;
while((number-2)>0)
{
stack.pop();
number--;
}
if(n==1){stack.pop();ListNode pre=stack.pop();pre.next=null;return root;}
ListNode next=stack.pop();
stack.pop();
ListNode pre=stack.pop;
pre.next=next;
return root;
}

递归方法求解:定义一个全局变量n,在最后进行回溯的时候进行n++,一直到n=N,进行处理。

int n=0;
public void deleteLastN(ListNode root,TreeNode parent,int N)
{
if(root==null){return;}
deleteLastN(root.next);
n++;
if(n==N)
{
parent.next=root.next;
}
}
public ListNode DeleteLastN(ListNode root,int N)
{
deleteLastN(root);
return root;
}

最笨的方法:求出链表的长度length,然后顺时针找寻第length-N+1个元素,这个元素就是需要删除的元素,而第length-N个元素就是前一个元素。

public int length(ListNode root)
{
if(root==null){return 0;}
return 1+length(root.next);
}
public ListNode deleteLastN(ListNode root,int N)
{
int preN=length(root)-N;
ListNode cur=root;
int findPreN=preN-1;
while(findPreN)
{
cur=cur.next;
findPreN--;
}
cur.next=cur.next.next;
return root;
}

文章来源:https://blog.csdn.net/qq_52299902/article/details/135774760
本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。