작성일 :

문제 링크

10180번 - Ship Selection

설명

간단한 수학에 대한 구현 문제입니다.

문제에서 주어지는 변수들이 많으므로, 차근 차근 각 변수간의 관계를 이해하면서 계산해 나갑니다.

선박이 도달할 수 있는 거리선박의 속도 * 선박이 이동 가능한 시간 이며,
선박이 이동 가능한 시간선박의 남은 연료량 / 선박의 시간 당 연료 소모량 임을 이용하면
n 개의 선박들 각각에 대하여 도착지까지 도달 가능 여부를 판단할 수 있습니다.

반복문을 통해 각 선박들에 대하여 위와 같이 판단을 진행하며,
도착지까지 도달 할 수 있는 선박들의 개수를 합산하여 출력합니다.


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

      int.TryParse(Console.ReadLine(), out int cntCase);
      for (int c = 0; c < cntCase; c++) {
        string[]? input = Console.ReadLine()?.Split();
        int.TryParse(input?[0], out int n);
        int.TryParse(input?[1], out int distTarget);

        int ans = 0;
        for (int i = 0; i < n; i++) {
          input = Console.ReadLine()?.Split();
          int.TryParse(input?[0], out int velo);
          int.TryParse(input?[1], out int fuel);
          int.TryParse(input?[2], out int consume);

          double distAvail = velo * (double)fuel / consume;
          if (distAvail >= distTarget) ans++;
        }

        Console.WriteLine(ans);
      }

    }
  }
}



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

using namespace std;

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

  int cntCase; cin >> cntCase;
  for (int c = 0; c < cntCase; c++) {
    int n, distTarget; cin >> n >> distTarget;

    int ans = 0;
    for (int i = 0; i < n; i++) {
      int velo, fuel, consume; cin >> velo >> fuel >> consume;

      double distAvail = velo * (double)fuel / consume;
      if (distAvail >= distTarget) ans++;
    }

    cout << ans << "\n";
  }

  return 0;
}