Problem Description
Given an integer array nums, you are allowed to perform the following operation repeatedly as long as there are at least two elements in the array: remove two numbers at a time and define the score of the operation as the sum of these two numbers. However, a requirement is imposed that the score should be identical for every operation performed. The task is to determine the maximum number of such operations (or, equivalently, the maximum number of pairs) that can be executed.
Key Insights
- Forming an operation is equivalent to pairing two numbers whose sum equals some candidate score S.
- All pairs (operations) must have the same sum S.
- We can try every possible candidate sum S (from the minimum possible sum to the maximum possible sum) and compute the maximum disjoint pairs that can be formed with that sum.
- A frequency count (or frequency map) of the numbers allows us to quickly compute the number of pairs available for each candidate sum. Special care is taken when the pair consists of two identical numbers.
- The answer is the maximum number of pairs obtained over all candidate scores.
Space and Time Complexity
Time Complexity: O(range * k) where range is the possible sums (up to 2 * max(nums)) and k is the number of distinct numbers. In the worst-case, with nums.length up to 100 and nums[i] up to 1000, this approach is efficient. Space Complexity: O(n) due to the frequency map.
Solution
The solution involves:
- Counting the frequency of each element in nums.
- Iterating over every candidate sum S (from 2 to 2 * max(nums)) and for each candidate:
- For each unique number x, check if there exists its complement (S - x).
- If x is different from its complement, the number of pairs that can be formed is the minimum of the frequency of x and the frequency of (S - x).
- If x is equal to its complement then the number of pairs is frequency of x divided by 2 (using floor division).
 
- Keeping track of the maximum number of pairs over all candidate sums.
- Returning that maximum as the solution.