4

Pythonで誕生日のパラドックスを解決しようとしています。私は近くにいますが、最後の部分は私を途方に暮れさせます。ランダムを使用して、作成するアイテムの範囲と数を指定して番号のリストを生成しています。それはうまくいきます。

次に、リスト(上記で生成)に重複がないかどうかを確認します。それはうまくいきます。

次に、指定された(n)個のリストを生成しようとします。ここで私は問題にぶつかります。1つのリストを生成し、「NoneType」を返します。反復可能ではありません。私が困惑しているのは、リストは生成されますが、Pythonはそれをリストとして認識していません。

コードは次のとおりです。

def make_bd(n, r):
    """Generates (r) numbers of birthdays in a range (n)."""
    import random
    t = [random.randrange(n) for i in range(r)]
    print (t)


def has_dupe(test):
    """Here I test to see if I can detect a duplicate birthday.
This is based on problem #4."""

    d = []
    count = 0
    for number in test:
        if number in d:
            count = count + 1
        d.append(number)
    if count >= 1:
        return True
    return False

def dupebd(n,r,t):
    count_dupe = 0
    for i in range(n):
        if has_dupe(make_bd(r,t)):
            count_dupe = count_dupe + 1
    print (float(count)/n)       

dupebd(50,365,23)

結果は次のとおりです。

>>> has_dupe(make_bd(50,6))
[13, 3, 8, 29, 34, 44]
Traceback (most recent call last):
  File "<pyshell#45>", line 1, in <module>
    has_dupe(make_bd(50,6))
  File "<pyshell#44>", line 7, in has_dupe
    for number in test:
TypeError: 'NoneType' object is not iterable
4

2 に答える 2

7

5行目では、印刷しますtが返さないため、がmake_bd返されますNone。行をに変更します

return t
于 2012-04-29T17:30:50.853 に答える
0
from random import randint

def make_bd(n, d):
    """Generates n birthdays in range(d)."""
    return [randint(1, d) for _ in xrange(n)]

def has_dupe(bd):
    """Test to see if list of birthdays contains one or more duplicates.
        This is based on problem #4.
    """
    return len(set(bd)) < len(bd)

def dupe_bd(n, d, t):
    dupes = sum(has_dupe(make_bd(n,d)) for _ in xrange(t))
    return dupes/float(t)

def exactProbability(n, d):
    probUnique = 1.0
    d = float(d)
    for i in xrange(n):
        probUnique *= (d - i)/d
    return 1.0 - probUnique

for n in xrange(18,26):
    print("{:d} people: {:0.4f} probability of shared birthday (exact: {:0.4f})".format(n, dupe_bd(n, 365, 1000), exactProbability(n, 365)))

与える

18 people: 0.3640 probability of shared birthday (exact: 0.3469)
19 people: 0.3790 probability of shared birthday (exact: 0.3791)
20 people: 0.4020 probability of shared birthday (exact: 0.4114)
21 people: 0.4070 probability of shared birthday (exact: 0.4437)
22 people: 0.4720 probability of shared birthday (exact: 0.4757)
23 people: 0.4980 probability of shared birthday (exact: 0.5073)
24 people: 0.5290 probability of shared birthday (exact: 0.5383)
25 people: 0.5450 probability of shared birthday (exact: 0.5687)
于 2012-04-29T18:08:24.530 に答える