PAT A1061 Dating(C++)

PAT甲级目录 | PAT乙级目录

题目描述

原题地址:A1061 Dating
中文版:B1014 福尔摩斯的约会

大侦探福尔摩斯接到一张奇怪的字条:我们约会吧! 3485djDkxh4hhGE 2984akDfkkkkggEdsb s&hgsfdk d&Hyscvnm。大侦探很快就明白了,字条上奇怪的乱码实际上就是约会的时间星期四 14:04,因为前面两字符串中第 1 对相同的大写英文字母(大小写有区分)是第 4 个字母 D,代表星期四;第 2 对相同的字符是 E ,那是第 5 个英文字母,代表一天里的第 14 个钟头(于是一天的 0 点到 23 点由数字 0 到 9、以及大写字母 AN 表示);后面两字符串第 1 对相同的英文字母 s 出现在第 4 个位置(从 0 开始计数)上,代表第 4 分钟。现给定两对字符串,请帮助福尔摩斯解码得到约会的时间。

输入格式:

输入在 4 行中分别给出 4 个非空、不包含空格、且长度不超过 60 的字符串。

输出格式:

在一行中输出约会的时间,格式为 DAY HH:MM,其中 DAY 是某星期的 3 字符缩写,即 MON 表示星期一,TUE 表示星期二,WED 表示星期三,THU 表示星期四,FRI 表示星期五,SAT 表示星期六,SUN 表示星期日。题目输入保证每个测试存在唯一解。

易错点:

  • 注意范围:星期是大写的 A-G;小时是从 0-9,A-N;
  • 输出的小时和分钟,不满两位要补前导零

也许陌生的知识点

  • 头文件 cctype 中的某些函数
    • isdigit(temp)
      • 判断该字符是否为数字,如是返回 true
    • isalpha(temp)
      • 判断该字符是否为字母,如是返回 true
    • isupper(temp)
      • 判断字符是否为大写
    • islower(temp)
      • 判断字符是否为小写

代码示例:

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
#include <iostream>
#include <cstdio>
#include <string>
#include <cctype>
using namespace std;
int main(){
string str[4];
string DAY[] = {"MON", "TUE", "WED", "THU", "FRI", "SAT", "SUN"};
for(int i = 0; i < 4; i++){
getline(cin, str[i]);
}
for(int i = 0, cnt = 0; i < str[0].length() && i < str[1].length(); i++){
if(str[0][i] == str[1][i]){
char temp = str[0][i];
if(cnt == 0 && temp >= 'A' && temp <= 'G'){
cout << DAY[(str[0][i] - 'A')] << ' '; //星期
cnt++;
}else if(cnt == 1){ //小时
if(isdigit(temp)){
cout << '0' << (int)(temp - '0'); break;
}else if('A' <= temp && temp <= 'N' ){
cout << (int)(temp - 'A' + 10); break;
}
}
}
}
for(int i = 0; i < str[2].length() && i < str[3].length(); i++){
if(str[2][i] == str[3][i] && isalpha(str[2][i])){
printf(":%02d\n", i);//分钟
break;
}
}
return 0;
}