1
0
Fork 0
mirror of https://gitlab.com/mfocko/LeetCode.git synced 2024-09-16 16:36:56 +02:00

java: add «237. Delete Node in a Linked List»

Signed-off-by: Matej Focko <me@mfocko.xyz>
This commit is contained in:
Matej Focko 2024-05-05 19:05:31 +02:00
parent 155b63cc56
commit cf3bbb132f
Signed by: mfocko
GPG key ID: 7C47D46246790496

View file

@ -0,0 +1,21 @@
/**
* Definition for singly-linked list. public class ListNode { int val; ListNode next; ListNode(int
* x) { val = x; } }
*/
class Solution {
private boolean isLastNode(ListNode node) {
return node != null && node.next == null;
}
public void deleteNode(ListNode node) {
while (node != null) {
node.val = node.next.val;
if (isLastNode(node.next)) {
node.next = null;
}
node = node.next;
}
}
}