Decimal to Octal Conversion

Decimal to Octal Conversion” is one of the classic programming problem exercise. Here, we are given a decimal number, entered by user and our task is to convert the given decimal number to its equivalent octal number.

Example (Decimal to Octal Conversion):

88 -> 130
78 -> 116

The steps for decimal to octal conversion are as follows:

  1. Take Octal = 0, iterator = 1.
  2. Store the remainder when the decimal number is divided by 8.
  3. Divide the decimal number by 8.
  4. Octal = Octal + iterator * remainder.
  5. Multiply the iterator by 10.
  6. Repeat the steps from 2 to 5 until decimal number is not 0.
  7. Print the Octal Number. 

C++ Program for Decimal to Octal Conversion is as follows:

/* C++ Program for Decimal to Octal Conversion */  
#include<bits/stdc++.h>  
using namespace std;  
int main()  
{  
    /* Scan the Decimal Number */  
    int Decimal;  
    cout<<"Enter the Decimal Number: ";  
    cin>>Decimal;  
      
    /* Converting Decimal to Octal */  
    int Octal = 0;  
    int iterator = 1;  
    int temp = Decimal;  
    while(temp != 0)  
    {  
        int remainder = temp % 8;  
        temp = temp / 8;  
        Octal = Octal + remainder*iterator;  
        iterator = iterator * 10;  
    }  
      
    /*Printing the result */  
    cout<<"The Octal of "<<Decimal<<" is "<<Octal;  
}  
OUTPUT:
Enter the Decimal Number: 78
The Octal of 78 is 116

Related Posts:

  1. Program to convert decimal number to binary number.
  2. Program to convert decimal number to hexadecimal number.
  3. Program to convert hexadecimal number to binary number.
  4. Program to convert hexadecimal number to octal number.
  5. Program to convert hexadecimal number to decimal number.
  6. Program to convert binary number to octal number.
  7. Program to convert binary number to decimal number.
  8. Program to convert binary number to hexadecimal number.
  9. Program to convert octal number to binary number.
  10. Program to convert octal number to decimal number.
  11. Program to convert octal number to hexadecimal number.
  12. Program to print Fibonacci Series up to Nth Term.
  13. Program to find and print nth Fibonacci number.
  14. Program to find Power of the Number.
  15. Program to find Quotient and Remainder.
  16. Program to find largest amongst three numbers.
  17. Program to find factorial of a number.
  18. Program to find GCD of two numbers.
  19. Program to find LCM of two numbers.
  20. Program to check whether entered number is odd or even.

You may also like...