美文网首页
leetcode习题762

leetcode习题762

作者: 大神铁头王 | 来源:发表于2018-12-18 09:29 被阅读0次

tags:

  • Bit Manipulation

categories:

  • leetcode

题目: 给定两个整数 L 和 R ,找到闭区间 [L, R] 范围内,计算置位位数为质数的整数个数。

(注意,计算置位代表二进制表示中1的个数。例如 21 的二进制表示 10101 有 3 个计算置位。还有,1 不是质数。)

input example1:

输入: L = 6, R = 10
输出: 4
解释:
6 -> 110 (2 个计算置位,2 是质数)
7 -> 111 (3 个计算置位,3 是质数)
9 -> 1001 (2 个计算置位,2 是质数)
10-> 1010 (2 个计算置位,2 是质数)

input example2:

输入: L = 10, R = 15
输出: 5
解释:
10 -> 1010 (2 个计算置位, 2 是质数)
11 -> 1011 (3 个计算置位, 3 是质数)
12 -> 1100 (2 个计算置位, 2 是质数)
13 -> 1101 (3 个计算置位, 3 是质数)
14 -> 1110 (3 个计算置位, 3 是质数)
15 -> 1111 (4 个计算置位, 4 不是质数)

注意:

  • [L,R][L<R]且在【1,10^6]中的整数。
  • R-L的最大值是10000.

知识点:

  • 位运算
  • itoa函数实现进制转化
  • __buittin_popcount(i);

代码实现1:

class Solution {
public:
    int countPrimeSetBits(int L, int R) {
        int res=0;
        for(int i=L;i<=R;++i){
            int cnt=__builtin_popcount(i);
            res+=cnt<4 ? cnt>1 :(cnt  % 2&& cnt % 3);
        }
        return res;
    }
};

代码实现2:

class Solution {
public:
    int countPrimeSetBits(int L, int R) {
        int res = 0;
        unordered_set<int> primes{2, 3, 5, 7, 11, 13, 17, 19};
        for (int i = L; i <= R; ++i) {
            int cnt = 0;
            for (int j = i; j > 0; j >>= 1) {
                cnt += j & 1;
            }
            res += primes.count(cnt);
        }
        return res;
    }
};

相关文章

  • leetcode习题762

    tags: Bit Manipulation categories: leetcode 题目: 给定两个整数 L...

  • Python算法学习——个人日记系列(1)

    以Leetcode的练习题作为练习,来从零基础练习算法。 https://leetcode.com/problem...

  • leetcode习题练习

    反转整数 给出一个 32 位的有符号整数,你需要将这个整数中每位上的数字进行反转。 题目链接https://lee...

  • LeetCode-SQL-nine

    Leetcode-sql-nine 本文中主要是介绍LeetCode中关于SQL的练习题,从易到难,循序渐进。文中...

  • LeetCode-SQL-five

    LeetCode-SQL-five 本文中主要是介绍LeetCode中关于SQL的练习题,从易到难,循序渐进。文中...

  • LeetCode-SQL-four

    LeetCode-SQL-four 本文中主要是介绍LeetCode中关于SQL的练习题,从易到难,循序渐进。文中...

  • python 链表结构练习

    链表结构练习题: https://leetcode-cn.com/problems/add-two-numbers...

  • LeetCode-SQL-two

    LeetCode-SQL-two 本文中主要是介绍LeetCode中关于SQL的练习题,从易到难,循序渐进。文中会...

  • LeetCode笔记:762. Prime Number of

    问题(Easy): Given two integers L and R, find the count of n...

  • LeetCode-mysql练习题

    leetcode-mysql练习题总结: 老师指路->https://www.jianshu.com/u/989c...

网友评论

      本文标题:leetcode习题762

      本文链接:https://www.haomeiwen.com/subject/aglkkqtx.html