117k views
2 votes
What is wrong with the following method that aims to fill an array with random numbers?

public void makeCombination (int[] values, int n)

{

Random generator = new Random();

int[] numbers = new int[values.length];

{

for (int i = 0; i < numbers.length; i++) numbers[i] = generator.nextInt(n); values = numbers;

}

}

User Thibpat
by
7.7k points

1 Answer

6 votes

Final answer:

The method inaccurately tries to assign a new array to a parameter, but changes to the parameter within the method do not persist outside of it. The corrected approach is to directly modify the contents of the 'values' array within the loop.

Step-by-step explanation:

The issue with the provided method for filling an array with random numbers is that it attempts to assign a new array to the parameter 'values' inside the method. However, in Java, parameters are passed by value, meaning that the method receives a copy of the variable rather than the original variable itself. Therefore, the changes made to 'values' within the method do not affect the original array. This can be solved by directly setting the elements of the 'values' array inside the loop, rather than creating a new array and trying to assign it.

Here is the corrected version of the method:

public void makeCombination(int[] values, int n) {
Random generator = new Random();
for (int i = 0; i < values.length; i++) {
values[i] = generator.nextInt(n);
}
}

In this revised method, each element of the 'values' array is directly assigned a random number generated by the Random object. There is no need to create a separate array or attempt to reassign the 'values' parameter.

User Whit
by
7.0k points