在我的程序中,用户输入带有TEMP的float
号码(例如TEMP 10.05
)。
该程序应仅采用float
部分并将其转换为fareheit。最后在float中打印出结果。
我怎么能这样做?
public static void main(String[] args) {
Scanner s = new Scanner(System.in);
System.out.println("The following program takes a float value with the word 'TEMP'in celcius, and converts into farenheit");
System.out.println("Enter the temperature with TEMP: ");
while (true) {
String input = s.next();
//converting into farenheit
if (input != null && input.startsWith("TEMP")) {
float celsius = Float.parseFloat(input.substring(input.indexOf(' ') + 1));
float tempFaren=celcius+32.8;
// float=result
System.out.println("Temperature in farehheit is : "+tempFaren+ " F.");
}
}
}
程序显示此错误:
答案 0 :(得分:1)
你可以使用Float.parseFloat(yourString);
示例:
String x = "TEMP 10.5";
float y = Float.parseFloat(x.substring(5,x.length()));
System.out.println(y);
答案 1 :(得分:1)
您的代码存在的问题是您使用
String input = s.next();
这只会返回TEMP
。你需要使用
String input = s.nextLine();
这应该返回完整的字符串。
与你无关的问题,你也converting the temperatures错了。它应该是
float tempFaren = celcius*1.8f + 32.0f;
答案 2 :(得分:0)
您可以使用indexOf查找第一个空格,substring用于在空格位置后测试字符串,使用parseFloat将数字从字符串解析为float:
float celsius = Float.parseFloat(input.substring(input.indexOf(' ') + 1));
同样的事情分解为步骤:
int spacePos = input.indexOf(' ');
String celsiusStr = input.substring(spacePos + 1);
float celsius = Float.parseFloat(celsiusStr);
<强>更新强>
您修改的代码也没有编译(您在“celcius”中输入错误,以及其他问题)。
这会编译并正确解析浮点部分:
String input = "TEMP 10.5";
float celsius = Float.parseFloat(input.substring(input.indexOf(' ') + 1));
float tempFaren = celsius + 32.8f;
System.out.println("Temperature in farehheit is : " + tempFaren + " F.");
最后, 另一种在字符串末尾提取浮点值的方法是从开头删除非数字值,例如:
float celsius = Float.parseFloat(input.replaceAll("^\\D+", ""));
免责声明:我上面给出的所有示例都不适用于所有可能的输入,它们是根据您提供的示例输入量身定制的。如有必要,它们可以更加强大。
答案 3 :(得分:0)
尝试这样的事情
while (true) {
String input = s.nextLine();
//converting into farenheit
if (input != null && input.startsWith("TEMP")) {
try{
double faren=Double.parseDouble(input.substring(input.lastIndexOf(' ')+1))+32.8;
//float tempIntoFarenheit= input+32.8
System.out.println("Temperature in farenheit: "+faren);
}catch(Exception e){
System.out.println("Something was wrong with the temperature, make sure the input has something like 'TEMP 50.0' ");
System.out.println(e.toString());
}
} else {
System.out.println("Wrong input. Try again: ");
}
}
答案 4 :(得分:0)
您可以使用以下方法:
static float extractFloatWithDefault(String s, float def) {
Pattern p = Pattern.compile("\\d+(\\.\\d+)?");
Matcher m = p.matcher(s);
if ( !m.find() ) return def;
return Float.parseFloat(m.group());
}
像这样:
while (true) {
String input = s.next();
//converting into farenheit
if (input != null && input.startsWith("TEMP")) {
float celsius = extractFloatWithDefault(input, -999);
if ( celsius > -999 ) {
float tempFaren=celcius+32.8;
System.out.println("Temperature in farehheit is : "+tempFaren+ " F.");
}
else System.out.println("Please include a number");
}
}
此方法将提取它在字符串中找到的第一个数字并使用它,如果没有有效的浮点数或整数,则返回默认值。