작성일 :

문제 링크

22279번 - Quality-Adjusted Life-Year

설명

문제의 목표는 주어진 기간 동안의 각 질병 수준에 따른 QALY 를 계산하는 것입니다.

QALY 는 주어진 기간 동안의 품질 qy 의 곱으로 계산됩니다.

모든 주어진 기간 동안에 대하여 QALY 를 계산하고, 그 값을 합하여 출력합니다.


Code

[ C# ]

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

      var n = int.Parse(Console.ReadLine()!);

      var totalQALY = 0.0;
      for (int i = 0; i < n; i++) {
        var input = Console.ReadLine()!.Split(' ');
        var q = double.Parse(input[0]);
        var y = double.Parse(input[1]);
        totalQALY += q * y;
      }

      Console.WriteLine($"{totalQALY:F3}");

    }
  }
}



[ C++ ]

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

using namespace std;

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

  int n; cin >> n;

  double totalQALY = 0.0;
  for (int i = 0; i < n; i++) {
    double q, y; cin >> q >> y;
    totalQALY += q * y;
  }

  cout.setf(ios::fixed); cout.precision(3);
  cout << totalQALY << "\n";

  return 0;
}