logo

Java 2진수를 10진수로 변환

우리는 변환할 수 있습니다 자바에서 이진수를 십진수로 사용하여 정수.parseInt() 메서드 또는 사용자 정의 논리.

Java 이진수를 십진수로 변환: Integer.parseInt()

Integer.parseInt() 메소드는 주어진 redix를 사용하여 문자열을 int로 변환합니다. 그만큼 서명 ParseInt() 메소드는 다음과 같습니다:

 public static int parseInt(String s,int redix) 

Java에서 2진수를 10진수로 변환하는 간단한 예를 살펴보겠습니다.

 public class BinaryToDecimalExample1{ public static void main(String args[]){ String binaryString='1010'; int decimal=Integer.parseInt(binaryString,2); System.out.println(decimal); }} 
지금 테스트해보세요

산출:

 10 

Integer.parseInt() 메소드의 또 다른 예를 살펴보겠습니다.

 public class BinaryToDecimalExample2{ public static void main(String args[]){ System.out.println(Integer.parseInt('1010',2)); System.out.println(Integer.parseInt('10101',2)); System.out.println(Integer.parseInt('11111',2)); }} 
지금 테스트해보세요

산출:

 10 21 31 

Java 이진수를 십진수로 변환: 사용자 정의 논리

우리는 변환할 수 있습니다 자바에서 이진수를 십진수로 사용자 정의 논리를 사용합니다.

 public class BinaryToDecimalExample3{ public static int getDecimal(int binary){ int decimal = 0; int n = 0; while(true){ if(binary == 0){ break; } else { int temp = binary%10; decimal += temp*Math.pow(2, n); binary = binary/10; n++; } } return decimal; } public static void main(String args[]){ System.out.println('Decimal of 1010 is: '+getDecimal(1010)); System.out.println('Decimal of 10101 is: '+getDecimal(10101)); System.out.println('Decimal of 11111 is: '+getDecimal(11111)); }} 
지금 테스트해보세요

산출:

 Decimal of 1010 is: 10 Decimal of 10101 is: 21 Decimal of 11111 is: 31