java Scanner類的使用
阿新 • • 發佈:2021-07-24
java scanner類的使用
為了實現程式與人的互動,java給我們提供了這樣一個工具類,我們可以獲取使用者的輸入。java.util.Scanner是Java5的新特徵。我們可以通過Scanner類來獲取使用者的輸入。
我們使用Scanner scanner = new Scanner(System.in);的基礎語法來建立一個掃描物件,用於接收鍵盤數。
hasnext()與hasnextLine()的使用:
我們通過Scanner類的next()與nextLine()的方法獲取輸入的字串。在讀取前,我們一般需要使用hasNext()與hasNextLine()判斷是否還有輸入的資料。
當我們使用next方式接收時:
程式碼示例:
package com.scanner; import java.util.Scanner; 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 scanner.close(); } }
next()注意點:(String str = scanner.next());
- 一定要讀取到有效字元後才可以結束輸入。
- 對有效字元之前遇到的空白,next()方法會將其自動去掉。
- 只有輸入有效字元後才將其後面輸入的空白作為分隔符或者結束符。
- next()不能得到帶有空格的字串。
當我們使用nextLine()方式接收時:(String str = scanner.nextLine());
程式碼示例:
package com.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.hasNext()){ String str = scanner.nextLine(); System.out.println("輸出的內容為:"+str); } scanner.close(); } }
nextLine()注意點:
-
以enter為結束符,也就是說nextLine()方法返回的是輸入回車之前的所有字元。
-
它可以獲得空白。
當輸入的資料型別不同時:如
Int型:Scanner.hasNextInt();//判斷是否還有資料輸入
Scanner.nextInt();//輸入整數資料
Float型同上。
scanner進階使用(與迴圈共同使用)
程式碼示例:
package com.scanner; import java.util.Scanner; public class Demo04 { 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.hasNext()){ f = scanner.nextFloat();//代表為真 System.out.println("小數資料:"+ f); }else{ System.out.println("輸入的不是小數資料!"); } scanner.close();// 凡是屬於IO流的類如果不關閉會一直佔用資源,關閉scanner } }
詳細可見視訊狂神說java