forked from kamyu104/LeetCode-Solutions
-
Notifications
You must be signed in to change notification settings - Fork 0
/
transform-to-chessboard.cpp
78 lines (73 loc) · 2.39 KB
/
transform-to-chessboard.cpp
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
// Time: O(n^2)
// Space: O(n)
class Solution {
public:
int movesToChessboard(vector<vector<int>>& board) {
const int N = board.size();
unordered_map<vector<int>, int, Hash<vector<int>>> row_lookup, col_lookup;
for (int i = 0; i < N; ++i) {
const auto& row = board[i];
++row_lookup[row];
if (row_lookup.size() > 2) {
return -1;
}
}
for (int j = 0; j < N; ++j) {
vector<int> col;
for (int i = 0; i < N; ++i) {
col.emplace_back(board[i][j]);
}
++col_lookup[col];
if (col_lookup.size() > 2) {
return -1;
}
}
int row_count = move(N, row_lookup);
if (row_count < 0) {
return -1;
}
int col_count = move(N, col_lookup);
if (col_count < 0) {
return -1;
}
return row_count + col_count;
}
private:
template<typename ContType>
struct Hash {
size_t operator()(const ContType& v) const {
size_t seed = 0;
for (const auto& i : v) {
seed ^= std::hash<typename ContType::value_type>{}(i) + 0x9e3779b9 + (seed<<6) + (seed>>2);
}
return seed;
}
};
int move(int N, const unordered_map<vector<int>, int, Hash<vector<int>>>& lookup) {
if (lookup.size() != 2 ||
min(lookup.begin()->second, next(lookup.begin())->second) != N / 2 ||
max(lookup.begin()->second, next(lookup.begin())->second) != (N + 1) / 2) {
return -1;
}
const auto& seq1 = lookup.begin()->first;
const auto& seq2 = next(lookup.begin())->first;
for (int i = 0; i < N; ++i) {
if (seq1[i] == seq2[i]) {
return -1;
}
}
vector<int> begins = (N % 2) ? vector<int>{static_cast<int>(std::count(seq1.begin(), seq1.end(), 1) * 2 > N)} :
vector<int>{0, 1};
int result = numeric_limits<int>::max();
for (const auto& begin : begins) {
int i = begin;
int sum = 0;
for (const auto& v : seq1) {
sum += static_cast<int>((i % 2) != v);
++i;
}
result = min(result, sum / 2);
}
return result;
}
};