2015-10-22 75 views
3

我試圖通過使用Box-Muller變換對Marsarlia極座標法來測試從正態分佈生成數字的速度。據說Marsaglia極座標法被認爲比Box-Muller變換更快,因爲它不需要計算sin和cos。但是,當我用Python編寫這個代碼時,這是不正確的。有人可以驗證這一點,或向我解釋爲什麼會發生這種情況?從Python中的正態分佈生成數

def marsaglia_polar(): 
    while True: 
     x = (random.random() * 2) - 1 
     y = (random.random() * 2) - 1 
     s = x * x + y * y 
     if s < 1: 
      t = math.sqrt((-2) * math.log(s)/s) 
      return x * t, y * t 

def box_muller(): 
    u1 = random.random() 
    u2 = random.random() 

    t = math.sqrt((-2) * math.log(u1)) 
    v = 2 * math.pi * u2 

    return t * math.cos(v), t * math.sin(v) 
+0

沒有看到你的代碼!? – tzaman

+0

我們可以,如果你告訴我們你的代碼 – inspectorG4dget

+0

糟糕,添加!!!! – user2770287

回答

2

對於「有趣」,我寫了它去。 box_muller功能也更快。另外,它比python版本快10倍。

package main 

import (
    "fmt" 
    "math" 
    "math/rand" 
    "time" 
) 

func main() { 
    rand.Seed(time.Now().UnixNano()) 
    now := time.Now() 
    for i := 0; i < 1000000; i++ { 
     marsaglia_polar() 
    } 
    fmt.Println("marsaglia_polar duration = ", time.Since(now)) 
    now = time.Now() 
    for i := 0; i < 1000000; i++ { 
     box_muller() 
    } 
    fmt.Println("box_muller duration  = ", time.Since(now)) 
} 

func marsaglia_polar() (float64, float64) { 
    for { 
     x := random() * 2 - 1; 
     y := random() * 2 - 1; 
     s := x * x + y * y; 
     if s < 1 { 
      t := math.Sqrt((-2) * math.Log(s)/s); 
      return x * t, y * t 
     } 
    } 
} 

func box_muller() (float64, float64) { 
    u1 := random() 
    u2 := random() 
    t := math.Sqrt((-2) * math.Log(u1)) 
    v := 2 * math.Pi * u2 
    return t * math.Cos(v), t * math.Sin(v) 
} 

func random() float64 { 
    return rand.Float64() 
} 

輸出:

marsaglia_polar duration = 104.308126ms 
box_muller duration  = 88.365933ms