java基礎學習Day05-流程控制-Scanner類
阿新 • • 發佈:2022-04-11
Scanner物件
-
java提供我們一個工具類,可以獲取使用者的輸入。java.util.Scanner是java5的新特性,我們可以通過Scanner類獲得使用者的輸入
-
基本語法:
Scanner scanner = new Scanner(System.in);
-
通過Scanner類的next(),和nextLine()方法獲取輸入的字串,在讀取之前我們一般使用hasNext(),hasNextLine()方法判斷是否還有輸入的資料。
public static void main(String[] args) { //構建一個接收器,用於接收鍵盤資料 Scanner scanner = new Scanner(System.in); System.out.println("使用next方法接收:"); if (scanner.hasNext()) {//使用hasNext判斷是否有資料 String str=scanner.next();//使用next方法接收(next方法遇到空格會停止) System.out.println("輸出內容為:"+str); } //凡是屬於IO流的類如果不關閉會一直佔用資源,使用完要及時關閉 scanner.close(); }
public static void main(String[] args) {
Scanner scanner = new Scanner(System.in);
if(scanner.hasNextLine()){
String str=scanner.nextLine();
System.out.println(str);
}
scanner.close();
}
-
next():
- 一定要讀取到有效字元之後才可以結束輸入
- 對輸入有效字元之前遇到的空白,next()方法會自動去除空白
- 只有輸入有效字元之後才將其後面輸入的空白符作為分隔符或者停止符
- next()方法不能得到含有空格的字串
-
nextLine():
- 以enter為結束符,即返回輸入回車前的所有字元
- 可以獲得空白
Scanner的不同資料型別輸入
-
判斷資料型別
public static void main(String[] args) { Scanner scanner =new Scanner(System.in); System.out.println("please enter a number:"); if (scanner.hasNextInt()){ int i = scanner.nextInt(); System.out.println("int number:" + i); }else { System.out.println("not a int number"); } if (scanner.hasNextFloat()){ float f=scanner.nextFloat(); System.out.println("float number:" + f); }else{ System.out.println("not a float number"); } }
簡單輸入計算
- 輸入多個數字,並求其總和和平均數,每輸入一個數字使用回車確定,輸入非數字型別結束輸入並輸出執行結果
Scanner scanner = new Scanner(System.in);
//和sum
double sum=0;
//輸入的數字個數
int number=0;
//通過迴圈判斷是否還有輸入,並在裡面對每次進行求和統計
while (scanner.hasNextDouble()) {
double x = scanner.nextDouble();
number = number + 1;
sum = sum + x;
System.out.println("你已經輸入了第" + number + "個數據,當前結果為sum=" + sum);
}
//迴圈條件不滿足,即輸入了非數字才退出迴圈執行下列輸出語句
System.out.println(number + "個數的和為" + sum);
System.out.println(number + "個數的平均值為" + (sum/number));
scanner.close();
}