문제 설명
A non-empty array A consisting of N integers is given. The array contains an odd number of elements, and each element of the array can be paired with another element that has the same value, except for one element that is left unpaired.
For example, in array A such that:
A[0] = 9 A[1] = 3 A[2] = 9
A[3] = 3 A[4] = 9 A[5] = 7
A[6] = 9
the elements at indexes 0 and 2 have value 9,
the elements at indexes 1 and 3 have value 3,
the elements at indexes 4 and 6 have value 9,
the element at index 5 has value 7 and is unpaired.
Write a function:
class Solution { public int solution(int[] A); }
that, given an array A consisting of N integers fulfilling the above conditions, returns the value of the unpaired element.
For example, given array A such that:
A[0] = 9 A[1] = 3 A[2] = 9
A[3] = 3 A[4] = 9 A[5] = 7
A[6] = 9
the function should return 7, as explained in the example above.
Write an efficient algorithm for the following assumptions:
N is an odd integer within the range [1..1,000,000];
each element of array A is an integer within the range [1..1,000,000,000];
all but one of the values in A occur an even number of times.
홀수개의 배열 A가 주어지고 짝이 없는 숫자를 출력하는 문제
배열 A = {9, 3, 9 ,3, 9, 7, 9} 라면 짝이 없는 7이 정답이다.
문제 풀이
import java.util.HashMap;
import java.util.Map;
class Solution {
public int solution(int[] a) {
Map<Integer, Integer> map = new HashMap<>();
for (int i = 0; i < a.length; i++) {
map.put(a[i], map.getOrDefault(a[i], 0) + 1);
}
int result = 0;
for (Map.Entry<Integer, Integer> entry : map.entrySet()) {
if(entry.getValue() % 2 == 1) {
result = entry.getKey();
break;
}
}
return result;
}
}
- 분명 이중 for문으로 풀면 시간 초과가 발생할 것 같아서 map으로 카운팅했다.
- 집계된 map을 순환하며 value가 홀수인 것을 답으로 세팅, loop 탈출 처리.
- Codility 풀이
다른 사람의 풀이
class Solution {
public int solution(int[] a) {
int result = 0;
for (int i = 0; i < a.length; i++) {
result ^= a[i];
}
return result;
}
}
- 비트연산 XOR 풀이로 이렇게 짧아질 수 있다.....!!!!
- XOR 비트연산을 진행하면 두 값이 서로 다를 경우 True(1), 같으면 False(0)이다.
- A = {9, 3, 9 ,3, 9, 7, 9} 을 비트연산을 진행한다면 아래 표와 같이 2진수 변환이 되고 XOR 비트연산 과정은 아래와 같다.
9 | 3 | 9 | 3 | 9 | 7 | 9 |
1001 | 0011 | 1001 | 0011 | 1001 | 0111 | 1001 |
- 1001 ^ 0011 = 1010
- 1010 ^ 1001 = 0011
- 0011 ^ 0011 = 0000
- 0000 ^ 1001 = 1001
- 1001 ^ 0111 = 1110
- 1110 ^ 1001 = 0111 정답
- 0111은 7이다.