问题描述
对于长度为5位的一个01串,每一位都可能是0或1,一共有32种可能。它们的前几个是:
00000
00001
00010
00011
00100
请按从小到大的顺序输出这32种01串。
法一 1-32位数字转为二进制输出
public class Main {
public static void main(String[] args) {
for(int i=0;i<32;i++){
String result=Integer.toBinaryString(i);
int num=result.length();
for(int j=0;j<5-num;j++){//检验二进制数有几位,补全0
result="0"+result;
}
System.out.println(result);
}
}
}
法二 五次循环 输出字符相拼接
public class Main {
public static void main(String[] args) {
for(int i = 0;i < 2 ;i++){
for(int j = 0;j < 2 ;j++){
for(int k = 0;k < 2;k++){
for(int m = 0;m < 2;m++){
for(int n = 0;n < 2 ;n++){
System.out.println(i+""+j+""+k+""+m+""+n);
}
}
}
}
}
}
}
法三 模拟二进制运算
public class Main {
public static void main(String[] args) {
int str[]={0,0,0,0,0};
int i,j;
for (i=0;i<32;++i){
for (int k = 0; k<str.length; k++) {
System.out.print(str[k] + "");
}
System.out.println();
str[4]+=1;
for (j=4;j>0;--j){
if (str[j]==2){
str[j-1]+=1;
str[j]=0;
}
}
}
}
}
法四
public class Main {
public static void main(String[] args) {
for(int i=0;i<32;i++){
int str[]={0,0,0,0,0};
int num=i;
int j=0;
while (num!=0){
str[j]=num%2;
j++;
num/=2;
}
for (int k=4;k>=0;--k){
System.out.print(str[k]);
}
System.out.println();
}
}
}