작성일 :

문제 링크

9723번 - Right Triangle

설명

입력으로 주어지는 삼각형의 세 변의 길이를 바탕으로, 해당 삼각형이 직각삼각형인지 아닌지를 판별하는 문제입니다.

직각삼각형의 세 변은 피타고라스의 정리(a2 + b2 = c2, c 는 빗변)를 만족해야 합니다.

따라서, 주어진 세 변의 길이 중 가장 긴 변을 찾아, 이를 빗변으로 설정하고 나머지 두 변에 대해서 피타고라스의 정리를 만족하는지 확인하면 됩니다.


Code

[ C# ]

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

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

      for (int i = 1; i <= t; i++) {
        var sides = Console.ReadLine()!.Split(' ').Select(int.Parse).ToArray();

        Array.Sort(sides);

        Console.Write($"Case #{i}: ");

        if (Math.Pow(sides[0], 2) + Math.Pow(sides[1], 2) == Math.Pow(sides[2], 2))
          Console.WriteLine("YES");
        else Console.WriteLine("NO");
      }

    }
  }
}



[ 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 t; cin >> t;

  for (int i = 1; i <= t; i++) {
    int sides[3];
    cin >> sides[0] >> sides[1] >> sides[2];

    sort(sides, sides + 3);

    cout << "Case #" << i << ": ";

    if (pow(sides[0], 2) + pow(sides[1], 2) == pow(sides[2], 2))
      cout << "YES\n";
    else cout << "NO\n";
  }

  return 0;
}