Java學習筆記_流程控制_Scanner物件
阿新 • • 發佈:2021-10-07
Scanner物件
-
之前我們學的基本語法中我們並沒有實現程式和人的互動,但是Java給我們提供了這樣一個工具類,我們可以獲取使用者的輸入。java.util.Scanner是Java5的新特徵,我們可以通過Scanner類來獲取使用者的輸入。
-
基本語法
Scanner s = new Scanner(System.in);
-
通過Scanner類的next()與nextLine()方法獲取輸入的字串,在讀取前我們一般需要使用hasNext()與hasNextLine()判斷是否還有輸入的資料
-
next():
- 一定要讀取到有效字元後才可以結束輸入。
- 對輸入有效字元之前遇到的空白,next()方法會自動將其去掉。
- 只有輸入有效字元後才將其後面輸入的空白作為分隔符或者結束符。
- next()不能得到帶有空格的字串。
public class Demo01 { public static void main(String[] args) { //建立一個掃描器物件,用於接收鍵盤資料 Scanner scanner = new Scanner(System.in); System.out.println("使用next方式接收:"); //判斷使用者有沒沒有輸入字串 if (scanner.hasNext()){ //使用next方式接收 String str = scanner.next();//程式會等待使用者輸入完畢 System.out.println("輸入的內容為:" + str); } //凡是屬於IO流的類如果不關閉會一直佔用資源,要養成好習慣用完就關掉 scanner.close(); } }
-
nextline():
- 以Enter為結束符,也就是說nextLine()方法返回的是輸入回車之前的所有字元。
- 可以獲得空白。
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("輸出的內容為:" + str); } //凡是屬於IO流的類如果不關閉會一直佔用資源,要養成好習慣用完就關掉 scanner.close(); } }
進階練習:
public class Demo03 {
public static void main(String[] args) {
Scanner scanner = new Scanner(System.in);
//從鍵盤接收資料
int i = 0;
float f = 0.0f;
System.out.println("請輸入整數:");
if (scanner.hasNextInt()){
i = scanner.nextInt();
System.out.println("整數資料:" + i);
}else {
System.out.println("輸入的不是整數資料");
}
System.out.println("請輸入小數:");
if (scanner.hasNextFloat()){
f = scanner.nextFloat();
System.out.println("小數資料:" + f);
}else {
System.out.println("輸入的不是小數資料");
}
scanner.close();
}
}
public class Demo04 {
public static void main(String[] args) {
//我們可以輸入多個數字,並求其總和與平均數,每輸入一個數字用回車確認,通過輸入非數字來結束並輸出執行結果
Scanner scanner = new Scanner(System.in);
//和
double sum = 0;
//計算輸入了多少個數字
int m = 0;
//通過迴圈判斷是否還有輸入,並在裡面對每一次進行求和和統計
while(scanner.hasNextDouble()){
double x = scanner.nextDouble();
m = m + 1;
sum = sum + x;
}
System.out.println(m + "個數的和為" + sum);
System.out.println(m + "個數的和為" + (sum / m));
scanner.close();
}
}