1

例如,我有这样的元素和数组:

0 21 29 0 0 50

让我们“平”这个数字:

在此处输入图像描述

假设我的随机数是 54,所以我的数字属于我的数组中索引为 6 的最后一个元素(它是 50)

我不明白,如何用 c# 算法化...

我尝试:

  Random random = new Random();
            int randomNumber = random.Next(1, 100);
            int temp, temp_ind;
            float a_, b_;
            for (j = 0; j < n-1; j++)
            {
                if (roulette[j] != 0)
                {
                    temp_ind = j+1;
                    a_ = roulette[j];
                    while ((roulette[temp_ind] == 0.0) && (temp_ind < n-1))
                    {
                        temp_ind++;
                    }
                    b_ = roulette[temp_ind];
                    if ((a_ <= randomNumber) && (b_ >= randomNumber))
                    {
                        start = j;
                        break;
                    }
                }
            }

但这不起作用,也许有什么可以帮助我?

4

2 回答 2

2

这是一个将数组转换为累积数组的解决方案(使用 Eric Lippert 的这个答案的扩展方法),然后找到该数组中高于随机数的第一个匹配项的索引。

class Program
{
    static void Main(string[] args)
    {
        var random = new Random();
        int[] roulette = { 0, 21, 29, 0, 50 };

        var cumulated = roulette.CumulativeSum().Select((i, index) => new { i, index });
        var randomNumber = random.Next(0, 100);
        var matchIndex = cumulated.First(j => j.i > randomNumber).index;

        Console.WriteLine(roulette[matchIndex]);
    }
}

public static class SumExtensions
{
    public static IEnumerable<int> CumulativeSum(this IEnumerable<int> sequence)
    {
        int sum = 0;
        foreach (var item in sequence)
        {
            sum += item;
            yield return sum;
        }
    }
}
于 2014-01-05T22:13:54.120 回答
1

你有太多的变量,使问题过于复杂。除了计数器和数字之外,您只需要一个额外的变量来跟踪最接近的较小数字。

下面是我写的一些代码,它们的想法基本相同,只是看起来更简单一些。

int[] roulette = {0, 21, 29, 0, 0, 50};
int closest = -1;
int number = 54;
for (int j = 0; j < roulette.Length; j++)
   // if the values isn't 0 and it's smaller
   // and we haven't found a smaller one yet, or this one's closer
   if (roulette[j] != 0 && roulette[j] < number &&
       (closest == -1 || roulette[j] > roulette[closest]))
   {
      closest = j;
   }

if (closest == -1) // no smaller number found
   Console.WriteLine(0);
else
   Console.WriteLine(roulette[closest]);

现场演示

对于重复查询,最好对数字进行排序,然后进行二进制搜索以找到正确的位置。

于 2014-01-05T21:33:23.703 回答