문제 {1,3,0,0,0,4,0,5}를 {1,3,4,5,0,0,0,0}으로 변환하라
코드 >>
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
|
#include <iostream>
#include <array>
#include <vector>
#include <algorithm>
// 0 움직이기
// [1,3,4,0,0,4,0,5]
void swap(int& a, int& b)
{
int tmp = a;
a = b;
b = tmp;
}
// Swap
void moveZeroes(std::vector<int>& nums)
{
int zIdx = 0;
for (auto idx = 0; idx < nums.size(); idx++)
{
if (nums[idx] != 0)
{
swap(nums[idx], nums[zIdx]);
zIdx++;
}
}
}
// 복사만 하고 0을 맨 뒤로 보냄
void moveZeroes2(std::vector<int>& nums)
{
int zIdx = 0;
for (auto idx = 0; idx < nums.size(); idx++)
{
if (nums[idx] != 0)
{
nums[zIdx] = nums[idx];
zIdx++;
}
}
for (; zIdx < nums.size(); zIdx++)
{
nums[zIdx] = 0;
}
}
int main()
{
std::vector<int> nums = { 1,3,0,0,0,4,0,5 };
moveZeroes(nums);
for (auto num : nums)
{
std::cout << num << " ";
}
std::cout << std::endl;
return 0;
}
|
'C' 카테고리의 다른 글
c++ quick sort 구현 코드 (0) | 2021.06.30 |
---|---|
c++ PS Find pivot Index, Find minimum subarray with O(n) (0) | 2021.06.30 |
c++ vector를 활용한 binary search (0) | 2021.06.29 |
c++ stable sort, unstable sort (0) | 2021.06.29 |
c++ 클래스, fstream(파일인풋), stringstream(스트링인풋) (0) | 2021.06.29 |