logo

Java Konvertuje binárne na desiatkové

Môžeme konvertovať binárne až desiatkové v jave použitím Integer.parseInt() metóda alebo vlastná logika.

Konverzia Java z binárneho na desiatkové číslo: Integer.parseInt()

Metóda Integer.parseInt() konvertuje reťazec na int s daným redixom. The podpis metódy parseInt() je uvedená nižšie:

 public static int parseInt(String s,int redix) 

Pozrime sa na jednoduchý príklad prevodu binárneho na desiatkové v jave.

 public class BinaryToDecimalExample1{ public static void main(String args[]){ String binaryString='1010'; int decimal=Integer.parseInt(binaryString,2); System.out.println(decimal); }} 
Vyskúšajte to

Výkon:

 10 

Pozrime sa na ďalší príklad metódy 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)); }} 
Vyskúšajte to

Výkon:

 10 21 31 

Java Binary to Decimal prevod: Custom Logic

Môžeme konvertovať binárne až desiatkové v jave pomocou vlastnej logiky.

 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)); }} 
Vyskúšajte to

Výkon:

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