PHP的openssl_random_pseudo_bytes替代Golang?

时间:2016-12-29 15:24:09

标签: php go

Golang的功能是否与PHP的openssl_random_pseudo_bytes()功能相同或几乎相同?

我需要这个在Golang中生成伪随机字节串。

2 个答案:

答案 0 :(得分:0)

查看包“crypto / rand”,replace rand() with openssl_random_pseudo_bytes()https://github.com/dgrijalva/jwt-go/blob/master/hmac_example_test.go

func init() {
    // Load sample key data
    if keyData, e := ioutil.ReadFile("test/hmacTestKey"); e == nil {
        hmacSampleSecret = keyData
    } else {
        panic(e)
    }
}

答案 1 :(得分:0)

快速轻量级的伪随机字符串生成器

首先定义我们想要用于生成器的字节数组(在这种情况下,它应该是字母) 然后决定多少位代表一个字母(它将允许我们逐个接受字母)和字母"模板"包含一个字母的位数 我还存储了可以从我的字节数组中获取的最大索引

const (
    letterBytes   = "abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ"
    letterIdxBits = 6                    // 6 bits to represent a letter index
    letterIdxMask = 1<<letterIdxBits - 1 // All 1-bits, as many as letterIdxBits
    letterIdxMax  = 63 / letterIdxBits   // # of letter indices fitting in 63 bits
)

StringRandomizer函数获取一个参数(我希望得到的字符串长度)

基本上,这个函数只是一个简单的循环,它创建一个具有定义长度的新字节数组和伪随机元素。 直到我没有填写结果数组的所有必需元素(没有放入&#39; n&#39;元素),我从letterBytes const中得到一个随机字母。 如果我想在结尾处获得的字符串的长度多于letterIdxMax,我只需创建63字节的新随机序列(src.Int63())并继续循环

func StringRandomizer(n int) string {
    src := rand.NewSource(time.Now().UnixNano())
    b := make([]byte, n)
    // A src.Int63() generates 63 random bits, enough for letterIdxMax characters!
    for i, cache, remain := n-1, src.Int63(), letterIdxMax; i >= 0; remain-- {
        if remain == 0 {
            cache, remain = src.Int63(), letterIdxMax
        }
        if idx := int(cache & letterIdxMask); idx < len(letterBytes) {
            b[i] = letterBytes[idx]
            i--
        }
        cache >>= letterIdxBits

    }
    return string(b)
}