작성일 :

문제 링크

25024번 - 시간과 날짜

설명

입력으로 주어지는 두 정수에 대하여, 유효한 시간과 날짜로 나타낼 수 있는지 판별하는 문제입니다.

두개의 정수들을 문제의 조건에 따라 분기 처리하여 풀이합니다.


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) {

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

      for (int c = 0; c < cntCase; c++) {
        var input = Console.ReadLine()!.Split(' ');
        var x = int.Parse(input[0]);
        var y = int.Parse(input[1]);

        if (x >= 0 && x <= 23 && y >= 0 && y <= 59)
          Console.Write("Yes ");
        else Console.Write("No ");

        if (x >= 1 && x <= 12) {
          if ((x == 2 && y >= 1 && y <= 29) ||
              ((x == 4 || x == 6 || x == 9 || x == 11) && y >= 1 && y <= 30) ||
              ((x == 1 || x == 3 || x == 5 || x == 7 || x == 8 || x == 10 || x == 12) && y >= 1 && y <= 31))
            Console.WriteLine("Yes");
          else Console.WriteLine("No");
        } 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
26
27
28
#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 x, y; cin >> x >> y;

    if (x >= 0 && x <= 23 && y >= 0 && y <= 59)
      cout << "Yes ";
    else cout << "No ";

    if (x >= 1 && x <= 12) {
      if ((x == 2 && y >= 1 && y <= 29) ||
          ((x == 4 || x == 6 || x == 9 || x == 11) && y >= 1 && y <= 30) ||
          ((x == 1 || x == 3 || x == 5 || x == 7 || x == 8 || x == 10 || x == 12) && y >= 1 && y <= 31))
        cout << "Yes\n";
      else cout << "No\n";
    } else cout << "No\n";
  }

  return 0;
}