1437. Check If All 1's Are at Least Length K Places Away
Problem Description
The problem provides us with a binary array called nums
, which means it only contains 0
s and 1
s. We are also given an integer k
. The task is to determine if all the 1
s in the array are separated by at least k
places from each other. Put differently, after any 1
in the array, the next 1
should not appear before we have seen at least k
number of 0
s. If this condition is met for all 1
s in the array, we should return true
. Otherwise, the function should return false
.
For instance, if we have nums = [1,0,0,0,1]
and k = 2
, the function should return true
since the two 1
s are separated by three 0
s which is at least k
places apart. Conversely, if k
were 3
, the function should return false
since the 1
s are not separated by at least 3
places.
Intuition
The intuition behind the solution is to scan through the given array while keeping track of the position of the last 1
we encountered. As we iterate over the array, whenever we find a 1
, we check if there was any previous 1
. If there was, we calculate the distance between the current 1
and the last 1
. This distance must be greater than or equal to k+1
places (since we start counting from 0), indicating at least k
0
s are in between them. If this condition is not met, then we return false
immediately, as we have found two 1
s that are too close to each other. If no such pair of 1
s violating our separation condition is found by the end of the array, we can safely return true
.
To implement this, we initialize a variable j
with a very small number (-inf
, negative infinity) to represent the position of the last 1
we've seen. We use this extreme initial number to handle the case where the first 1
appears at the start of the array; since there is no other 1
before it, the algorithm should not incorrectly flag it as being too close to a previous 1
. As we iterate through the array with index i
, if we find a 1
, we check if the distance i - j - 1
is less than k
. If it is, it means that 1
s are not k
places apart, and we should return false
. If the condition is not violated, we update j
to the current index i
. If we reach the end of the array without finding poorly spaced 1
s, we return true
.
Solution Approach
The solution uses a simple linear scan approach to traverse the array, which is a common algorithm pattern when we need to check each element in a sequence. There are no complex data structures used in this solution; it relies on a single integer j
to keep track of the index of the previous 1
. The choice of j
being initialized to -inf
is a deliberate one to ensure that the first 1
encountered does not falsely trigger our condition for being too close to another 1
.
Following is a step-by-step explanation of the algorithm as implemented in the provided code:
-
We initialize
j
to-inf
to represent the index of the last1
seen. This is purposely a very small number to ensure that the first1
in the array does not compare against a non-existent previous1
. -
We iterate through the array using a
for
loop, utilizingenumerate
to get both the indexi
and the valuex
at that index. -
Within the loop, we check if the current value
x
is1
. If it's not, we do nothing and continue to the next iteration. -
If
x
is1
, we enter our if-statement where the condition isi - j - 1 < k
. This condition checks the distance between the current1
and the last1
. Since distance is index-based and starts from 0, we subtract an additional1
fromi - j
, effectively ensuring that there are at leastk
zeros in-between. If the condition isTrue
, it means the1
s are too close, and we immediately returnFalse
. -
If the condition in step 4 is not met, meaning the
1
s are sufficiently spaced apart, we updatej
to be the current indexi
, marking it as the new position of the last1
. -
After the loop, if we have not returned
False
, it means all1
s were appropriately spaced apart according to the givenk
value, and we can safely returnTrue
to indicate the array satisfies the condition.
The algorithm runs in O(n) time since it only needs to traverse the array once, where n is the number of elements in nums
. The space complexity is O(1) as we only use a fixed number of variables regardless of the size of the input.
Ready to land your dream job?
Unlock your dream job with a 2-minute evaluator for a personalized learning plan!
Start EvaluatorExample Walkthrough
Let's consider a small example to illustrate the solution approach. Suppose we have the binary array nums
and integer k
given as follows:
nums = [1, 0, 0, 1, 0, 1] k = 2
We need to determine if all 1
s in this array are separated by at least k
places. Here's a step-by-step walkthrough following the solution approach:
-
Initialize
j
to-inf
. For the sake of the example, let's consider-inf
to be-1
since array indices are zero-based. This is to handle the case where the first1
is correctly positioned regardless ofk
. -
Start iterating over
nums
. Our iteration will go through indices0
to5
. -
At
i = 0
,x
is1
. Since this is the first1
, there is no previous1
to compare against, so no action is necessary apart from updatingj
to0
. -
At
i = 1
andi = 2
,x
is0
. Nothing is done. -
At
i = 3
,x
is1
again. We now check ifi - j - 1 < k
, which is3 - 0 - 1 < 2
. The actual comparison is2 < 2
, which isfalse
. Since there are2
zeroes between the1
s, they are at leastk
places apart, which is our requirement. So, we updatej
to3
. -
At
i = 4
,x
is0
. Nothing is done. -
At
i = 5
,x
is1
. We checki - j - 1 < k
, which is5 - 3 - 1 < 2
. This simplifies to1 < 2
, which istrue
. The1
s are not at leastk
places apart because there is only1
zero between the1
at index3
and the1
at index5
. -
Since the condition is
true
, the algorithm returnsfalse
as the1
s are too close to each other based on thek
value provided.
Throughout this example, we can see how the algorithm determines the correct spacing between 1
s. By the end of the array, we have successfully identified an instance where 1
s were not separated by at least k
places, determining the correct output of the function which, in this case, is false
.
Solution Implementation
1from math import inf
2
3class Solution:
4 def kLengthApart(self, nums: List[int], k: int) -> bool:
5 # Initialize the index of the previous '1' found to negative infinity
6 # to handle the case where the first '1' appears at index 0.
7 previous_one_index = -inf
8
9 # Iterate over the indices and values in the nums array.
10 for index, value in enumerate(nums):
11 # Check if the current value is '1'
12 if value == 1:
13 # If the gap between the current and previous '1' is
14 # less than k, return False.
15 if index - previous_one_index - 1 < k:
16 return False
17 # Update the position of the last found '1' to the current index.
18 previous_one_index = index
19
20 # If all '1's are at least k positions apart, return True.
21 return True
22
1class Solution {
2
3 // Method to check if all '1's in the array are at least k length apart
4 public boolean kLengthApart(int[] nums, int k) {
5 // Initialize previous index of '1' found to a position that is
6 // k positions before the start of the array
7 int lastOneIndex = -(k + 1);
8
9 // Iterate over all elements in the array
10 for (int currentIndex = 0; currentIndex < nums.length; ++currentIndex) {
11 // Check if we have found a '1'
12 if (nums[currentIndex] == 1) {
13 // If the distance between this '1' and the previous '1'
14 // is less than k, return false, as the requirement is not met
15 if (currentIndex - lastOneIndex - 1 < k) {
16 return false;
17 }
18 // Update the index of the last found '1'
19 lastOneIndex = currentIndex;
20 }
21 }
22
23 // If we finish looping through the array without returning false,
24 // it means all '1's are at least k length apart, so return true
25 return true;
26 }
27}
28
1class Solution {
2public:
3 // Function to check if all 1's are at least 'k' distance apart
4 bool kLengthApart(vector<int>& nums, int k) {
5 // Initialize the variable to store the index of the last seen 1.
6 // We start with an index that is smaller by more than k. So, the first comparison is guaranteed to succeed.
7 int lastOneIndex = -(k + 1);
8
9 // Iterate through the array of nums
10 for (int i = 0; i < nums.size(); ++i) {
11 // Check if we have found a 1
12 if (nums[i] == 1) {
13 // Check if the distance from the last seen 1 is less than k
14 if (i - lastOneIndex - 1 < k) {
15 // If 'k' constraint is not satisfied, return false
16 return false;
17 }
18 // Update the index of the last seen 1
19 lastOneIndex = i;
20 }
21 }
22 // If all 1's are at least 'k' distance apart, return true
23 return true;
24 }
25};
26
1// This function checks whether all 1's in the array are at least 'k' distance apart.
2// @param nums - array of numbers, consisting of 0's and 1's
3// @param k - minimum distance required between two 1's
4// @returns true if all 1's are 'k' or more apart, otherwise false
5function kLengthApart(nums: number[], k: number): boolean {
6 // Initialize the previous index of 1 to a value such that the first comparison succeeds
7 let previousOneIndex = -(k + 1);
8
9 // Loop through the array to find the 1's and check their distances.
10 for (let currentIndex = 0; currentIndex < nums.length; ++currentIndex) {
11
12 // Check if the current element is 1
13 if (nums[currentIndex] === 1) {
14
15 // Check if the distance from the current 1 to the previous 1 is less than k.
16 // If it is, return false.
17 if (currentIndex - previousOneIndex - 1 < k) {
18 return false;
19 }
20
21 // Update the index of the most recently found 1.
22 previousOneIndex = currentIndex;
23 }
24 }
25
26 // Return true if no pairs of 1's are found that are less than 'k' distance apart.
27 return true;
28}
29
Time and Space Complexity
-
Time Complexity: The function iterates over each element in the
nums
list once. The number of iterations is therefore linearly proportional to the length ofnums
, denoted asN
. There are no nested loops, and operations within the loop are constant time operations. Therefore, the time complexity of the code isO(N)
. -
Space Complexity: The space complexity of the code is constant,
O(1)
. This is because only a fixed number of variables (j
,i
,x
) are used, regardless of the input size. The space used by the inputnums
and the integerk
are not counted towards the space complexity since they are part of the input.
Learn more about how to find time and space complexity quickly using problem constraints.
A heap is a ...?
Recommended Readings
LeetCode Patterns Your Personal Dijkstra's Algorithm to Landing Your Dream Job The goal of AlgoMonster is to help you get a job in the shortest amount of time possible in a data driven way We compiled datasets of tech interview problems and broke them down by patterns This way we
Recursion Recursion is one of the most important concepts in computer science Simply speaking recursion is the process of a function calling itself Using a real life analogy imagine a scenario where you invite your friends to lunch https algomonster s3 us east 2 amazonaws com recursion jpg You first
Runtime Overview When learning about algorithms and data structures you'll frequently encounter the term time complexity This concept is fundamental in computer science and offers insights into how long an algorithm takes to complete given a certain input size What is Time Complexity Time complexity represents the amount of time
Want a Structured Path to Master System Design Too? Don’t Miss This!