
									 Problem
								
								
									 Solution
								
								
									 Submissions
								
								
							Target Sum
								Certification: Intermediate Level
								Accuracy: 100%
								Submissions: 2
								Points: 10
							
							Write a Python program to find all unique pairs of numbers in an array that sum up to a given target value. Each pair should be returned as an array of two numbers, and the result should not contain duplicate pairs.
Example 1
- Input: nums = [1, 2, 3, 4, 5, 6], target = 7
 - Output: [[1, 6], [2, 5], [3, 4]]
 - Explanation: 
- We need to find pairs that sum to 7. 
 - 1 + 6 = 7, so [1, 6] is a valid pair. 
 - 2 + 5 = 7, so [2, 5] is a valid pair. 
 - 3 + 4 = 7, so [3, 4] is a valid pair. 
 - Therefore, we have three pairs that sum to 7.
 
 - We need to find pairs that sum to 7. 
 
Example 2
- Input: nums = [1, 1, 2, 2, 3, 3], target = 4
 - Output: [[1, 3], [2, 2]]
 - Explanation: 
- We need to find pairs that sum to 4. 
 - 1 + 3 = 4, so [1, 3] is a valid pair. 
 - 2 + 2 = 4, so [2, 2] is a valid pair. 
 - We avoid duplicate pairs, so only unique combinations are returned.
 
 - We need to find pairs that sum to 4. 
 
Constraints
- 2 ≤ nums.length ≤ 1000
 - -10^9 ≤ nums[i] ≤ 10^9
 - -10^9 ≤ target ≤ 10^9
 - Return pairs in ascending order
 - Each pair should be in ascending order [smaller, larger]
 - Time Complexity: O(n log n)
 - Space Complexity: O(n)
 
Editorial
									
												
My Submissions
										All Solutions
									| Lang | Status | Date | Code | 
|---|---|---|---|
| You do not have any submissions for this problem. | |||
| User | Lang | Status | Date | Code | 
|---|---|---|---|---|
| No submissions found. | ||||
Solution Hints
- Sort the array first to make it easier to find pairs and avoid duplicates
 - Use two pointers approach - one at the beginning and one at the end
 - If the sum of elements at both pointers equals target, add to result
 - If sum is less than target, move left pointer right
 - If sum is greater than target, move right pointer left
 - Skip duplicate elements to avoid duplicate pairs