0

我之前问过类似的问题,但我无法弄清楚问题是什么。我是编程新手,对如何通过将数组的初始长度设置为变量来更改数组的长度感到困惑,但它没有更新。

我的代码:

import java.util.Scanner;

class computer{

    int g = 1;  //create int g = 2
    int[] compguess = new int[g];   //set array compguess = 2

    void guess(){

        int rand;   //create int rand
        int i;  //create int i
        rand = (int) Math.ceil(Math.random()*10);   // set rand = # 1-10
        for (i = 0; i < compguess.length; i++){     // start if i < the L of the []-1 (1)

            if(rand == compguess[i]){   //if rand is equal to the Ith term, break the for loop
                break;
            }
        }   //end of for loop
        if(i == compguess.length - 1){  //if i is = the length of the [] - 1:
            compguess[g - 1] = rand;    // set the new last term in the [] = rand
            g++;    // add 1 to the length of the [] to make room for another int
            System.out.println(compguess[g - 1]);   // print the last term
        }
    }
}

public class game1player2 {

    public static void main(String[] args) {
        Scanner input = new Scanner(System.in);
        computer computer1 = new computer();    // create new computer object
        for(int a = 0; a < 3; a++){     // start if a < 3
            computer1.guess();      // start guess method
            for(int n = 0; n < computer1.compguess.length; n++) //print the contents of []
            System.out.println(computer1.compguess[n]);     // print out entire array
        }
        {
            input.close();
        }
    }
}
4

3 回答 3

2

在 Java 中创建数组后,无法更改其长度。相反,必须分配一个新的更大的数组,并且必须复制元素。幸运的是,已经有List接口的实现可以在幕后为您执行此操作,其中最常见的是ArrayList.

顾名思义,an包装了一个数组,提供了通过和之类的ArrayList方法添加/删除元素的方法(请参阅前面链接的文档)。如果内部数组填满,则会创建一个 1.5 倍大的新数组,并将旧元素复制到其中,但这对你来说都是隐藏的,这非常方便。add()remove()

于 2013-10-17T00:11:54.043 回答
1

我建议改用 arrayList。它将根据需要调整大小。ArrayList<Integer> list=new ArrayList<>();导入后使用创建它java.util.ArrayList

您可以按如下方式设置值。要将位置 i 的值设置为值 val,请使用:

list.set(i, val);

您可以添加到末尾list.add(someInt);并使用检索int foo=list.get(position)

只需将数组复制到更大的数组即​​可“调整大小”。这仍然会生成一个新数组,而不是就地操作。inttoInteger转换由此处的自动装箱处理。

于 2013-10-17T00:12:10.540 回答
0

在 Java 中不能更改数组的长度。您将需要创建一个新的并将值复制过来,或使用ArrayList

于 2013-10-17T00:11:50.027 回答