02. Kth Distance
The problem can be found at the following link: Question Link
Problem Description
Given an unsorted array arr and a number k which is smaller than the size of the array, return true if the array contains any duplicate within k distance throughout the array; otherwise, return false.
Example:
Input:
arr[] = [1, 2, 3, 4, 1, 2, 3, 4] and k = 3Output:
falseExplanation: All duplicates are more than k distance away.
Input:
arr[] = [1, 2, 3, 1, 4, 5] and k = 3Output:
trueExplanation: 1 is repeated at distance 3.
Input:
arr[] = [6, 8, 4, 1, 8, 5, 7] and k = 3Output:
trueExplanation: 8 is repeated at distance 3.
Constraints
- 1 ≤ arr.size() ≤ 10^6
- 1 ≤ k < arr.size()
- 1 ≤ arr[i] ≤ 10^5
My Approach
- Using a Hash Map: - Create a hash map to store the last index of each element encountered in the array. 
 
- Iterate Through the Array: - For each element, check if it exists in the map. 
- If it does, check the difference between the current index and the stored index of that element. If the difference is less than or equal to - k, return true.
- Otherwise, update the last index of that element in the map. 
 
- Final Result: - If no duplicates are found within - kdistance, return false.
 
Time and Auxiliary Space Complexity
- Expected Time Complexity: O(n), where n is the length of the array, as we traverse the array once. 
- Expected Auxiliary Space Complexity: O(min(n, k)), since the hash map will store at most - kelements at any time.
Code (C++)
class Solution {
public:
    bool checkDuplicatesWithinK(vector<int>& arr, int k) {
        unordered_map<int, int> mp;
        for (int i = 0; i < arr.size(); i++) {
            if (mp.count(arr[i]) && i - mp[arr[i]] <= k) {
                return true;
            }
            mp[arr[i]] = i;
        }
        return false;
    }
};Code (Java)
class Solution {
    public boolean checkDuplicatesWithinK(int[] arr, int k) {
        Map<Integer, Integer> map = new HashMap<>();
        for (int i = 0; i < arr.length; i++) {
            if (map.containsKey(arr[i]) && i - map.get(arr[i]) <= k) {
                return true;
            }
            map.put(arr[i], i);
        }
        return false;
    }
}Code (Python)
class Solution:
    def checkDuplicatesWithinK(self, arr, k):
        mp = {}
        for i in range(len(arr)):
            if arr[i] in mp and i - mp[arr[i]] <= k:
                return True
            mp[arr[i]] = i
        return FalseContribution and Support
For discussions, questions, or doubts related to this solution, please visit my LinkedIn: Any Questions. Thank you for your input; together, we strive to create a space where learning is a collaborative endeavor.
⭐ Star this repository if you find it helpful or intriguing! ⭐
📍Visitor Count
Last updated