POTD #6 β Two Sum β Pair with Given Sum | Geeks For Geeks
26 December 2024 at 06:05
Problem Statement
Geeks For Geeks : https://www.geeksforgeeks.org/problems/key-pair5616/1
Given an array arr[] of positive integers and another integer target. Determine if there exists two distinct indices such that the sum of there elements is equals to target.
Examples
Input: arr[] = [1, 4, 45, 6, 10, 8], target = 16 Output: true Explanation: arr[3] + arr[4] = 6 + 10 = 16.
Input: arr[] = [1, 2, 4, 3, 6], target = 11 Output: false Explanation: None of the pair makes a sum of 11.
My Approach
- Iterate through the array
- For each element, check whether the remaining (target β element) is also present in the array using the supportive hashmap.
- If the remaining is also present then return True.
- Else, save the element in the hashmap and go to the next element.
#User function Template for python3 class Solution: def twoSum(self, arr, target): # code here maps = {} for item in arr: rem = target - item if maps.get(rem): return True maps[item] = True return False