[백준 6162] Superlatives (C#, C++) - soo:bak
작성일 :
문제 링크
설명
예측한 강수량과 실제 강수량을 비교하여 가뭄의 정도를 계산하는 문제입니다.
예측한 강수량이 실제 강수량보다 5
배 많을 때, 즉, 실제 강수량이 예측한 강수량의 1 / 5
배 일 때마다,
drought
앞에 mega
접두어를 붙여 출력합니다.
만약, 실제 강수량이 예측한 강수량보다 같거나 더 많다면, 가뭄이 아니므로, no drought
를 출력합니다.
Code
[ C# ]
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
namespace Solution {
class Program {
static void Main(string[] args) {
var k = int.Parse(Console.ReadLine()!);
for (int i = 1; i <= k; i++) {
Console.WriteLine($"Data Set {i}:");
var input = Console.ReadLine()!.Split(' ');
var expected = int.Parse(input[0]);
var acutal = int.Parse(input[1]);
int megas = 0;
while (expected > acutal) {
acutal *= 5;
megas++;
}
if (megas == 0) {
Console.Write("no ");
} else {
for (int j = 0; j < megas - 1; j++)
Console.Write("mega ");
}
Console.WriteLine("drought\n");
}
}
}
}
[ C++ ]
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
#include <bits/stdc++.h>
using namespace std;
int main() {
ios::sync_with_stdio(false);
cin.tie(nullptr);
int k; cin >> k;
for (int i = 1; i <= k; i++) {
cout << "Data Set " << i << ":\n";
int expected, actual; cin >> expected >> actual;
int megas = 0;
while (expected > actual) {
actual *= 5;
megas++;
}
if (megas == 0) {
cout << "no ";
} else {
for (int i = 0; i < megas - 1; i++)
cout << "mega ";
}
cout << "drought\n\n";
}
return 0;
}