logo

Java Převod desítkové soustavy na binární

Můžeme konvertovat desítkové až binární v javě použitím Integer.toBinaryString() metoda nebo vlastní logika.

Java převod desítkové soustavy na binární: Integer.toBinaryString()

Metoda Integer.toBinaryString() převádí desítkové na binární řetězec. The podpis metody toBinaryString() je uvedena níže:

 public static String toBinaryString(int decimal) 

Podívejme se na jednoduchý příklad převodu desítkové soustavy na binární v jazyce Java.

 public class DecimalToBinaryExample1{ public static void main(String args[]){ System.out.println(Integer.toBinaryString(10)); System.out.println(Integer.toBinaryString(21)); System.out.println(Integer.toBinaryString(31)); }} 
Otestujte to hned

Výstup:

 1010 10101 11111 

Java převod z desítkové soustavy na binární: Vlastní logika

Můžeme konvertovat desítkové až binární v javě pomocí vlastní logiky.

 public class DecimalToBinaryExample2{ public static void toBinary(int decimal){ int binary[] = new int[40]; int index = 0; while(decimal > 0){ binary[index++] = decimal%2; decimal = decimal/2; } for(int i = index-1;i >= 0;i--){ System.out.print(binary[i]); } System.out.println();//new line } public static void main(String args[]){ System.out.println('Decimal of 10 is: '); toBinary(10); System.out.println('Decimal of 21 is: '); toBinary(21); System.out.println('Decimal of 31 is: '); toBinary(31); }} 
Otestujte to hned

Výstup:

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