Closed. This question needs details or clarity。它当前不接受答案。
想改善这个问题吗?添加详细信息并通过editing this post阐明问题。
5年前关闭。
假设用户输入了多个整数的列表0 6 2 3 9 5
如何选择第一个整数(例如0)?
以及如何选择第三个整数2?
想改善这个问题吗?添加详细信息并通过editing this post阐明问题。
5年前关闭。
假设用户输入了多个整数的列表0 6 2 3 9 5
如何选择第一个整数(例如0)?
以及如何选择第三个整数2?
最佳答案
在Java语言中,您拥有可以在一个变量内包含许多对象的数组。它们对于存储许多用户或使用不同的名称很有用。
要创建一个数组,您将像创建一个新对象一样进行编写,但是要在其后放置'['和']'。然后将要存储的对象数放入其中。例如,new Leg[4]
。
我们从数组中的0开始计数,因此第五个对象将位于数组中的位置4。
要获取或写入数组,请参考该数组,并在方括号中写下位置。例如,myLegs[2]
将返回第三个Leg
。
对于这种情况,您将需要一个整数数组(int
)。
int[] integers = new int[6]; // Creates an array of 6 integers.
// Note, an integer is the same as int.
integers[0] = stdin.nextInt(); // Let's assume the user typed 0.
integers[1] = stdin.nextInt(); // 6
integers[2] = stdin.nextInt(); // 2
integers[3] = stdin.nextInt(); // 3
integers[4] = stdin.nextInt(); // 9
integers[5] = stdin.nextInt(); // 5
System.out.println(integers[0]); // The first integer. This would print "0".
System.out.println(integers[4]); // The fifth integer. This would print "9".
10-08 13:14