扫描仪的奇怪行为#下一个漂浮

2022-09-04 21:32:22

在 Eclipse 中运行以下命令最初导致 Scanner 无法识别控制台中的回车符,从而有效地阻止了进一步的输入:

price = sc.nextFloat();

在代码之前添加此行会导致 Scanner 接受 0,23(法语表示法)作为浮点数:

Locale.setDefault(Locale.US);

这很可能是由于 Windows XP Pro(法语/比利时语)中的区域设置造成的。当代码再次运行时,0,23 仍然被接受,输入 0.23 会导致它抛出一个 .java.util.InputMismatchException

关于为什么会发生这种情况的任何解释?另外,是否有解决方法,或者我应该只使用?Float#parseFloat

编辑:这演示了扫描仪在不同区域设置下的行为(取消注释开头的一行)。

import java.util.Locale;
import java.util.Scanner;


public class NexFloatTest {

    public static void main(String[] args) {

        //Locale.setDefault(Locale.US);
        //Locale.setDefault(Locale.FRANCE);

        // Gives fr_BE on this system
        System.out.println(Locale.getDefault());

        float price;

        String uSDecimal = "0.23";
        String frenchDecimal = "0,23";

        Scanner sc = new Scanner(uSDecimal);

        try{
            price = sc.nextFloat();
            System.out.println(price);
        } catch (java.util.InputMismatchException e){
            e.printStackTrace();
        }

        try{
            sc = new Scanner(frenchDecimal);
            price = sc.nextFloat();
            System.out.println(price);
        } catch (java.util.InputMismatchException e){
            e.printStackTrace();
        }

        System.out.println("Switching Scanner to System.in");

        try{
            sc = new Scanner(System.in);
            System.out.println("Enter a float value");
            price = sc.nextFloat();
            System.out.println(price);
        } catch (java.util.InputMismatchException e){
            e.printStackTrace();
        }

        System.out.print("Enter title:");

        String title = sc.nextLine(); // This line is skipped

        System.out.print(title);
    }

}

编辑:这会重现扫描程序正在等待浮点值但在按回车键时无法触发的问题:

import java.util.Scanner;

public class IgnoreCRTest {

    public static void main(String[] args) {
        Scanner sc = new Scanner(System.in);
        System.out.println("Enter a float value:");
        // On french Locale use , as the decimal separator
        float testFloat = sc.nextFloat();
        System.out.println(testFloat);
        //sc.skip("\n"); // This doesn't solve the issue
        sc.nextLine();
        System.out.println("Enter an integer value:");
        int testInt = sc.nextInt();
        System.out.println(testInt);
        // Will either block or skip here
        System.out.println("Enter a string value :");
        String testString = sc.nextLine();
        System.out.println(testString);
    }

}

答案 1

我想知道您是否没有适当地处理行尾令牌。通常,如果您使用 Scanner#next###() (nextLine 除外),并且当用户按 Enter 时到达行尾标记时,如果不处理行尾标记,则会阻止 Scanner 对象正常工作。要解决此问题,请在需要处理此令牌时调用 Scanner#nextLine()。如果您发布一些代码,我们可以查看这是否确实是您的问题,以及我的建议是否提供了解决方案。

编辑:不,你没有使用 System.in 所以这不是问题。另一方面,在接受法语号码之前,您确实需要设置扫描仪的区域设置。即

     sc = new Scanner(frenchDecimal);
     sc.useLocale(Locale.FRENCH);
     price = sc.nextFloat();

答案 2

推荐