Problem Description
You are given an integer array pref
of size n
. Find and return the array arr
of size n
that satisfies: pref[i] = arr[0] ^ arr[1] ^ ... ^ arr[i]
. Note that ^
denotes the bitwise-xor operation. It can be proven that the answer is unique.
Key Insights
- The value of
arr[i]
can be derived using the prefix XOR values. - The relationship can be expressed as:
arr[i] = pref[i] ^ pref[i - 1]
fori > 0
arr[0] = pref[0]
for the first element.
- XOR operation has a unique property:
a ^ a = 0
anda ^ 0 = a
, which allows us to reconstruct the original array.
Space and Time Complexity
Time Complexity: O(n)
Space Complexity: O(n)
Solution
To solve the problem, we will:
- Initialize an array
arr
of the same size aspref
. - Set the first element of
arr
equal to the first element ofpref
. - For each subsequent index
i
, computearr[i]
using the formula:arr[i] = pref[i] ^ pref[i - 1]
. - Return the resulting array.
This approach uses a single pass through the pref
array, ensuring efficiency.