我遇到了将String(birthyear)转换为int(age)的麻烦。我希望有人输入他们的出生年份,并让程序做一个简单的减法计算来计算他们的年龄。我是编程的新手,所以我一直在寻找,大多数地方都告诉我同样的事情。
Integer.parseInt(birthyear);
然而,这样做,当我尝试做数学...
int age = year-birthyear;
我在标题中收到错误。
public class WordGameScanner
{
public static void main(String[] argus)
{
String name;
String home;
String birthyear;
String course;
String reason;
String feedback;
int year = 2013;
Scanner input = new Scanner(System.in);
System.out.print("What is your name: ");
name = input.nextLine();
System.out.print("Where are you from: ");
home = input.nextLine();
System.out.print("What year were you born: ");
birthyear = input.nextLine();
Integer.parseInt(birthyear);
System.out.print("What are you studying: ");
course = input.nextLine();
System.out.print("Why are you studying " + course + ": ");
reason = input.nextLine();
System.out.print("How is " + course + " coming along so far: ");
feedback = input.nextLine();
int age = year-birthyear;
System.out.println("There once was a person named " + name +
" who came all the way from " + home +
" to study for the " + course +
" degree at --------------.\n\n" + name +
" was born in " + birthyear + " and so will turn " + age +
" this year.");
System.out.println(name + " decided to study the unit ------------, because \"" +
reason + "\". So far, ----------- is turning out to be " +
feedback + ".");
}
}
我很抱歉,如果这是在错误的地方,这只是我在这里的第二篇文章。我只是点击了“问一个问题”并按照指示>。<
答案 0 :(得分:7)
int age = year-Integer.parseInt(birthyear);
调用parseInt
不会将变量String birthYear
重新定义为int
,它只会返回一个int
值,您可以将其存储在另一个变量中(例如{{1} }}或在上面的表达式中使用。
您可能还需要花一点时间考虑输入。
您的用户可能只输入最后两位数字(“83”而不是“1983”),所以您可以这样做:
int birthYearInt = Integer.parseInt(birthYear);
或者,您可以使用java.text.NumberFormat
在输入中正确处理逗号。 int birthYearInt = Integer.parseInt(birthYear);
if (birthYear.length() == 2) {
// One way to adjust 2-digit year to 1900.
// Problem: There might not be more users born in 1900 than born in 2000.
birthYearInt = birthYearInt + 1900;
}
int age = year = birthYearInt;
是处理来自人类的数字的好方法,因为它处理人们将数字格式与计算机格式不同的方式。
另一个问题是,这使用了中国年龄编号系统,其中每个人的年龄在新年(中国农历,而不是公历)上增加1。这不是他们在世界范围内计算年龄的方式。例如,在美国和大多数欧洲,您的年龄会在您出生的周年纪念日增加。
答案 1 :(得分:2)
Integer.parseInt(birthyear);
不会覆盖birthyear值,也不会将其类型从String更改为int
所以你必须这样做
int intbirthyear = Integer.parseInt(birthyear);
然后
int age = year-intbirthyear;
答案 2 :(得分:0)
Integer.parseInt
不会将birthyear
从String更改为int,它只返回字符串表示的int。您需要将此返回值分配给另一个变量,并在减法中使用它。
答案 3 :(得分:0)
即使执行Integer.parseInt(birthyear);
而没有分配任何内容,
birthyear
将是一个字符串。
要么使用
int age = year-Integer.parseInt(birthyear);
OR
int ibirthyear = Integer.parseInt(birthyear);
int age = year - ibirthyear;