작성일 :

문제 링크

28224번 - Final Price

설명

주어진 일수 동안 상품의 가격 변동을 추적하여, 최종 가격을 계산하는 문제입니다.

총 일수 n 을 입력받고, 첫 날의 상품가격과 남은 n - 1 일 동안의 일별 가격 변동을 입력으로 받아 최종 가격을 계산하여 출력합니다.


Code

[ C# ]

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
namespace Solution {
  class Program {
    static void Main(string[] args) {

      var totalDays = int.Parse(Console.ReadLine()!);
      var priceInit = int.Parse(Console.ReadLine()!);

      for (int i = 1; i < totalDays; i++) {
        var priceDaily = int.Parse(Console.ReadLine()!);
        priceInit += priceDaily;
      }

      Console.WriteLine(priceInit);

    }
  }
}



[ C++ ]

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
#include <bits/stdc++.h>

using namespace std;

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

  int totalDays, priceInit; cin >> totalDays >> priceInit;

  for (int i = 1; i < totalDays; i++) {
    int priceDaily; cin >> priceDaily;
    priceInit += priceDaily;
  }

  cout << priceInit << "\n";

  return 0;
}