![]() |
[closed] check whether an integer is 32 or 64 bits - Printable Version +- Python Forum (https://python-forum.io) +-- Forum: Python Coding (https://python-forum.io/forum-7.html) +--- Forum: General Coding Help (https://python-forum.io/forum-8.html) +--- Thread: [closed] check whether an integer is 32 or 64 bits (/thread-42199.html) |
[closed] check whether an integer is 32 or 64 bits - paul18fr - May-26-2024 Hi, A basic question: how to check if the variable t1 is wheter a 32 bits integer or 64 one? Natively I've been thinking its a 32 bits but I've not so sure. Thanks import numpy as np t = 2.0 t1 = int(t) print(f"t1 = {type(t1)}") t2 = np.int32(t) print(f"t2 = {type(t2)}") t3 = np.int64(t) print(f"t3 = {type(t3)}") RE: check whether an integer is 32 or 64 bits - snippsat - May-26-2024 Python's native int type is unbounded,meaning it can grow as large as the memory allows.NumPy has fixed bit-width like eg int32 or int64 and also int8, int16. Can use .bit_length() to check both standard Python and NumPy(has no own bit_length() check).>>> t1 = 30 >>> t1.bit_length() 5 >>> t2 = np.int32(t) # Convert to int to use bit_length() >>> int(t2).bit_length() 5So if go over max of 32bit(2147483647),will get a error as should in NumPy >>> t = 2147483648 >>> t.bit_length() 32 >>> t2 = np.int32(t) Traceback (most recent call last): File "<interactive input>", line 1, in <module> OverflowError: Python int too large to convert to C long # As mention standar int is unbounded >>> t = 21474836480000000000000000000000000000000000000000000000000000000000000000000000000000000000 >>> t.bit_length() 304 RE: check whether an integer is 32 or 64 bits - deanhystad - May-26-2024 t1 is an int, not 32 or 64. int does not have a size. RE: check whether an integer is 32 or 64 bits - paul18fr - May-27-2024 I got it, thanks RE: [closed] check whether an integer is 32 or 64 bits - deanhystad - May-27-2024 did you see this? https://www.youngwonks.com/blog/Coding-on-a-Chromebook-Using-Python-and-PyGame |