5

在下面的 Ruby 代码中,我有两种方法d100_in_detectd100_out_detect它们根据.Arrayaryd100

def d100
  1 + ( rand 100 )
end

def d100_in_detect( ary )
  choice = [ ]
  100.times do
    choice.push ary.detect { |el| d100 <= el }
  end
  choice.uniq.sort
end

def d100_out_detect( ary )
  choice  = [ ]
  numbers = [ ]

  100.times do
    numbers.push d100
  end

  numbers.each do |i|
    choice.push ary.detect { |el| i <= el }
  end

  choice.uniq.sort
end

如您所见,这两种方法之间的区别在于,第一种方法是在块d100内部调用detect,而在第二种方法中,100 个随机数存储在numbersArray 中,然后在d100_in_detect.

假设我如下调用这两种方法

ary = [ ]
50.times do |i|
  ary.push i * 5 
end

puts '# IN DETECT #'
print d100_in_detect ary
puts

puts '# OUT DETECT #'
puts d100_out_detect ary
puts

一个典型的输出如下。

# IN DETECT #
[ 5, 10, 15, 20, 25, 30, 35, 40, 45, 50, 55 ]
# OUT DETECT #
[ 5, 10, 15, 20, 25, 30, 35, 40, 45, 50, 55, 60, 65, 70, 75, 80, 85, 90, 95, 100 ]

我不明白为什么这两种方法会返回如此不同的结果。在' 块中调用d100方法有什么含义吗?detect

4

1 回答 1

2

正确的。

我做的第一件事是修改您的示例脚本:

def d100_in_detect( ary )
  choice = [ ]
  numbers = []
  100.times do
    var = d100
    numbers << var
    choice.push ary.detect { |el| var <= el }
  end
  puts numbers.inspect
  choice.uniq.sort
end

def d100_out_detect( ary )
  choice  = [ ]
  numbers = [ ]

  100.times do
    numbers.push d100
  end
  puts numbers.inspect

  numbers.each do |i|
    choice.push ary.detect { |el| i <= el }
  end

  choice.uniq.sort
end

如您所见,我所做的只是将 d100 的结果分配给一个临时变量以查看发生了什么……然后“错误”消失了!我的返回值突然相同。唔。

然后,我突然想到到底发生了什么。当你“缓存”变量时(就像你在第二个例子中所做的那样),你保证你有 100 个数字的分布。

当您遍历块时,对于块中的每个数字,您再次执行 d100。因此,第一个呼叫比第二个呼叫多得多……但是您还需要在呼叫该号码时随机生成的号码大于该号码(而,如果您随机生成 100 和 2,您可以保证它会在某个时候达到 100)。这极大地使您的脚本偏向于较低的数字!

例如,运行:

@called_count = 0
def d100
  @called_count += 1
  1 + ( rand 100 )
end

def d100_in_detect( ary )
  choice = [ ]
  numbers = []
  100.times do
    choice.push ary.detect { |el| d100 <= el }
  end
  puts @called_count.inspect
  @called_count = 0
  choice.uniq.sort
end

def d100_out_detect( ary )
  choice  = [ ]
  numbers = [ ]

  100.times do
    numbers.push d100
  end
        puts @called_count.inspect
  @called_count = 0

  numbers.each do |i|
    choice.push ary.detect { |el| i <= el }
  end

  choice.uniq.sort
end

我明白了

# IN DETECT #
691
# OUT DETECT #
100
于 2013-01-31T16:28:00.537 回答