Problem Description
Given an integer array nums
, return the maximum result of nums[i] XOR nums[j]
, where 0 <= i <= j < n
.
Key Insights
- The XOR operation has properties that can be exploited to find the maximum result efficiently.
- The maximum XOR is influenced by the bit positions of the integers involved; higher bits contribute more to the result.
- Using a Trie data structure can help in efficiently finding the maximum XOR for each number in the array.
Space and Time Complexity
Time Complexity: O(n)
Space Complexity: O(n)
Solution
To solve this problem, we can utilize a Trie (prefix tree) to store the binary representations of the numbers. The algorithm works as follows:
- Insert each number into the Trie: We insert the numbers bit by bit from the highest bit (31st for 32-bit integers) to the lowest (0th).
- Calculate the maximum XOR for each number: For each number, we traverse the Trie to find the number that will maximize the XOR value by choosing the opposite bit whenever possible.
- Keep track of the maximum XOR found during these calculations.
This method is efficient and works well within the given constraints.