BEAKJOON

백준(11651번 좌표 정렬하기 2)풀이 C++

Shin_jisoo 2021. 1. 18. 13:41
728x90

www.acmicpc.net/problem/11651

 

11651번: 좌표 정렬하기 2

첫째 줄에 점의 개수 N (1 ≤ N ≤ 100,000)이 주어진다. 둘째 줄부터 N개의 줄에는 i번점의 위치 xi와 yi가 주어진다. (-100,000 ≤ xi, yi ≤ 100,000) 좌표는 항상 정수이고, 위치가 같은 두 점은 없다.

www.acmicpc.net

1) 주석 없는 VERSION

#include <iostream>
#include <cmath>
#include <stdio.h>
#include <utility>
#include <string>
#include <algorithm>
#include <vector>

using namespace std;

int compare(const pair<int, int>& a, const pair<int, int>& b) {
	if (a.second == b.second) return a.first < b.first;
	return a.second < b.second;
}

int main() {
	int n;
	cin >> n;

	pair<int, int>arr[100000];

	for (int i = 0;i < n;i++) {
		cin >> arr[i].first >> arr[i].second;
	}

	sort(arr, arr + n, compare);

	for (int i = 0;i < n;i++) {
		cout << arr[i].first << " " << arr[i].second << "\n";
	}

	return 0;
}

 

2) 주석 있는 VERSION

#include <iostream>
#include <cmath>
#include <stdio.h>
#include <utility>
#include <string>
#include <algorithm>
#include <vector>

using namespace std;

// 비교 함수
int compare(const pair<int, int>& a, const pair<int, int>& b) {
	
	// y 좌표가 같을 경우 x 좌표를 기준으로 내림차순
	if (a.second == b.second) return a.first < b.first;

	// 아닌 경우 y 좌표 기준으로 내림차순
	return a.second < b.second;
}

int main() {
	int n;
	cin >> n;

	pair<int, int>arr[100000];

	for (int i = 0;i < n;i++) {
		cin >> arr[i].first >> arr[i].second;
	}

	// 비교 함수 이용하여 정렬
	sort(arr, arr + n, compare);

	for (int i = 0;i < n;i++) {
		cout << arr[i].first << " " << arr[i].second << "\n";
	}

	return 0;
}