骰子卷的频率

时间:2013-06-15 20:17:47

标签: java dice

问题: 找到600个骰子卷的骰子卷的频率(意味着滚动的数字)。 这是我到目前为止的代码,我似乎陷入了某个地方,但我无法弄清楚错误的位置;如果有人可以帮助我,那就太好了。

public class diceroll 
{

    /**
     * 
     */
    public static void main(String[] args) 
    {
        int toRoll = 600, x,i=0, c1 = 0, c2 = 0, c3 = 0, c4 = 0, c5 = 0,
        c6 = 0;
        double pct1, pct2, pct3, pct4, pct5, pct6;

        for (i=0;i<=toRoll; i++)
        {
            x = (int)(Math.random()*6)+1;
            if (x==1)
                c1++;
            else if (x==2)
                c2++;
            else if (x==3)
                c3++;
            else if (x==4)
                c4++;
            else if (x==5)
                c5++;
            else if (x==6)
                c6++;
        }
        pct1 = (c1 * 100.0) / (double)toRoll;
        pct2 = (c2 * 100.0) / (double)toRoll;
        pct3 = (c3 * 100.0) / (double)toRoll;
        pct4 = (c4 * 100.0) / (double)toRoll;
        pct5 = (c5 * 100.0) / (double)toRoll;
        pct6 = (c6 * 100.0) / (double)toRoll;

        System.out.printf("Face\tFrequency\t%\n");
        System.out.printf("-------------------\n");
        System.out.printf("1\t%d\t%10.1f\n", c1);
        System.out.printf("2\t%d\t%10.1f\n", c2);
        System.out.printf("3\t%d\t%10.1f\n", c3);
        System.out.printf("4\t%d\t%10.1f\n", c4);
        System.out.printf("5\t%d\t%10.1f\n", c5);
        System.out.printf("6\t%d\t%10.1f\n", c6);

    }
}

3 个答案:

答案 0 :(得分:1)

使用Random.nextInt(6),而不是Math.random()* 6.

如果有疑问,请参阅this question了解原因。

答案 1 :(得分:1)

您的问题是您输出的输出完全错误。

打印%符号的正确方法是使用%%,请参阅Formatter javadoc。如果没有转义此变量,它会认为您正在尝试使用某些特殊语法。修复后,您需要打印实际的perctanges,而不是您当前使用的滚动计数。

System.out.printf("Face\tFrequency\t%%\n");
System.out.printf("-------------------\n");
System.out.printf("1\t%f\t%%10.1f\n", pct1);
System.out.printf("2\t%f\t%%10.1f\n", pct2);
System.out.printf("3\t%f\t%%10.1f\n", pct3);
System.out.printf("4\t%f\t%%10.1f\n", pct4);
System.out.printf("5\t%f\t%%10.1f\n", pct5);
System.out.printf("6\t%f\t%%10.1f\n", pct6);

同样是小问题,

  1. 你不需要在这里施放双倍

    pct1 = (c1 * 100.0) / (double)toRoll;应该成为 pct1 = (c1 * 100.0) / toRoll;

  2. 从1到6获取随机数的首选方法是

    random.nextInt(6)1;

答案 2 :(得分:0)

您在打印时错过了pctx值。

尝试使用

进行打印
System.out.printf("1\t%d\t%10.1f\n", c1, pct1);
...
相关问题