在Eclipse中运行以下内容最初导致Scanner无法识别控制台中的回车,从而有效阻止了进一步的输入:
price = sc.nextFloat();
在代码之前添加此行会导致Scanner接受0,23(法语表示法)作为浮点数:
Locale.setDefault(Locale.US);
这很可能是由于Windows XP Pro(法语/比利时语)中的区域设置。当代码再次运行时,仍然接受0,23并输入0.23会导致它抛出java.util.InputMismatchException
。
有关为何发生这种情况的任何解释?还有一种解决方法,还是应该使用Float#parseFloat
?
编辑:这演示了Scanner如何使用不同的区域设置(取消注释开头的其中一条线)。
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);
}
}
答案 0 :(得分:13)
我想知道你是不是在适当地处理行尾令牌。通常,如果您使用Scanner#next ###()(nextLine除外),并且当用户按Enter键时您到达行尾令牌,如果您不处理行尾令牌,则会阻止扫描程序对象从适当的工作。要解决此问题,请在需要处理此令牌时调用Scanner#nextLine()。如果您发布了一些代码,我们可以看看这确实是您的问题,以及我的建议是否提供了解决方案。
编辑:不,你没有使用System.in所以这不是问题。另一方面,您需要在接受法语号码之前设置扫描仪的语言环境。即,
sc = new Scanner(frenchDecimal);
sc.useLocale(Locale.FRENCH);
price = sc.nextFloat();