1

我需要在用户指定的任意两个值之间生成指定数量的随机整数(例如,12 个数字都在 10 到 20 之间),然后计算这些数字的平均值。问题是如果我要求它生成 10 个数字,它只会生成 9(显示在输出中)。另外,如果我输入最大范围 100 和最小范围 90,程序仍然会生成 # 像 147等超出最大范围的...我弄乱了随机数生成器吗?有人可以帮忙吗?

这是我到目前为止的代码:

public class ArrayRandom
{
static Console c;           // The output console

public static void main (String[] args)
{
    c = new Console ();
    DecimalFormat y = new DecimalFormat ("###.##");

    c.println ("How many integers would you like to generate?");
    int n = c.readInt (); 
    c.println ("What is the maximum value for these numbers?");
    int max = c.readInt ();
    c.println ("What is the minimum value for these numbers?");
    int min = c.readInt ();

    int numbers[] = new int [n]; 
    int x;
    double sum = 0; 
    double average = 0; 

    //n = number of random integers generated
    for (x = 1 ; x <= n-1 ; x++) 
    {

        numbers [x] = (int) (max * Math.random () + min); 
    }

    for (x = 1 ; x <= n-1 ; x++) 
    {
        sum += numbers [x]; 
        average = sum / n-1); 

    }

    c.println ("The sum of the numbers is: " + sum); 
    c.println ("The average of the numbers is: " + y.format(average)); 

    c.println ("Here are all the numbers:"); 
    for (x = 1 ; x <= n-1 ; x++)  
{
        c.println (numbers [x]); //print all numbers in array
}


} // main method
} // ArrayRandom class
4

2 回答 2

3

Java 数组是从零开始的。在这里,您将第一个数组元素保留为其默认值0。代替

for (x = 1 ; x <= n-1 ; x++) 

for (x = 0 ; x < n ; x++) 

编辑:回答为什么这不会产生最小值和最大值之间的值的问题(从现在删除的评论)

max * Math.random () + min

Math.random0.0在和之间生成双精度值1.0。例如,一个 min of90和 max of100将生成介于 and90190(!) 之间的数字。要限制最小值和最大值之间的值,您需要

min + Math.random() * (max - min)
 ^    |_________________________|                          
 |                 |
90       value between 0 - 10     
于 2013-04-18T00:13:54.123 回答
1

Java 数组从 0 开始索引。您的循环也将退出一个索引。因此,当 n==6 时,您的条件是“x <=5”,并且循环退出。尝试这个:

for ( x = 0; x < n; x++ {
   // stuff
}
于 2013-04-18T00:18:15.447 回答