JAVA:二進位制與十進位制轉換
阿新 • • 發佈:2019-01-07
1. 將十進位制轉換為二進位制:
思路:對十進位制的數進行除2取餘法:
/**
* 講10 進位制轉化為二進位制
* @param de :待轉換的十進位制
* @return :轉換後的二進位制(string)
*/
public static String Decimal2Binary(int de){
String numstr = "";
while (de>0){
int res = de%2; //除2 取餘數作為二進位制數
numstr = res + numstr;
de = de/2 ;
}
return numstr;
}
2. 將二進位制轉換為十進位制
思路:對二進位制從後往前數第i位上的數進行乘以2的i-1 次方;
/**
* 將二進位制轉換為10進位制
* @param bi :待轉換的二進位制
* @return
*/
public static Integer Biannary2Decimal(int bi){
String binStr = bi+"";
Integer sum = 0;
int len = binStr.length();
for (int i=1;i<=len;i++){
//第i位 的數字為:
int dt = Integer.parseInt(binStr.substring(i-1,i));
sum+=(int)Math.pow(2,len-i)*dt;
}
return sum;
}
完整程式碼:
import java.awt.*;
import java.util.Scanner;
/**
* Created by chen on 2020/7/12.
*/
public class Test {
public static void main(String args[]) {
//testD2B();
//testB2D();
}
/**
* 講10 進位制轉化為二進位制
* @param de
* @return
*/
public static String Decimal2Binary(int de){
String numstr = "";
while (de>0){
int res = de%2; //除2 取餘數作為二進位制數
numstr = res + numstr;
de = de/2;
}
return numstr;
}
/**
* 將二進位制轉換為10進位制
* @param bi
* @return
*/
public static Integer Biannary2Decimal(int bi){
String binStr = bi+"";
Integer sum = 0;
int len = binStr.length();
for (int i=1;i<=len;i++){
//第i位 的數字為:
int dt = Integer.parseInt(binStr.substring(i-1,i));
sum+=(int)Math.pow(2,len-i)*dt;
}
return sum;
}
public static void testB2D(){
while (true){
System.out.println("Pleace input a Binary num:");
Scanner sc = new Scanner(System.in);
int binary = sc.nextInt();
int out = Biannary2Decimal(binary);
System.out.println("The Decimal num is :" + out);
System.out.println("輸入0 結束,輸入1 繼續");
sc = new Scanner(System.in);
if (sc.nextInt()==0){
break;
}
}
}
public static void testD2B(){
while (true) {
System.out.println("Pleace input a int Decimal num:");
Scanner sc = new Scanner(System.in);
int num = sc.nextInt();
String numofBinary = Decimal2Binary(num);
System.out.println("The Binary num is :" + numofBinary);
System.out.println("輸入0 結束,輸入1繼續");
sc = new Scanner(System.in);
if (sc.nextInt() == 0) {
break;
}
}
}
}