目录
- 1 什么是Scanner类
- 2 Scanner类的对象创建
- 1 查看类并导入类
- 2 查看构造方法
- 3 创建对象
- 3 Scanner类的基本方法
- 1 next() 方法
- 2 nextLine() 方法
- 3 next()以及nextInt()等 与 nextLine() 区别
- 4 Scanner.close()的必要性
1 什么是Scanner类
scanner的中文翻译是扫描仪,顾名思义,Scanner类可以生成一个解析基本类型和字符串的文本扫描仪。
简单点说:我们可以通过 Scanner 类来获取用户的输入。
2 Scanner类的对象创建
1 查看类并导入类
//该类需要import导入后使用
java.util.Scanner;
2 查看构造方法
// 构造一个新的Scanner,它生成的值是从指定的输入流扫描来的
public Scanner(InputStream source);
3 创建对象
Scanner scan = new Scanner(System.in);
3 Scanner类的基本方法
通过 Scanner 类的 next() 与 nextLine() 方法可以获取输入的字符串,在读取前一般需要使用 hasNext() 与 hasNextLine() 判断是否还有输入的数据。
1 next() 方法
import java.util.Scanner;
public class ScannerDemo {
public static void main(String[] args) {
// 从键盘接收数据
Scanner scan = new Scanner(System.in);
// next方式接收字符串
System.out.println("next方式接收:");
// 判断是否还有输入
if (scan.hasNext()) {
String str1 = scan.next();
System.out.println("输入的数据为:" + str1);
}
scan.close();
}
}
程序输出结果:
next方式接收:
baidu com
输入的数据为:baidu
可以看到 com 字符串并未输出。
2 nextLine() 方法
import java.util.Scanner;
public class ScannerDemo {
public static void main(String[] args) {
// 从键盘接收数据
Scanner scan = new Scanner(System.in);
// nextLine方式接收字符串
System.out.println("nextLine方式接收:");
// 判断是否还有输入
if (scan.hasNextLine()) {
String str2 = scan.nextLine();
System.out.println("输入的数据为:" + str2);
}
scan.close();
}
}
程序输出结果:
nextLine方式接收:
baidu com
输入的数据为:baidu com
可以看到 com 字符串输出了。
3 next()以及nextInt()等 与 nextLine() 区别
next()以及nextInt()等:
- 一定要读取到有效字符后才可以按Enter键结束输入;
- 对输入有效字符之前遇到的空白,next()以及nextInt()等 自动将其去掉;
- 输入有效字符后,如果遇到空白,next()以及nextInt()等将从第一个空白处截断并去掉之后所有字符;
- next()以及nextInt()等,不读取“\n”,并将cursor放在本行中(可以在一行以空格分隔多个输入),因此如果想在next()以及nextInt()等后读取一行nextLine(),就必须在next()以及nextInt()等之后加上scan.nextLine();
nextLine():
- 不一定读取到有效字符,按Enter就可以结束输入;
- 以"\n"为结束符,读完后cursor在下一行,返回的是按Enter键结束输入之前的所有字符;
next() 不能得到带有空白的字符串,nextLine() 能得到带有空白的字符串。
如果要输入int或double类型的数据,在Scanner 类中同样有支持,但是在输入之前最好先使用 hasNextXxx() 方法验证是否还有输入以及输入类型是否正确,再使用 nextXxx() 来读取。
4 Scanner.close()的必要性
使用Scanner(system.in)时,使用完毕后,一定要关闭扫描器,因为system.in属于IO流,一旦打开,它一直在占用资源,因此使用完毕后切记要关闭。