Check whether an integer number given is palindrome or not - Leet Code Solution
Problem Statement Determine whether an integer is a palindrome. An integer is a…
December 23, 2020
You are given an array of integers with size N, and a number K. Find the maximum sum of continuous subarray of size K.
Input: [1, 2, 6, 2, 4, 1], k=3
Output: 12
Explanation: Subarray with maximum sum is [6, 2, 4].
You need to keep sum of the subarray of size=k all the time, and keep on iterating.
public int findMaxSum(int[] arr, int k) {
int max=0;
for (int i=0; i<=arr.length-k; i++) {
int sum_k = 0;
for (int j=i; j<i+k; j++) {
sum_k += arr[j];
}
max = Math.max(max, sum_k);
}
return max;
}
There are two loops
Total of O(nk)*
If you observe problem and above solution closely,
When you first calculate sum of the first window size of K. You already have the sum of previous window. To get the sum of next window. You need to remove first number of previous window, and add next number. So effectively you are using the sum of previous window sum. You need not to go to calculate whole sum again.
1 2 3 4 5
First window = 1 2 3, sum=6
For next window, subtract 1 from sum, and add 4 to remaining sum.
Second window = 2 3 4
i.e. 6 - 1 + 4 = 9
In this way, we are effectively moving our window from begining to end and we need to keep the max sum available till each window.
Lets look at the code.
public int findMaxSum(int[] arr, int k) {
int max = 0;
int left = 0;
int right = 0;
int window_sum = 0;
while (right < arr.length) {
window_sum += arr[right];
if (right >= k) {
max = Math.max(max, window_sum);
//subtract first number of previous widow
window_sum -= arr[left];
//move left pointer to next number
left ++;
}
}
return max;
}
We are keeping two pointers for window left and right. On completing the window size, we subtract first number of last window and keep a tab of the max sum available.
We are iterating over array just once. Its O(n)
Problem Statement Determine whether an integer is a palindrome. An integer is a…
Problem Statement Given an array of integers, return indices of the two numbers…
Problem Statement Given two strings s and t , write a function to determine if t…
A Binary Search tree (BST) is a data structure which has two children nodes…
Problem Statement Given a string, find the first non-repeating character in it…
Problem Statement Given an array nums of n integers and an integer target, are…
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…