[백준 3512] Flat (C#, C++) - soo:bak
작성일 :
문제 링크
설명
입력으로 주어지는 정보들을 바탕으로 아파트의 가격을 계산하는 문제입니다. 
모든 방들의 총 면적, 침실의 면적, 아파트의 가격 을 순서대로 출력합니다. 
아파트의 가격을 계산할 때, 발코니의 면적은 절반만 반영된다는 점에 주의합니다. 
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
namespace Solution {
  class Program {
    static void Main(string[] args) {
      var input = Console.ReadLine()!.Split(' ');
      var n = int.Parse(input[0]);
      var cost = int.Parse(input[1]);
      int areaTotal = 0, areaBedroom = 0, areaBalcony = 0;
      for (int i = 0; i < n; i++) {
        input = Console.ReadLine()!.Split(' ');
        var area = int.Parse(input[0]);
        var type = input[1];
        areaTotal += area;
        if (type == "balcony") areaBalcony += area;
        else if (type == "bedroom") areaBedroom += area;
      }
      double costFlat = (areaTotal - (areaBalcony / 2.0)) * cost;
      Console.WriteLine($"{areaTotal}");
      Console.WriteLine($"{areaBedroom}");
      Console.WriteLine($"{costFlat:F6}");
    }
  }
}
[ 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
#include <bits/stdc++.h>
using namespace std;
int main() {
  ios::sync_with_stdio(false);
  cin.tie(nullptr);
  int n; int cost; cin >> n >> cost;
  int areaTotal = 0, areaBedroom = 0, areaBalcony = 0;
  for (int i = 0; i < n; i++) {
    int area; string type;
    cin >> area >> type;
    areaTotal += area;
    if (type == "balcony") areaBalcony += area;
    else if (type == "bedroom") areaBedroom += area;
  }
  double costFlat = (areaTotal - (areaBalcony / 2.0)) * cost;
  cout.setf(ios::fixed); cout.precision(6);
  cout << areaTotal << "\n"
       << areaBedroom << "\n"
       << costFlat<< "\n";
  return 0;
}