您可以使用Python/C API創建Python字符串,這比任何專門使用Python的方法快得多,因爲Python本身是在Python/C中實現的。性能可能主要取決於隨機數發生器的效率。如果你是一個合理的隨機(3)實現的系統,如the one in glibc,高效實現隨機字符串應該是這樣的:
#include <Python.h>
/* gcc -shared -fpic -O2 -I/usr/include/python2.7 -lpython2.7 rnds.c -o rnds.so */
static PyObject *rnd_string(PyObject *ignore, PyObject *args)
{
const char choices[] = {'0', '1'};
PyObject *s;
char *p, *end;
int size;
if (!PyArg_ParseTuple(args, "i", &size))
return NULL;
// start with a two-char string to avoid the empty string singleton.
if (!(s = PyString_FromString("xx")))
return NULL;
_PyString_Resize(&s, size);
if (!s)
return NULL;
p = PyString_AS_STRING(s);
end = p + size;
for (;;) {
unsigned long rnd = random();
int i = 31; // random() provides 31 bits of randomness
while (i-- > 0 && p < end) {
*p++ = choices[rnd & 1];
rnd >>= 1;
}
if (p == end)
break;
}
return s;
}
static PyMethodDef rnds_methods[] = {
{"rnd_string", rnd_string, METH_VARARGS },
{NULL, NULL, 0, NULL}
};
PyMODINIT_FUNC initrnds(void)
{
Py_InitModule("rnds", rnds_methods);
}
測試此代碼哈萊克斯的基準測試顯示,它的速度比280X原代碼,和2.3倍比哈萊克斯的代碼快(我的機器上):
# the above code
>>> t1 = Timer("rnds.rnd_string(2**20)", "import rnds")
>>> sorted(t1.repeat(10,1))
[0.0029861927032470703, 0.0029909610748291016, ...]
# original generator
>>> t2 = Timer("''.join(random.choice('01') for x in xrange(2**20))", "import random")
>>> sorted(t2.repeat(10,1))
[0.8376679420471191, 0.840252161026001, ...]
# halex's generator
>>> t3 = Timer("bin(random.getrandbits(2**20-1))[2:].zfill(2**20-1)", "import random")
>>> sorted(t3.repeat(10,1))
[0.007007122039794922, 0.007027149200439453, ...]
添加C代碼到一個項目是一個複雜,但對於關鍵的操作280X加速,它很可能是值得的。
爲了進一步提高效率,請研究更快的RNG,並從不同的線程調用它們,以便並行化並行化隨機數生成。後者將受益於無鎖同步機制,以確保線程間通信不會妨礙快速生成過程。
非常感謝。 – marshall 2013-04-27 15:34:31
@marshall:你可以使用['b2a_bin(os.urandom(2 ** i/8))'(用Cython寫的C擴展)](https://gist.github.com/zed/ 3526111)。請參閱[乘以大數倍的隨機()(Python)](http://stackoverflow.com/q/12161988/4279) – jfs 2013-04-28 01:52:49
@ J.F.Sebastian謝謝! – marshall 2013-04-30 18:53:33