일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
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 |
Tags
- 엑셀
- EOF
- 입출력 패턴
- 구조체와 클래스의 공통점 및 차이점
- 이분그래프
- 매크로
- string 메소드
- Django Nodejs 차이점
- k-eta
- scanf
- 알고리즘 공부방법
- 자료구조
- 2557
- 표준 입출력
- 백준
- Django란
- Django의 편의성
- UI한글변경
- c++
- 입/출력
- 연결요소
- 프레임워크와 라이브러리의 차이
- vscode
- iOS14
- 장고란
- getline
- correlation coefficient
- double ended queue
- string 함수
- 시간복잡도
Archives
- Today
- Total
Storage Gonie
(2) [C++] 백준 No.11650 : 좌표 정렬하기 본문
반응형
문제
풀이
자세한 풀이 :
# C++(pair, vector, sort 이용)
- 이 문제에서 가장 간편한 방법
#include <iostream>
#include <utility>
#include <vector>
#include <algorithm>
using namespace std;
int main()
{
int T;
cin >> T;
vector<pair<int, int>> vec(T);
for (int i = 0; i < T; i++)
cin >> vec[i].first >> vec[i].second;
sort(vec.begin(), vec.end());
for(int i = 0; i < T; i++)
cout << vec[i].first << " " << vec[i].second << "\n";
}
# C++(구조체, vector, sort, 사용자정의 비교함수)
#include <iostream>
#include <vector>
#include <algorithm>
using namespace std;
struct Point{
int x, y;
};
bool cmp (const Point &u, const Point &v){
if (u.x < v.x)
return true;
else if (u.x == v.x)
return u.y < v.y;
else
return false;
}
int main()
{
int T;
cin >> T;
vector<Point> vec(T);
for (int i = 0; i < T; i++)
cin >> vec[i].x >> vec[i].y;
sort(vec.begin(), vec.end(), cmp);
for (int i = 0; i < T; i++)
cout << vec[i].x << " " << vec[i].y << "\n";
}
# C++(구조체, vector, sort, 연산자 오버로딩)
#include <iostream>
#include <vector>
#include <algorithm>
using namespace std;
struct Point{
int x, y;
bool operator < (const Point &v) const{ // const 안붙여주면 에러난다.
if (x < v.x)
return true;
else if(x == v.x)
return y < v.y;
else
return false;
}
};
int main()
{
int T;
cin >> T;
vector<Point> vec(T);
for (int i = 0; i < T; i++)
cin >> vec[i].x >> vec[i].y;
sort(vec.begin(), vec.end()); // 알아서 오버로딩 해준 연산자가 사용되어 정렬된다.
for (int i = 0; i < T; i++)
cout << vec[i].x << " " << vec[i].y << "\n";
}
# C++(구조체, vector, sort, 사용자정의 람다함수)
- 람다함수는 C++11부터 사용가능
#include <iostream>
#include <vector>
#include <algorithm>
using namespace std;
struct Point{
int x, y;
};
int main()
{
int T;
cin >> T;
vector<Point> vec(T);
for (int i = 0; i < T; i++)
cin >> vec[i].x >> vec[i].y;
sort(vec.begin(), vec.end(), [](Point &u, Point &v)->bool{
if (u.x < v.x)
return true;
else if(u.x == v.x)
return u.y < v.y;
else
return false;
});
for (int i = 0; i < T; i++)
cout << vec[i].x << " " << vec[i].y << "\n";
}
반응형
'알고리즘 > 백준풀이8. 정렬' 카테고리의 다른 글
(6) [C++] 백준 No.10989 : 수 정렬하기 3 (0) | 2019.05.14 |
---|---|
(5) [C++] 백준 No.10825 : 국영수 (0) | 2019.05.14 |
(4) [C++] 백준 No.10814 : 나이순 정렬 (2) | 2019.05.14 |
(3) [C++] 백준 No.11650 : 좌표 정렬하기 (2) | 2019.05.14 |
(1) [C++] 백준 No.2751 : 수 정렬하기 2 (0) | 2019.05.10 |
Comments