下图是上海某校的新学期开学寄语:天将降大任于斯人也,必先删其微博,卸其 QQ,封其电脑,夺其手机,收其 ipad,断其 wifi,使其百无聊赖,然后,净面、理发、整衣,然后思过、读书、锻炼、明智、开悟、精进。而后必成大器也!
编辑
本题要求你写个程序帮助这所学校的老师检查所有学生的物品,以助其成大器。
输入格式:
输入第一行给出两个正整数 N(≤ 1000)和 M(≤ 6),分别是学生人数和需要被查缴的物品种类数。第二行给出 M 个需要被查缴的物品编号,其中编号为 4 位数字。随后 N 行,每行给出一位学生的姓名缩写(由 1-4 个大写英文字母组成)、个人物品数量 K(0 ≤ K ≤ 10)、以及 K 个物品的编号。
输出格式:
顺次检查每个学生携带的物品,如果有需要被查缴的物品存在,则按以下格式输出该生的信息和其需要被查缴的物品的信息(注意行末不得有多余空格):
姓名缩写: 物品编号1 物品编号2 ……
最后一行输出存在问题的学生的总人数和被查缴物品的总数。
输入样例:
4 2 2333 6666 CYLL 3 1234 2345 3456 U 4 9966 6666 8888 6666 GG 2 2333 7777 JJ 3 0012 6666 2333
输出样例:
U: 6666 6666 GG: 2333 JJ: 6666 2333 3 5
代码实现:
import java.io.*; import java.util.ArrayList; import java.util.HashMap; /** * @author yx * @date 2022-07-25 0:20 */ public class Main { static PrintWriter out=new PrintWriter(System.out); static BufferedReader ins=new BufferedReader(new InputStreamReader(System.in)); static StreamTokenizer in=new StreamTokenizer(ins); public static void main(String[] args) throws IOException { in.nextToken();int N=(int) in.nval; in.nextToken();int M=(int) in.nval; int students_no=0; int things_no=0; HashMap<Integer,Integer> map=new HashMap<>(); for (int i = 0; i < M; i++) { in.nextToken(); map.put((int) in.nval,1); } for (int i = 0; i < N; i++) { String[] split=ins.readLine().split(" "); ArrayList<Integer> list=new ArrayList<>(); String name=split[0]; int n=Integer.parseInt(split[1]); for (int j = 0; j < n; j++) { int k=Integer.parseInt(split[2+j]); if(map.containsKey(k)){ list.add(k); things_no++; } } if(list.size()>0){ students_no++; System.out.print(name+": "); for (int j = 0; j < list.size()-1; j++) { System.out.printf("%04d ",list.get(j)); } System.out.println(list.get(list.size()-1)); } } System.out.println(students_no+" "+things_no); } }
编辑