我正在构建一个应用程序,为此,我有一个功能可以用测试数据填充它。
简短的概述:

        HashMap<String, Long> iIDs = new HashMap<String, Long>();
        HashMap<String, Integer> vals = new HashMap<String, Integer>();

        long iID1 = addIndicator("I1", "i1", Color.RED);
        long iID2 = addIndicator("I2", "i2", Color.BLUE);
        long iID3 = addIndicator("I3", "i3", Color.GREEN);
        long iID4 = addIndicator("I4", "i4", Color.MAGENTA);

        iIDs.put("iID1", iID1);
        iIDs.put("iID2", iID2);
        iIDs.put("iID3", iID3);
        iIDs.put("iID4", iID4);

        int v1 = 80;
        int v2 = 30;
        int v3 = 25;
        int v4 = 40;

        vals.put("v1", v1);
        vals.put("v2", v2);
        vals.put("v3", v3);
        vals.put("v4", v4);

        int numDays = 500;
        int dateDistance = 14;

        Calendar c = Calendar.getInstance();

        for(int i=0;i<numDays;i++)
        {
            c.add(Calendar.DATE, dateDistance);
            for(int j=1;j<5;j++)
            {
                int currVal = vals.get("v"+j);
                int rand = new Random().nextInt(6);
                int newVal;

                if(rand <= 2) // 0, 1, 2
                    newVal = currVal + rand;
                else          // 3, 4, 5
                    newVal = currVal - rand;

                pseudo: addPointForIndicator();
                vals.put("v"+j, newVal);
            }
        }

无论我创建测试数据的频率如何,图片始终看起来像这样:

因此,随机数的趋势始终为负。这是为什么?

最佳答案

从您的逻辑上很明显,它必须创建一个负面趋势,甚至忽略了您对Random的使用未遵循契约(Contract)的事实。您在一半时间加[0,2]范围内的数字,而在另一半时间减去[3,5]范围内的数字。该代码很容易修复,但是:

if(rand <= 2) // 0, 1, 2
  newVal = currVal + rand;
else          // 3, 4, 5
  newVal = currVal - rand + 3;

而且更清洁的解决方案是
newVal = currVal + random.nextInt(7)-3;

这还有一个额外的好处,那就是它允许值有时保持不变,我认为这应该是模拟数据的一种更合适的方法。

关于从长远来看,Java random总是会带来负面趋势吗?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/12528694/

10-12 03:32