Python Program to Convert Binary Number to Decimal and Vice-Versa

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

Convert Binary to Decimal

# 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)

Output

Enter a binary number:10
The decimal value is: 2

Pythonic way to convert binary into decimal

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")

Output

Enter a binary number :10
The decimal value is : 2

Convert Decimal number into Binary number

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 = '')

Output

Enter a decimal number :22
10110

Pythonic way to convert decimal into binary

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)

Output

Enter a binary number :10
The decimal number is : 1010

PROGRAMS

Latest Articles

Latest from djangocentral

Capturing Query Parameters of request.get in Django

In Django, the request object contains a variety of information about the current HTTP request, including the query parameters. Query parameters are a way to pass additional information in the URL and are used to filter or sort data. The request object p…
Read more →

2 min read

Understanding related_name in Django Models

In Django, related_name is an attribute that can be used to specify the name of the reverse relation from the related model back to the model that defines the relation. It is used to specify the name of the attribute that will be used to access the relat…
Read more →

2 min read