작성일 :

문제 링크

6249번 - TV Reports

설명

매일 변동되는 달러의 가격에 따라서, n 기간 동안 두 개의 TV 채널에서 방송되는 뉴스 헤드라인을 출력하는 문제입니다.

매일 주어지는 달러의 가격이 전날보다 낮아졌다면 NTV 채널의 헤드라인을 출력하고,

달러의 가격이 이전 최고가보다 높다면 BBTV 채널의 헤드라인을 출력합니다.


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
namespace Solution {
  class Program {
    static void Main(string[] args) {

      var input = Console.ReadLine()!.Split(' ');
      var n = int.Parse(input[0]);
      var p = int.Parse(input[1]);
      var h = int.Parse(input[2]);

      var prices = new int[n];
      for (int i = 0; i < n; i++)
        prices[i] = int.Parse(Console.ReadLine()!);

      for (int i = 0; i < n; i++) {
        if (prices[i] < p)
          Console.WriteLine("NTV: Dollar dropped by " + (p - prices[i]) + " Oshloobs");
        if (prices[i] > h)  {
          Console.WriteLine("BBTV: Dollar reached " + prices[i] + " Oshloobs, A record!");
          h = prices[i];
        }
        p = prices[i];
      }

    }
  }
}



[ 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
#include <bits/stdc++.h>

using namespace std;

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

  int n, p, h;
  cin >> n >> p >> h;

  vector<int> prices(n);
  for (int i = 0; i < n; i++)
    cin >> prices[i];

  for (int i = 0; i < n; i++) {
    if (prices[i] < p)
      cout << "NTV: Dollar dropped by " << p - prices[i] << " Oshloobs\n";
    if (prices[i] > h) {
      cout << "BBTV: Dollar reached " << prices[i] << " Oshloobs, A record!\n";
      h = prices[i];
    }
    p = prices[i];
  }

  return 0;
}