8-使用者互動Scanner

呆头尖瓜發表於2024-06-21

Scanner物件

  • 我們可以透過Scanner類來獲取使用者的輸入
java.util.Scanner

基本語法

Scanner s = new Scanner(System.in);
  • 透過Scanner類的next()與nextLine()方法獲取輸入的字串,在讀取前我們一般需要使用hasNext()與hasNextLine()判斷是否還有輸入的資料。
        //輸入Hello World!用next()與nextLine()分別接受

        //next()
        //建立一個掃描器物件scanner,用於接受鍵盤資料,後續用該物件的方法來操作
        Scanner scanner = new Scanner(System.in);

        System.out.println("使用next方式接收:");

        //判斷使用者有沒有輸入字串
        if(scanner.hasNext()){
            //若使用者有輸入字串,則建立一個字串物件接收使用者的輸入(使用next方式接收)
            String str = scanner.next();
            System.out.println("輸入的內容為:" + str);//輸出Hello    next()不能得到帶有空格的字串(以空格為結束符)
        }

        //凡是屬於IO流的類如果不關閉,則會一直佔用資源,要養成好習慣用完就關掉
        scanner.close();


        //nextLine()
        //從鍵盤接收資料
        Scanner scanner = new Scanner(System.in);
        System.out.println("使用nextLine方式接受:");

        //判斷是否還有輸入
        if (scanner.hasNextLine()){
            String str = scanner.nextLine();
            System.out.println("輸入的內容為:" + str);//輸出Hello World! nextLine()以Enter為結束符,返回輸入回車之前的所以字元
        }
//凡是屬於io流的類如果不關閉會一直佔用資源,要養成良好習慣用完就關掉
        scanner.close();
        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();

Scanner練習

我們可以輸入多個數字,並求其總和與平均數,每輸入一個數字用回車確認,透過輸入非數字來結束並輸出執行結果

        //建立接收輸入物件,建立完Scanner物件時在最後寫關閉!
        Scanner scanner = new Scanner(System.in);
        //數字個數
        int n = 0;
        //和
        double sum = 0;
        //透過迴圈判斷是否還有輸入,並每一次迴圈進行求和統計
        while (scanner.hasNextDouble()){//用hasNextDouble()判斷是否輸入的是數字
            double x = scanner.nextDouble();
            n++;
            sum+=x;
        }
        System.out.println("總和是:" + sum);
        System.out.println("平均數是:" + (sum / n));
        //建立scanner類就要在最後寫關閉,養成好習慣
        scanner.close();

相關文章