[백준 28454] Gift Expire Date (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
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
namespace Solution {
class Program {
public struct Date {
int Year { get; set; }
int Month { get; set; }
int Day { get; set; }
public static Date ParseDate(string s) {
return new Date {
Year = int.Parse(s.Substring(0, 4)),
Month = int.Parse(s.Substring(5, 2)),
Day = int.Parse(s.Substring(8, 2))
};
}
public bool IsAfterOrEqual(Date other) {
if (Year != other.Year) return Year > other.Year;
if (Month != other.Month) return Month > other.Month;
return Day >= other.Day;
}
};
static void Main(string[] args) {
var currentDateStr = Console.ReadLine()!;
Date currentDate = Date.ParseDate(currentDateStr);
var n = int.Parse(Console.ReadLine()!);
int validCount = 0;
for (int i = 0; i < n; i++) {
var giftDateStr = Console.ReadLine()!;
Date giftDate = Date.ParseDate(giftDateStr);
if (giftDate.IsAfterOrEqual(currentDate))
validCount++;
}
Console.WriteLine(validCount);
}
}
}
[ 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
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
#include <bits/stdc++.h>
using namespace std;
struct Date {
int year;
int month;
int day;
static Date parseDate(const string& s) {
return {
stoi(s.substr(0, 4)),
stoi(s.substr(5, 2)),
stoi(s.substr(8, 2))
};
}
bool isAfterOrEqual(const Date& other) const {
if (year != other.year) return year > other.year;
if (month != other.month) return month > other.month;
return day >= other.day;
}
};
int main() {
ios::sync_with_stdio(false);
cin.tie(nullptr);
string currentDateStr;
cin >> currentDateStr;
Date currentDate = Date::parseDate(currentDateStr);
int n; cin >> n;
int validCount = 0;
while (n--) {
string giftDateStr; cin >> giftDateStr;
Date giftDate = Date::parseDate(giftDateStr);
if (giftDate.isAfterOrEqual(currentDate))
validCount++;
}
cout << validCount << "\n";
return 0;
}