Python Program for Octal To Binary Conversion
Octal To Binary Conversion in Python
Here, in this page we will discuss the program for octal to binary conversion in Python . Numbers with base 8 are called octal numbers and uses digits from 0-7 for representation of octal number. Where as numbers with base 2 are called binary numbers and it uses 0 and 1 for representation of binary numbers.
Method 1:-
- Accept octal number
- Convert it into decimal Equivalent
- Convert this decimal value into Binary
Make sure you have visited these two pages before moving ahead with the code –
Method 1 Code in Python
Run
def convert(octal): i = 0 decimal = 0 while octal != 0: digit = octal % 10 decimal += digit * pow(8, i) octal //= 10 i += 1 print("Decimal Value :", decimal) binary = 0 rem = 0 i = 1 while decimal != 0: rem = decimal % 2 decimal //= 2 binary += rem * i i *= 10 print("Binary Value :", binary) octal = int(input("Octal Value : ")) convert(octal)
Output
Octal Value: 12
Decimal Value: 10
Binary Value: 1010
Method 2
Each digit of an octal number can be converted into its binary Equivalent (see image)
Binary Representation for Octal digit:
- 0 => 000
- 1 => 001
- 2 => 010
- 3 => 011
- 4 => 100
- 5 => 101
- 6 => 110
- 7 => 111
Method 2 Code in Python
Run
def convert(octal): print("Equivalent Binary Number: ", end="") for i in range(len(octal)): switcher = { 0: "000", 1: "001", 2: "010", 3: "011", 4: "100", 5: "101", 6: "110", 7: "111" } print(switcher.get(int(octal[i]), "Invalid Octal Number"), end="") octal = list(input("Insert an octal number: ")) convert(octal)
Output
Insert an octal number: 347
Equivalent Binary Number: 011100111
Prime Course Trailer
Related Banners
Get PrepInsta Prime & get Access to all 200+ courses offered by PrepInsta in One Subscription
n=int(input())
s=0
base=0
while(n!=0):
r=n%10
s+=(r*(8**base))
base+=1
n=int(n/10)
print(“decimal number is”,s)
#decimal to binary
a=[]
while(s>0):
q=s%2
a.append(q)
s=int(s/2)
for i in reversed(a):
print(i,end=”)
num=int(input(“Enter the octal value “))
temp=num
bin_val=0
deci_val=0
base1=1
base2=1
while(temp):
digit=temp%10
deci_val+=digit*base1
base1*=8
temp//=10
while(deci_val):
rem=deci_val%2
bin_val+=rem*base2
base2*=10
deci_val//=2
print(“The binary value of {} is {}”.format(num,bin_val))
We input is provided by user:
code——————->
def conv_oct_to_b(n):
return bin(n)
if __name__==’__main__’:
n = int(input(“Enter a binary number : “),8)
print(conv_oct_to_b(n))