通讯录中的一条记录包含下述基本信息:朋友的姓名、出生日期、性别、固定电话号码、移动电话号码。
本题要求编写程序,录入N条记录,并且根据要求显示任意某条记录。
输入格式:
输入在第一行给出正整数N(≤10);随后N行,每行按照格式姓名 生日 性别 固话 手机给出一条记录。其中姓名是不超过10个字符、不包含空格的非空字符串;生日按yyyy/mm/dd的格式给出年月日;性别用M表示“男”、F表示“女”;固话和手机均为不超过15位的连续数字,前面有可能出现+。
在通讯录记录输入完成后,最后一行给出正整数K,并且随后给出K个整数,表示要查询的记录编号(从0到N?1顺序编号)。数字间以空格分隔。
输出格式:
对每一条要查询的记录编号,在一行中按照姓名 固话 手机 性别 生日的格式输出该记录。若要查询的记录不存在,则输出Not Found。
#define _CRT_SECURE_NO_WARNINGS
#include <stdio.h>
#include <string>
#include <sstream>
#include <iostream>
using namespace std;
struct Information {
string name;
string birthday;
string sex;
string regularIphone;
string iphone;
};
int main() {
int N,K,number;
scanf("%d", &N);
cin.ignore(numeric_limits<streamsize>::max(), '\n'); // 清空缓冲区,防止里面有残余
Information record[10];
for (int i = 0; i < N; i++) { // 输入N 条记录
string input;
getline(cin, input);
// 使用字符串流分割输入
istringstream iss(input);
string token;
int count = 0;
while (getline(iss, token, ' ')) { // 利用空格进行分割一行数据,然后利用count应该赋值给那个变量
if (count == 0) {
record[i].name = token;
}
else if (count == 1) {
record[i].birthday = token;
}
else if (count == 2) {
record[i].sex = token;
}
else if (count == 3) {
record[i].regularIphone = token;
}
else if (count == 4) {
record[i].iphone = token;
}
count++;
}
}
scanf("%d",&K);
for (int i = 0; i < K; i++) { // 循环遍历K次,对后面输入的编号进行查询
scanf("%d",&number);
if (0 <= number && number < N) {
if (i == 0) {
cout << record[number].name + " " << record[number].regularIphone + " " << record[number].iphone + " " << record[number].sex + " " << record[number].birthday;
}
else {
cout << endl << record[number].name + " " << record[number].regularIphone + " " << record[number].iphone + " " << record[number].sex + " " << record[number].birthday;
}
}
else { // 这样控制的话,不会在最后产生换行
if (i == 0) {
printf("Not Found");
}
else {
printf("\nNot Found");
}
}
}
return 0;
}