题目链接:Chess Placing
题意
有一个 1×n 1 × n 的棋盘, n n 为偶数,棋盘上的颜色是黑白相间的,在棋盘上放 个棋子,要求用最少的步数,使得所有棋子在的格子的颜色是一样的,每一步可以将任意一个棋子往左或者往右移动一位,棋子移动不能越过其他棋子。
输入
第一行为一个整数 n (2≤n≤100) n ( 2 ≤ n ≤ 100 ) , n n 保证为偶数,第二行为 个整数 p1,p2,⋯,pn2 (1≤pi≤n) p 1 , p 2 , ⋯ , p n 2 ( 1 ≤ p i ≤ n ) ,表示每个棋子放的位置。
输出
输出最小的步数。
样例
输入 |
---|
6 1 2 6 |
输出 |
2 |
提示 |
最优的移动方式是将 6 6 移动到 ,将 2 2 移动到 。 |
输入 |
---|
10 1 2 3 4 5 |
输出 |
10 |
提示 |
最优的移动方式是 5→9,4→7,3→5,2→3 5 → 9 , 4 → 7 , 3 → 5 , 2 → 3 ,总共需要 10 10 步。 |
题解
枚举所有点都到偶数位上需要的最少步数和所有点都到奇数位上需要的最少步数,取最小值。
过题代码
#include <iostream>
#include <cstdio>
#include <cstdlib>
#include <cmath>
#include <climits>
#include <cstring>
#include <string>
#include <vector>
#include <list>
#include <queue>
#include <stack>
#include <map>
#include <set>
#include <bitset>
#include <algorithm>
#include <functional>
#include <iomanip>
using namespace std;
#define LL long long
const int maxn = 100 + 100;
int n;
int num[maxn];
int get(int x) {
int Index = 0;
int ret = 0;
for(int i = x; i <= n; i+= 2) {
ret += abs(num[Index] - i);
++Index;
}
return ret;
}
int main() {
#ifdef LOCAL
freopen("test.txt", "r", stdin);
// freopen("test1.out", "w", stdout);
#endif // LOCAL
ios::sync_with_stdio(false);
while(scanf("%d", &n) != EOF) {
for(int i = 0; i < n / 2; ++i) {
scanf("%d", &num[i]);
}
sort(num, num + n / 2);
printf("%d\n", min(get(1), get(2)));
}
return 0;
}