-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy path1217.玩筹码.cpp
85 lines (84 loc) · 1.69 KB
/
1217.玩筹码.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
79
80
81
82
83
84
/*
* @lc app=leetcode.cn id=1217 lang=cpp
*
* [1217] 玩筹码
*
* https://leetcode-cn.com/problems/minimum-cost-to-move-chips-to-the-same-position/description/
*
* algorithms
* Easy (72.33%)
* Total Accepted: 34.1K
* Total Submissions: 47.2K
* Testcase Example: '[1,2,3]'
*
* 有 n 个筹码。第 i 个筹码的位置是 position[i] 。
*
* 我们需要把所有筹码移到同一个位置。在一步中,我们可以将第 i 个筹码的位置从 position[i] 改变为:
*
*
*
*
* position[i] + 2 或 position[i] - 2 ,此时 cost = 0
* position[i] + 1 或 position[i] - 1 ,此时 cost = 1
*
*
* 返回将所有筹码移动到同一位置上所需要的 最小代价 。
*
*
*
* 示例 1:
*
*
*
*
* 输入:position = [1,2,3]
* 输出:1
* 解释:第一步:将位置3的筹码移动到位置1,成本为0。
* 第二步:将位置2的筹码移动到位置1,成本= 1。
* 总成本是1。
*
*
* 示例 2:
*
*
*
*
* 输入:position = [2,2,2,3,3]
* 输出:2
* 解释:我们可以把位置3的两个筹码移到位置2。每一步的成本为1。总成本= 2。
*
*
* 示例 3:
*
*
* 输入:position = [1,1000000000]
* 输出:1
*
*
*
*
* 提示:
*
*
* 1 <= chips.length <= 100
* 1 <= chips[i] <= 10^9
*
*
*/
class Solution {
public:
int minCostToMoveChips(vector<int>& position) {
int even = 0;
int odd = 0;
int size = position.size();
for(int i = 0; i < size; ++i){
if(position[i] % 2 == 0){
even += 1;
}
else{
odd += 1;
}
}
return min(even, odd);
}
};