如何获取NumPy随机数生成器的当前种子?

以下代码导入NumPy并设置种子。

import numpy as np

np.random.seed(42)

但是,我对设置种子不感兴趣,但对阅读它更感兴趣。random.get_state()似乎不包含种子。该文档没有显示明显的答案。

numpy.random假设没有手动设置,如何获取当前使用的种子?

我想使用当前种子继续进行下一个过程迭代。

回答:

简短的答案是,您根本无法做到(至少通常不能做到)。

numpy使用的Mersenne Twister

RNG具有2 19937 -1可能的内部状态,而单个64位整数只有2 64个可能的值。因此,不可能将每个RNG状态映射到唯一的整数种子。

可以

使用np.random.get_state和直接获取并设置RNG的内部状态np.random.set_state。的输出get_state是一个元组,其第二个元素是(624,)32位整数的数组。该数组具有足够多的位来表示RNG的每个可能的内部状态(2

624 * 32 > 2 19937 -1)。

返回的元组get_state可以像种子一样使用,以创建可重复的随机数序列。例如:

import numpy as np

# randomly initialize the RNG from some platform-dependent source of entropy

np.random.seed(None)

# get the initial state of the RNG

st0 = np.random.get_state()

# draw some random numbers

print(np.random.randint(0, 100, 10))

# [ 8 76 76 33 77 26 3 1 68 21]

# set the state back to what it was originally

np.random.set_state(st0)

# draw again

print(np.random.randint(0, 100, 10))

# [ 8 76 76 33 77 26 3 1 68 21]

以上是 如何获取NumPy随机数生成器的当前种子? 的全部内容, 来源链接: utcz.com/qa/419953.html

回到顶部