πDay 1. Two Sum - Pair with Given Sum π§
The problem can be found at the following link: Question Link
π‘ Problem Description:
Given an array arr[] of positive integers and another integer target. Determine if there exist two distinct indices such that the sum of their elements equals target.
π Example Walkthrough:
Input:
arr[] = [1, 4, 45, 6, 10, 8], target = 16Output:
trueExplanation: arr[3] + arr[4] = 6 + 10 = 16.
Input:
arr[] = [1, 2, 4, 3, 6], target = 11Output:
falseExplanation: None of the pairs makes a sum of 11.
Constraints
- $1 \leq arr.size \leq 10^5$ 
- $1 \leq arr[i] \leq 10^5$ 
- $1 \leq target \leq 2 \times 10^5$ 
π― My Approach:
Hash Set Approach:
- Use an unordered set (or - HashSetin Java /- setin Python) to track elements as they are traversed.
- For each element in the array, compute the complement ( - target - arr[i]).
- Check if the complement exists in the set: - If it exists, return - true.
- Otherwise, add the current element to the set and continue. 
 
- If no such pair is found, return - false.
Why this approach?
- Using a hash set allows for $O(1)$ average time complexity for insertion and lookup, ensuring optimal performance. 
π Time and Auxiliary Space Complexity
- Expected Time Complexity: $O(n)$, as we traverse the array once and perform $O(1)$ operations for insertion and lookup in the hash set. 
- Expected Auxiliary Space Complexity: $O(n)$, as we use a hash set to store up to $n$ elements in the worst case. 
π Solution Code
Code (C++)
class Solution {
  public:
    bool twoSum(vector<int>& arr, int target) {
        unordered_set<int> seen;
        for (int num : arr) {
            if (seen.count(target - num)) return true;
            seen.insert(num);
        }
        return false;
    }
};Code (Java)
class Solution {
    boolean twoSum(int[] arr, int target) {
        Set<Integer> seen = new HashSet<>();
        for (int num : arr) {
            if (seen.contains(target - num)) return true;
            seen.add(num);
        }
        return false;
    }
}Code (Python)
class Solution:
    def twoSum(self, arr, target):
        seen = set()
        for num in arr:
            if target - num in seen:
                return True
            seen.add(num)
        return Falseπ― Contribution and Support:
For discussions, questions, or doubts related to this solution, feel free to connect on LinkedIn: Any Questions. Letβs make this learning journey more collaborative!
β If you find this helpful, please give this repository a star! β
πVisitor Count
Last updated