※ 글쓴이는 취미로 코딩을 익혀보는 사람이라 정확하지 않은 내용을 담고 있을 수 있다 ※

 

이번에 볼 문제는 백준 24929번 문제인 Number Colosseum이다.
문제는 아래 링크를 확인하자.

https://www.acmicpc.net/problem/24929 

 

24929번: Number Colosseum

The first line contains a single integer $N$ ($1≤N≤5⋅10^5$), which is the number of contestants who will enter the colosseum. The second line contains the lineup of contestants. This will contain $N$ space-separated integers $x_1,x_2, \dots ,x_N$

www.acmicpc.net

입력에서 주어지는 순서대로 음수 또는 양수가 들어올 때, 선수들이 입장할 때마다 "가장 최근에" 들어온 숫자들끼리 싸워 모든 선수가 입장한 뒤에 남는 선수들을 구하는 문제이다.

 

매 입장마다 싸우는 선수들이 "가장 최근에" 입장한 선수들이므로, 스택과 같이 정수들을 관리하여 문제를 해결하자.

 

아래는 제출한 소스코드이다.

#include <iostream>
#include <deque>
using namespace std;

deque<int> neg, pos;

int main() {
	ios::sync_with_stdio(0);
	cin.tie(0);

	int N; cin >> N;
	while (N--) {
		int x; cin >> x;
		if (x < 0) neg.push_front(x);
		else pos.push_front(x);

		while (!neg.empty() && !pos.empty()) {
			int tmp = neg.front() + pos.front();
			if (tmp < 0) neg.front() = tmp, pos.pop_front();
			else if (tmp > 0) neg.pop_front(), pos.front() = tmp;
			else neg.pop_front(), pos.pop_front();
		}
	}

	if (!neg.empty()) {
		cout << "Negatives win!\n";
		while (!neg.empty()) {
			cout << neg.back() << ' ';
			neg.pop_back();
		}
	}
	else if (!pos.empty()) {
		cout << "Positives win!\n";
		while (!pos.empty()) {
			cout << pos.back() << ' ';
			pos.pop_back();
		}
	}
	else cout << "Tie!";
}
728x90

'BOJ' 카테고리의 다른 글

[BOJ 18511 // C++] 큰 수 구성하기  (0) 2022.06.05
[BOJ 5546 // C++] 파스타  (0) 2022.06.05
[BOJ 11400 // C++] 단절선  (0) 2022.06.04
[BOJ 4352 // C++] Jogging Trails  (0) 2022.06.03
[BOJ 5624 // C++] 좋은 수  (0) 2022.06.02

+ Recent posts