我有一个数组(FruitBowl),我希望每次用户输入信息时都要更新它 例如。 如果用户想要添加水果木瓜,我希望将其添加到FruitBowl
我知道如果它只是保存到数组FruitName(如下所示)而不是FruitBowl(带有预定义的值),我该怎么做呢
请帮忙!
import java.util.Scanner;
public class FruitArrayEdit
{
public static void main(String[]args)
{
Scanner input = new Scanner(System.in);
String [] FruitBowl = {"(Plums)", "(Oranges)", "(Mangos)", "(Strawberries)"};
System.out.println("How many types of fruit would you like to add to the database?");
int FruitNum = input.nextInt();
String[] FruitName = new String[FruitNum];
for (int count = 0; count < FruitName.length; count++)
{
System.out.println("Enter the name of the fruit " +(count+1));
FruitName[count] = input.next();
}
}
}
答案 0 :(得分:2)
像FruitBowl
这样的原始数组的长度是静态的,它们不能添加元素。为了向基本数组添加值,您需要实例化一个更长的新数组,复制前一个数组的值,然后设置新值。幸运的是,在Java中我们有Collections。对于您的样本,您希望查看列表,特别是ArrayList或Vector。
https://docs.oracle.com/javase/tutorial/collections/interfaces/list.html
答案 1 :(得分:0)
我建议您考虑使用列表,主要是ArrayList
来实现此功能,但如果您真的想使用数组,那么您总是可以使用System.arraycopy()
方法进行coppying。例如:
public static String[] combine(String[] first, String[] second) {
String[] copy = Arrays.copyOf(first, first.length + second.length);
System.arraycopy(second, 0, copy, first.length, second.length);
return copy;
}
此方法创建第一个输入String的副本,然后将第二个String的内容添加到其中并返回该内容。只需在FruitBowl数组上调用此方法即可复制其内容:
FruitBowl = combine(FruitBowl, FruitName);