BOJ - 11651 - 좌표 정렬하기 2
문제
SOL
- x 좌표 끼리 정렬 후 중복 발생시 y 좌표를 기준으로 정렬
- pair을 사용하여 2개의 자료형을 받을 수 있는 자료형 생성
- pair<int, int>
- pair을 사용하여 2개의 자료형을 받을 수 있는 자료형 생성
sort의 compare를 사용하여 조건문을 만들어 줌
1 2 3 4 5 6 7
bool compare(pair<int,int> a, pair<int,int> b) { if(a.first == b.first) return a.second < b.second; return a.first < b.first; }
구현
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
#include <iostream>
#include <vector>
#include <algorithm>
#include <string>
using namespace std;
bool compare(pair<int,int> a,
pair<int,int> b)
{
if(a.first == b.first)
return a.second < b.second;
return a.first < b.first;
}
int main()
{
int num;
int x, y;
vector<pair<int,int>> xy_list;
cin >> num;
for(int i=0; i < num; i++)
{
cin >> x >> y;
xy_list.push_back(pair<int, int>(x, y));
}
sort(xy_list.begin(), xy_list.end(), compare);
for(int i=0; i < xy_list.size(); i++)
cout << xy_list[i].first << " " << xy_list[i].second << endl;
}
출력은 정상적으로 되지만… 시간초과라 하니 std::cin, cout을 scanf, printf함수로 바꿔보자…
구현 - scanf, printf
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
#include <iostream>
#include <vector>
#include <algorithm>
#include <string>
using namespace std;
bool compare(pair<int,int> a,
pair<int,int> b)
{
if(a.first == b.first)
return a.second < b.second;
return a.first < b.first;
}
int main()
{
int num;
int x, y;
vector<pair<int,int>> xy_list;
scanf("%d", &num);
for(int i=0; i < num; i++)
{
scanf("%d%d", &x, &y);
xy_list.push_back(pair<int, int>(x, y));
}
sort(xy_list.begin(), xy_list.end(), compare);
for(int i=0; i < xy_list.size(); i++)
printf("%d %d\n", xy_list[i].first, xy_list[i].second);
}
출력
1
2
3
4
5
6
7
8
9
10
11
12
5
3 4
1 1
1 -1
2 2
3 3
--------
1 -1
1 1
2 2
3 3
3 4
비슷한 문제 : 11651 - 좌표 정렬하기 2
위와 같은 방법으로 구현함.
11651 - 좌표 정렬하기 2 - 구현
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
#include <iostream>
#include <vector>
#include <algorithm>
#include <string>
using namespace std;
bool compare(pair<int,int> a,
pair<int,int> b)
{
if(a.second == b.second)
return a.first < b.first;
return a.second < b.second;
}
int main()
{
int num;
int x, y;
vector<pair<int,int>> xy_list;
scanf("%d", &num);
for(int i=0; i < num; i++)
{
scanf("%d%d", &x, &y);
xy_list.push_back(pair<int, int>(x, y));
}
sort(xy_list.begin(), xy_list.end(), compare);
for(int i=0; i < xy_list.size(); i++)
printf("%d %d\n", xy_list[i].first, xy_list[i].second);
}
출력
1
2
3
4
5
6
7
8
9
10
11
12
5
0 4
1 2
1 -1
2 2
3 3
------
1 -1
1 2
2 2
3 3
0 4