1.231. 2 的幂
/*
1.给你一个整数 n,请你判断该整数是否是 2 的幂次方。如果是,返回 true ;否则,返回 false 。
2.如果存在一个整数 x 使得 n == 2x ,则认为 n 是 2 的幂次方。 */
class Solution {
public boolean isPowerOfTwo(int n) {
return n > 0 && (n & (n - 1)) == 0;
}
}
2.2044. 统计按位或能得到最大值的子集数目
/*给你一个整数数组 nums ,请你找出 nums 子集 按位或 可能得到的 最大值 ,并返回按位或能得到最大值的 不同非空子集的数目 。 */
/*1.如果数组 a 可以由数组 b 删除一些元素(或不删除)得到,则认为数组 a 是数组 b 的一个 子集 。如果选中的元素下标位置不一样,则认为两个子集 不同。
2.对数组 a 执行 按位或 ,结果等于 a[0] OR a[1] OR ... OR a[a.length - 1](下标从 0 开始) */
class Solution {
HashMap<Integer,Integer> counter = new HashMap<>();
public int countMaxOrSubsets(int[] nums) {
// DFS求所有子集
for(int size = 1; size <= nums.length; size++)
dfs(nums, size, 0, new ArrayList<>());
// 求最大异或值的子集数
int max = Integer.MIN_VALUE;
for(int key: counter.keySet()) max = Math.max(max, key);
return counter.get(max);
}
private void dfs(int[] nums, int size, int depth, ArrayList<Integer> temp) {//深度优先找出数集
if(temp.size() == size){
int res = 0;
for(int i = 0; i < temp.size(); i++) res |= temp.get(i);
counter.put(res, counter.getOrDefault(res, 0) + 1);//
return;
}
for(int i = depth; i < nums.length; i++){
temp.add(nums[i]);
dfs(nums, size, i + 1, temp);
temp.remove(temp.size() - 1);//删除一些元素,得到数组a为b的子集
}
}
}
3.762. 二进制表示中质数个计算置位
/*762. 二进制表示中质数个计算置位 */
/*
1.给定两个整数 L 和 R ,找到闭区间 [L, R] 范围内,计算置位位数为质数的整数个数。
2.(注意,计算置位代表二进制表示中1的个数。例如 21 的二进制表示 10101 有 3 个计算置位。还有,1 不是质数。 */
class Solution {
public int countPrimeSetBits(int left, int right) {
int count = 0;
int[] arr = {2,3,5,7,11,13,17,19,21,23,29,31};
for(int i = left; i <= right; i++){
int res = 0, temp = i;
while(temp != 0){
res++;
temp = temp & (temp-1);
}
for(int j = 0; j < arr.length; j++){
if(arr[j] == res){
count++;
}
}
}
return count;
}
}
4.4. 1356. 根据数字二进制下 1 的数目排序
/*
1.给你一个整数数组 arr 。请你将数组中的元素按照其二进制表示中数字 1 的数目升序排序。
2.如果存在多个数字二进制中 1 的数目相同,则必须将它们按照数值大小升序排列。
3.请你返回排序后的数组*/
class Solution {
public int[] sortByBits(int[] arr) {
int [] map = new int [arr.length];
for(int i = 0; i < arr.length; i++){
map[i] = Integer.bitCount(arr[i])* 100000 + arr[i];
}
Arrays.sort(map);
for(int i = 0; i < map.length; i++){
map[i] = map[i] % 100000;
}
return map;
}
}