2 min read
A binary number is a number expressed in the base-2 numeral system or binary numeral system, which uses only two symbols 0 and 1.
The decimal numeral system is the standard system for denoting integer and non-integer numbers.
All decimal numbers can be converted to equivalent binary values and vice versa for example, the binary equivalent of "2" is "10" to explore more visit binary to decimal converter.
In this article, we will create python programs for converting a binary number into decimal and vice versa
# Taking binary input
binary = input("Enter a binary number:")
# Calling the function
BinaryToDecimal(binary)
def BinaryToDecimal(binary):
decimal = 0
for digit in binary:
decimal = decimal*2 + int(digit)
print("The decimal value is:", decimal)
Enter a binary number:10
The decimal value is: 2
We can use the built-in int()
function to convert binary numbers into decimals. The int()
function converts the binary string in base 2 number.
binary_string = input("Enter a binary number :")
try:
decimal = int(binary_string,2)
print("The decimal value is :", decimal)
except ValueError:
print("Invalid binary number")
Enter a binary number :10
The decimal value is : 2
decimal = input("Enter a decimal number :")
# Calling the function
DecimalToBinary(int(decimal))
def DecimalToBinary(decimal):
if decimal > 1:
DecimalToBinary(decimal // 2)
print(decimal % 2, end = '')
Enter a decimal number :22
10110
Python has bin()
method to convert decimal numbers into binary. The bin()
method converts and returns the binary equivalent string of a given integer.
decimal = input("Enter a binary number :")
binary = bin(int(decimal)).replace("0b", "")
print("The decimal number is :", binary)
Enter a binary number :10
The decimal number is : 1010
PROGRAMS
Latest from djangocentral
2 min read
2 min read