In order to convert an integer to a binary, I have used this code:
>>> bin(6)'0b110'and when to erase the '0b', I use this:
>>> bin(6)[2:]'110'What can I do if I want to show6 as00000110 instead of110?
- 5Possible duplicate ofPython int to binary?Martin Thoma– Martin Thoma2017-03-14 14:21:54 +00:00CommentedMar 14, 2017 at 14:21
17 Answers17
>>> '{0:08b}'.format(6)'00000110'Just to explain the parts of the formatting string:
{}places a variable into a string0takes the variable at argument position 0:adds formatting options for this variable (otherwise it would represent decimal6)08formats the number to eight digits zero-padded on the leftbconverts the number to its binary representation
If you're using a version of Python 3.6 or above, you can also use f-strings:
>>> f'{6:08b}''00000110'7 Comments
0 means the0th argument toformat. After the colon is the formatting, the second0 means zero fill to 8 spaces andb for binaryformat()function:format(6, '08b'); the function takes a value (what the{..} slot applies to) and a formatting specification (whatever you would put after the: in the formatting string).Just another idea:
>>> bin(6)[2:].zfill(8)'00000110'Shorter way viastring interpolation (Python 3.6+):
>>> f'{6:08b}''00000110'3 Comments
bin(-6)[2:].zfill(8) reads as'0000b110'Just use the format function
format(6, "08b")The general form is
format(<the_integer>, "<0><width_of_string><format_specifier>")1 Comment
1000000 loops, best of 3: 556 ns per loopA bit twiddling method...
>>> bin8 = lambda x : ''.join(reversed( [str((x >> i) & 1) for i in range(8)] ) )>>> bin8(6)'00000110'>>> bin8(-3)'11111101'4 Comments
x to the right and ANDs it with1, effectively extracting one bit (0 or 1) at a time.reversed could be removed by usingrange(7,-1,-1); albeit more ‘pure’, but perhaps less readable/intuitive.numpy.binary_repr(num, width=None) has a magic width argument
Relevant examples from the documentation linked above:
>>> np.binary_repr(3, width=4)'0011'The two’s complement is returned when the input number is negative and width is specified:
>>> np.binary_repr(-3, width=5)'11101'
Comments
eumiro's answer is better, however I'm just posting this for variety:
>>> "%08d" % int(bin(6)[2:])00000110Comments
The best way is to specify the format.
format(a, 'b')returns the binary value of a in string format.
To convert a binary string back to integer, use int() function.
int('110', 2)returns integer value of binary string.
1 Comment
.. or if you're not sure it should always be 8 digits, you can pass it as a parameter:
>>> '%0*d' % (8, int(bin(6)[2:]))'00000110'Comments
Going Old School always works
def intoBinary(number):binarynumber=""if (number!=0): while (number>=1): if (number %2==0): binarynumber=binarynumber+"0" number=number/2 else: binarynumber=binarynumber+"1" number=(number-1)/2else: binarynumber="0"return "".join(reversed(binarynumber))4 Comments
number=number/2 gives float, sonumber=number//2 seams better, also I would replacenumber=number//2 withnumber//=2 andb=b+"0" withb+="0"number=7, your function returns "111" instead of "0111", this is unexpected.An even an easier way:
my_num = 6print(f'{my_num:b}')Comments
You can use just:
"{0:b}".format(n)In my opinion this is the easiest way!
Comments
Assuming you want to parse the number of digits used to represent from a variable which is not always constant, a good way will be to use numpy.binary.
could be useful when you apply binary to power sets
import numpy as npnp.binary_repr(6, width=8)Comments
('0' * 7 + bin(6)[2:])[-8:]or
right_side = bin(6)[2:]'0' * ( 8 - len( right_side )) + right_side1 Comment
def int_to_bin(num, fill): bin_result = '' def int_to_binary(number): nonlocal bin_result if number > 1: int_to_binary(number // 2) bin_result = bin_result + str(number % 2) int_to_binary(num) return bin_result.zfill(fill)Comments
Simple code with recursion:
def bin(n,number=('')): if n==0: return(number) else: number=str(n%2)+number n=n//2 return bin(n,number)1 Comment
The Python packageBinary Fractions has a full implementation of binaries as well as binary fractions. You can do your operation as follows:
from binary_fractions import Binaryb = Binary(6) # Creates a binary fraction stringb.lfill(8) # Fills to length 8This package has many other methods for manipulating binary strings with full precision.
Comments
def convertToBinary(self, n): result="" if n==0: return 0 while n>0: r=n%2 result+=str(r) n=int(n/2) if n%2==0: result+="0" return result[::-1]Comments
Explore related questions
See similar questions with these tags.
















