python frexp和ldexp函数将浮点数拆分为尾数和指数。 有人知道这个过程是暴露实际的浮动结构,还是需要python来进行昂贵的对数调用?
答案 0 :(得分:5)
Python 2.6的math.frexp直接调用底层C库frexp。我们必须假设C库直接使用浮动表示的部分,而不是计算是否可用(IEEE 754)。
static PyObject *
math_frexp(PyObject *self, PyObject *arg)
{
int i;
double x = PyFloat_AsDouble(arg);
if (x == -1.0 && PyErr_Occurred())
return NULL;
/* deal with special cases directly, to sidestep platform
differences */
if (Py_IS_NAN(x) || Py_IS_INFINITY(x) || !x) {
i = 0;
}
else {
PyFPE_START_PROTECT("in math_frexp", return 0);
x = frexp(x, &i);
PyFPE_END_PROTECT(x);
}
return Py_BuildValue("(di)", x, i);
}
PyDoc_STRVAR(math_frexp_doc,
"frexp(x)\n"
"\n"
"Return the mantissa and exponent of x, as pair (m, e).\n"
"m is a float and e is an int, such that x = m * 2.**e.\n"
"If x is 0, m and e are both 0. Else 0.5 <= abs(m) < 1.0.");
答案 1 :(得分:1)
至于速度,这是一个快速比较
$ python -m timeit -c 'from math import frexp' 'frexp(1.1)'
100000 loops, best of 3: 3.7 usec per loop
$ python -m timeit -c 'from math import log' 'log(1.1)'
100000 loops, best of 3: 3.7 usec per loop
$ python -m timeit -c 'from math import ldexp' 'ldexp(1.1,2)'
100000 loops, best of 3: 3.5 usec per loop
因此,就速度而言,frexp
,log
和ldexp
之间的python中没有太多可检测的区别。不确定它会告诉你有关实现的任何信息!
答案 2 :(得分:1)
这是一个你可以轻松回答的问题:
$ python
>>> import math
>>> help(math.frexp)
Help on built-in function frexp in module math:
注意内置。它在C。
>>> import urllib
>>> help(urllib.urlopen)
Help on function urlopen in module urllib:
此处没有内置。它是在Python中。