Scanner对象
基本语法
Scanner s = new Scanner(System.in);
通过Scanner类的next()与nextLine()方法获取输入的字符串,在读取前我们一般需要使用hasNext()与hasNextLine()判断是否还有输入的数据。
package com.wen.scanner;
import java.util.Scanner;
public class Demo02 {
public static void main(String[] args) {
//从键盘接收数据
Scanner scanner = new Scanner(System.in);
System.out.println("使用nextLine方法接收:");
//判断是否还有输出
if (scanner.hasNextLine()) {
String str = scanner.nextLine();
System.out.println("请输入一个带空格的内容");
System.out.println("输入的内容为"+str);
}
// 用完就关掉,别忘了
scanner.close();
}
}
-
next():
- 一定要读取到有效字符后才可以结束输入。
- 对输入有效字符之前遇到的空白,next() 方法会自动将其去掉。
- 只有输入有效字符后才将其后面输入的空白作为分隔符或者结束符。
- next() 不能得到带有空格的字符串。
-
nextLine():
- 以Enter为结束符,也就是说 nextLine()方法返回的是输入回车之前的所有字符。
- 可以获得空白。
Scanner对象拓展案例
package com.wen.scanner;
import java.util.Scanner;
public class Demo05 {
public static void main(String[] args) {
Scanner sc = new Scanner(System.in);
System.out.print("请输入一个整数");
if (sc.hasNextInt()){
int a = sc.nextInt();
System.out.println(a + "是整数类型");
}else{
String a = sc.next();
System.out.println(a+"这不是整数类型");
}
System.out.print("请输入一个小数");
if (sc.hasNextFloat()&&!sc.hasNextInt()) {
Float b = sc.nextFloat();
System.out.println(b + "是小数类型");
}else{
String a = sc.next();
System.out.println("这不是小数类型");
}
sc.close();
}
}
package com.wen.scanner;
import java.util.Scanner;
public class Demo06 {
public static void main(String[] args) {
//我们可以输入多个数字,并求其总和与平均数,每输入一个数字用回车确认,通过输入非数字来结束输入并输出执行结果(空格不行):
Scanner sc = new Scanner(System.in);
//和
double sum = 0;
//计算输入了多少个数字
int m = 0;
System.out.println("请输入数字:");
//通过循环判断是否还有输入,并在里面对每一次进行求和和统计
while (sc.hasNextDouble()){
double x = sc.nextDouble();
m++;
sum = sum + x;
System.out.println("你当前输入的是第" + m + "个数据,当前结果它们的和为:" + sum);
}
System.out.println(m + "个数的和为" + sum);
System.out.println(m + "个数的平均值是" + (sum / m));
sc.close();
}
}
标签:Scanner,对象,System,println,sc,输入,out
From: https://blog.csdn.net/2403_82880038/article/details/139805698