¿Cómo debo calcular el registro en la base dos en Python? P.ej. Tengo esta ecuación donde estoy usando log base 2
import math
e = -(t/T)* math.log((t/T)[, 2])
¿Cómo debo calcular el registro en la base dos en Python? P.ej. Tengo esta ecuación donde estoy usando log base 2
import math
e = -(t/T)* math.log((t/T)[, 2])
Respuestas:
Es bueno saber eso
pero también sepa que
math.log
toma un segundo argumento opcional que le permite especificar la base:
In [22]: import math
In [23]: math.log?
Type: builtin_function_or_method
Base Class: <type 'builtin_function_or_method'>
String Form: <built-in function log>
Namespace: Interactive
Docstring:
log(x[, base]) -> the logarithm of x to the given base.
If the base not specified, returns the natural logarithm (base e) of x.
In [25]: math.log(8,2)
Out[25]: 3.0
base
argumento agregado en la versión 2.3, por cierto.
?
) es la introspección dinámica de objetos .
math.log2(x)
import math
log2 = math.log(x, 2.0)
log2 = math.log2(x) # python 3.4 or later
math.frexp(x)
Si todo lo que necesita es la parte entera de la base logarítmica 2 de un número de punto flotante, extraer el exponente es bastante eficiente:
log2int_slow = int(math.floor(math.log(x, 2.0)))
log2int_fast = math.frexp(x)[1] - 1
Python frexp () llama a la función C frexp () que simplemente toma y ajusta el exponente.
Python frexp () devuelve una tupla (mantisa, exponente). Entonces [1]
obtiene la parte del exponente.
Para potencias integrales de 2, el exponente es uno más de lo que cabría esperar. Por ejemplo, 32 se almacena como 0,5x2⁶. Esto explica lo - 1
anterior. También funciona para 1/32 que se almacena como 0.5x2⁻⁴.
Pisos hacia el infinito negativo, por lo que log₂31 es 4 y no 5. log₂ (1/17) es -5 no -4.
x.bit_length()
Si tanto la entrada como la salida son números enteros, este método nativo de números enteros podría ser muy eficiente:
log2int_faster = x.bit_length() - 1
- 1
porque 2ⁿ requiere n + 1 bits. Funciona para números enteros muy grandes, por ejemplo 2**10000
.
Pisos hacia el infinito negativo, por lo que log₂31 es 4 y no 5. log₂ (1/17) es -5 no -4.
Si está en Python 3.4 o superior, entonces ya tiene una función incorporada para calcular log2 (x)
import math
'finds log base2 of x'
answer = math.log2(x)
Si tiene una versión anterior de Python, puede hacer esto
import math
'finds log base2 of x'
answer = math.log(x)/math.log(2)
Usando numpy:
In [1]: import numpy as np
In [2]: np.log2?
Type: function
Base Class: <type 'function'>
String Form: <function log2 at 0x03049030>
Namespace: Interactive
File: c:\python26\lib\site-packages\numpy\lib\ufunclike.py
Definition: np.log2(x, y=None)
Docstring:
Return the base 2 logarithm of the input array, element-wise.
Parameters
----------
x : array_like
Input array.
y : array_like
Optional output array with the same shape as `x`.
Returns
-------
y : ndarray
The logarithm to the base 2 of `x` element-wise.
NaNs are returned where `x` is negative.
See Also
--------
log, log1p, log10
Examples
--------
>>> np.log2([-1, 2, 4])
array([ NaN, 1., 2.])
In [3]: np.log2(8)
Out[3]: 3.0
http://en.wikipedia.org/wiki/Binary_logarithm
def lg(x, tol=1e-13):
res = 0.0
# Integer part
while x<1:
res -= 1
x *= 2
while x>=2:
res += 1
x /= 2
# Fractional part
fp = 1.0
while fp>=tol:
fp /= 2
x *= x
if x >= 2:
x /= 2
res += fp
return res
>>> def log2( x ):
... return math.log( x ) / math.log( 2 )
...
>>> log2( 2 )
1.0
>>> log2( 4 )
2.0
>>> log2( 8 )
3.0
>>> log2( 2.4 )
1.2630344058337937
>>>
math.log
función. Vea la respuesta de unutbu.
Prueba esto ,
import math
print(math.log(8,2)) # math.log(number,base)
En python 3 o superior, la clase de matemáticas tiene las siguientes funciones
import math
math.log2(x)
math.log10(x)
math.log1p(x)
o generalmente puede usarlo math.log(x, base)
para cualquier base que desee.
log_base_2 (x) = log (x) / log (2)
No olvide que log [base A] x = log [base B] x / log [base B] A .
Entonces, si solo tiene log
(para registro natural) y log10
(para registro de base 10), puede usar
myLog2Answer = log10(myInput) / log10(2)
math.log()
llamada. ¿Lo has probado?