• 下面给你一版 Java Scanner 的 ACM 常用输入模板,够笔试直接套。
import java.util.*;
public class Main {
public static void main(String[] args) {
Scanner sc = new Scanner(System.in);
// 1. 读一个 int
int n = sc.nextInt();
// 2. 读一个 long
long x = sc.nextLong();
// 3. 读一个 double
double d = sc.nextDouble();
// 4. 读一个 String(不含空格)
String s1 = sc.next();
// 5. 读一整行 String(可包含空格)
sc.nextLine(); // 如果前面用了 nextInt/next/nextLong 等,要先清理回车
String s2 = sc.nextLine();
// 6. 读一个 char
char c = sc.next().charAt(0);
// 7. 读一个 int[]
int len = sc.nextInt();
int[] nums = new int[len];
for (int i = 0; i < len; i++) {
nums[i] = sc.nextInt();
}
// 8. 读一个 long[]
int len2 = sc.nextInt();
long[] arrLong = new long[len2];
for (int i = 0; i < len2; i++) {
arrLong[i] = sc.nextLong();
}
// 9. 读一个 String[]
int len3 = sc.nextInt();
String[] strs = new String[len3];
for (int i = 0; i < len3; i++) {
strs[i] = sc.next();
}
// 10. 读一个 char[]
char[] chars = sc.next().toCharArray();
// 11. 读一个二维 int 数组
int rows = sc.nextInt();
int cols = sc.nextInt();
int[][] grid = new int[rows][cols];
for (int i = 0; i < rows; i++) {
for (int j = 0; j < cols; j++) {
grid[i][j] = sc.nextInt();
}
}
// 12. 读多行字符串数组(每行按空格分割)
int m = sc.nextInt();
sc.nextLine(); // 清理回车
String[][] lines = new String[m][];
for (int i = 0; i < m; i++) {
lines[i] = sc.nextLine().split(" ");
}
}
}
你最该记住的是这几条:
- 基本类型
int n = sc.nextInt();
long x = sc.nextLong();
double d = sc.nextDouble();
- 字符串
String s = sc.next(); // 读一个单词
String line = sc.nextLine(); // 读一整行
- 字符
char c = sc.next().charAt(0);
- 数组
int[] nums = new int[n];
for (int i = 0; i < n; i++) nums[i] = sc.nextInt();
- 字符数组
char[] chars = sc.next().toCharArray();
- 最重要的坑
如果前面用了:
nextInt() / nextLong() / next() / nextDouble()
后面想用:
nextLine()
通常都要先补一句:
sc.nextLine();
因为要清掉残留回车。
给你一版笔试最常用精简模板:
import java.util.*;
public class Main {
public static void main(String[] args) {
Scanner sc = new Scanner(System.in);
int n = sc.nextInt();
int[] nums = new int[n];
for (int i = 0; i < n; i++) {
nums[i] = sc.nextInt();
}
sc.nextLine(); // 如果后面要读整行字符串
String line = sc.nextLine();
char[] chars = sc.next().toCharArray();
}
}