1.BufferedReader的好处(除了快)
相信在平常写代码时,有些小伙伴在调用Scanner的时候,会发现这2种情况:
import java.util.Scanner;
public class Main {
public static void main(String[] args) {
Scanner star = new Scanner(System.in);
int n = star.nextInt();//5
String str = star.nextLine();//1.读取你的回车并结束 2.读取你的空格及字符串
System.out.println(n);//5
System.out.println(str);//1.换行 2.空格+输入的字符串
}
}
每次自己想输入带空格的字符串时都会被这烦人的回车气到,这时候用BufferedReader就解决了,详情可以看主页4.16的Java的基础IO流。
当然Scanner也是有解决方法的,这里分享给大家,不过还是建议大家使用BufferedReader,毕竟运行速度快不少。
import java.util.Scanner;
public class Main {
public static void main(String[] args) {
Scanner star = new Scanner(System.in);
int n = star.nextInt();//5
star.nextLine();//没错,只需要加一句它!
String str = star.nextLine();//PTA
System.out.println(n);//5
System.out.println(str);//PTA
}
}
2.BufferedReader的int输入
import java.io.*;
public class Main {
public static void main(String[] args) throws IOException {
BufferedReader star = new BufferedReader(new InputStreamReader(System.in));
//当你想输入int类型的数时,你可能会毫不犹豫的写下
int s = star.read();//5
//结果一输出发现,输出的竟然是ASCII码!
System.out.println(s);//53
}
}
那我们可以这么输入:
import java.io.*;
public class Main {
public static void main(String[] args) throws IOException {
BufferedReader star = new BufferedReader(new InputStreamReader(System.in));
String s = star.readLine();//66
int n = Integer.parseInt(s);
System.out.println(n);//66
}
}
注意第六行...String转int的方法,那小本本记下来~
有的同学会问,我感觉输入数字还是StreamTokenizer好,但是好麻烦,一次要输入两行,那么关于它的小技巧,来咯!
3.StreamTokenizer输入
大家可以静态初始化StreamTokenizer,然后写一些静态方法用于调用
import java.io.*;
public class Main {
static StreamTokenizer star =new StreamTokenizer(new BufferedReader(new InputStreamReader(System.in)));
static int nextInt() throws IOException {
star.nextToken();
return (int)star.nval;
}
public static void main(String[] args) throws IOException{
int n = nextInt();
}
}
像这样,大家就可以不用一直写star.nextToken();了,看起来和Scanner一样简洁。
温馨提示:这样虽然很方便,但是稍微慢了点,亲测了一下,在PTA中输入两个数字时这样会比原来慢个10ms,虽然看起来很少,不过有些题时间就是卡的很死,还是注意一下好。