给定一个非负整数 num。对于 0 ≤ i ≤ num 范围中的每个数字 i ,计算其二进制数中的 1 的数目并将它们作为数组返回。 示例 1: 输入: 2 输出: [0,1,1] 示例 2: 输入: 5 输出: [0,1,1,2,1,2] 进阶:
countBit
用于计算一个整数的二进制中 1
的个数;result
用于存放最终结果;0 ~ num
,求每个数对应的二进制中 1
的个数,并存入 result
即可;public int[] countBits(int num) {
// 存放最终结果
int[] result = new int[num + 1];
// 遍历每个数,并将其二进制中 1 的个数存入数组 result
for(int i = 0; i < num + 1;i++){
result[i] = countBit(i);
}
return result;
}
/**
* 求一个数的二进制中 1 的个数
*/
public int countBit(int num){
// 将 num 转换为二进制字符串
String str = Integer.toBinaryString(num);
int count = 0;
// 统计二进制字符串中 1 的个数,并返回
for(int i = 0;i < str.length(); i++){
if(str.charAt(i) == '1'){
count++;
}
}
return count;
}