Maximum Length of Subarray With Positive Product - Leet Code Solution
Problem Statement Maximum Length of Subarray With Positive Product. Given an…
September 11, 2019
Given a linked list, remove the n-th node from the end of list and return its head.
There can be many solution for this. Lets start with a brute force simple solution.
You can simply iterate full link list, and count its length. Lets say it: L Calculate L-n. And, move pointer from head to this many times. This node will be the one who has to be deleted.
This requires 2 iteration. Although complexity is still O(n). But, we can think of more optimized version of this algorithm.
We can leverage two pointer concept. Where one pointer moves ahead of first pointer. We just need to keep a distance of ‘n’ between two pointers.
Lets look at the code:
public class ListNode {
int val;
ListNode next;
ListNode(int x) { val = x; }
}
public ListNode removeNthFromEnd(ListNode head, int n) {
ListNode h = head;
ListNode fast = head;
ListNode prev = null;
for (int i=0; i<n; i++) {
fast = fast.next;
}
while (fast != null) {
prev = h;
h = h.next;
fast = fast.next;
}
if (prev == null) {
//special condition where first pointer is at the head only. And, we want to delete head
return head.next;
}
prev.next = h.next;
return head;
}
Above code does assume that length of list is always greater than equal to ‘n’.
BTW, this code submission to leetcode turns out to be the fastest.
Runtime: 0 ms, faster than 100.00% of Java online submissions for Remove Nth Node From End of List.
Memory Usage: 34.8 MB, less than 100.00% of Java online submissions for Remove Nth Node From End of List.
Problem Statement Maximum Length of Subarray With Positive Product. Given an…
Problem Statement Determine whether an integer is a palindrome. An integer is a…
Problem Statement Given an array nums of n integers, are there elements a, b, c…
Problem Statement Given a string, find the length of the longest substring…
Its a tree based data structure which is a complete binary tree(all nodes have…
Problem Statement Given two strings s and t , write a function to determine if t…
Introduction In this post we will see following: How to schedule a job on cron…
Introduction There are some cases, where I need another git repository while…
Introduction In this post, we will see how to fetch multiple credentials and…
Introduction I have an automation script, that I want to run on different…
Introduction I had to write a CICD system for one of our project. I had to…
Introduction Java log4j has many ways to initialize and append the desired…