Java 实例 十进制到八进制的转换

来源:这里教程网 时间:2026-02-17 20:17:13 作者:

在本教程中,我们将学习以下两种方法将十进制数转换为等效的八进制数

1)使用预定义的方法Integer.toOctalString(int num)

2)编写我们自己的转换逻辑

import java.util.Scanner;class DecimalToOctalExample{  public static void main(String args[])  {    Scanner input = new Scanner( System.in );    System.out.print("Enter a decimal number : ");    int num =input.nextInt();    /* Method 1:      * Using predefined method toOctalString(int)     * Pass the decimal number to this method and     * it would return the equivalent octal number     */    String octalString = Integer.toOctalString(num);    System.out.println("Method 1: Decimal to octal: " + octalString);    /* Method 2:      * Writing your own logic: Here we will write     * our own logic for decimal to octal conversion     */    // For storing remainder    int rem;    // For storing result    String str="";     // Digits in Octal number system    char dig[]={'0','1','2','3','4','5','6','7'};    while(num>0)    {       rem=num%8;        str=dig[rem]+str;        num=num/8;    }    System.out.println("Method 2: Decimal to octal: "+str);  }}

输出:

Enter a decimal number : 123Method 1: Decimal to octal: 173Method 2: Decimal to octal: 173

相关推荐