第八屆藍橋杯 日期問題
阿新 • • 發佈:2019-02-01
標題:日期問題
小明正在整理一批歷史文獻。這些歷史文獻中出現了很多日期。小明知道這些日期都在1960年1月1日至2059年12月31日。令小明頭疼的是,這些日期採用的格式非常不統一,有采用年/月/日的,有采用月/日/年的,還有采用日/月/年的。更加麻煩的是,年份也都省略了前兩位,使得文獻上的一個日期,存在很多可能的日期與其對應。
比如02/03/04,可能是2002年03月04日、2004年02月03日或2004年03月02日。
給出一個文獻上的日期,你能幫助小明判斷有哪些可能的日期對其對應嗎?
輸入
一個日期,格式是”AA/BB/CC”。 (0 <= A, B, C <= 9)
輸出
輸出若干個不相同的日期,每個日期一行,格式是”yyyy-MM-dd”。多個日期按從早到晚排列。
樣例輸入
02/03/04
樣例輸出
2002-03-04
2004-02-03
2004-03-02
資源約定:
峰值記憶體消耗(含虛擬機器) < 256M
CPU消耗 < 1000ms
請嚴格按要求輸出,不要畫蛇添足地列印類似:“請您輸入…” 的多餘內容。
注意:
main函式需要返回0;
只使用ANSI C/ANSI C++ 標準;
不要呼叫依賴於編譯環境或作業系統的特殊函式。
所有依賴的函式必須明確地在原始檔中 #include
不能通過工程設定而省略常用標頭檔案。
提交程式時,注意選擇所期望的語言型別和編譯器型別。
思路:很多細節,只需要把三種日期格式對應日期都枚舉出來,然後排除非法日期和不在題目所述範圍的日期。最後去重排序就可以了。
#include<iostream>
#include<set>
#include<stdio.h>
int md[13]={0,31,28,31,30,31,30,31,31,30,31,30,31};
using namespace std;
struct date{
int year,month,day;
date(int y,int m,int d){
year=y;
month=m;
day=d;
}
bool operator < (date other)const
{
if(year==other.year){
if(month==other.month){
return day<other.day;
}return month<other.month;
}return year<other.year;
}
bool isLegal(){
if(year<1960||year>2059)return false;
if(month<=0||month>12)return false;
if(year%400==0||year%100!=0&&year%4==0){//閏年
if(month==2){
return day>=1&&day<=29;
}
return day>=1&&day<=md[month];
}else{
return day>=1&&day<=md[month];
}
}
void print()const{
printf("%d-%02d-%02d",year,month,day);
printf("\n");
}
};
set<date> ss;
void add(int a,int b,int c){
date obj(a,b,c);
if(obj.isLegal())ss.insert(obj);
}
int main(){
int a,b,c;
scanf("%d/%d/%d",&a,&b,&c);
//輸入年月日
add(1900+a,b,c);
add(2000+a,b,c);
add(1900+c,a,b);
add(2000+c,a,b);
add(1900+c,b,a);
add(2000+c,b,a);
set<date>::iterator it=ss.begin();
for(it;it!=ss.end();it++){
it->print();
}
return 0;
}