剑指 Offer 65. 不用加减乘除做加法
写一个函数,求两个整数之和,要求在函数体内不得使用 “+”、“-”、“*”、“/” 四则运算符号。
int add(int a, int b) { while(b != 0) { unsigned int c = (unsigned)(a & b)<<1; a = a ^ b; b = c; } return a; }
剑指 Offer 15. 二进制中1的个数
编写一个函数,输入是一个无符号整数(以二进制串的形式),返回其二进制表达式中数字位数为 '1' 的个数(也被称为 汉明重量).)。
提示:
请注意,在某些语言(如 Java)中,没有无符号整数类型。在这种情况下,输入和输出都将被指定为有符号整数类型,并且不应影响您的实现,因为无论整数是有符号的还是无符号的,其内部的二进制表示形式都是相同的。
在 Java 中,编译器使用 二进制补码 记法来表示有符号整数。因此,在上面的 示例 3 中,输入表示有符号整数 -3。来源:力扣(LeetCode)
链接:https://leetcode.cn/problems/er-jin-zhi-zhong-1de-ge-shu-lcof
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。【解法一】
class Solution { public: int hammingWeight(uint32_t n) { int res = 0; for(int i = 0; i < 32; i++) { res += (n>>i)&1; } return res; } };
【解法二】
class Solution { public: int hammingWeight(uint32_t n) { int res = 0; while(n) { n &= (n-1); res++; } return res; } };
剑指 Offer 56 - I. 数组中数字出现的次数
一个整型数组
nums
里除两个数字之外,其他数字都出现了两次。请写程序找出这两个只出现一次的数字。要求时间复杂度是O(n),空间复杂度是O(1)。【解法一】哈希俩次遍历
class Solution { public: vector<int> singleNumbers(vector<int>& nums) { map<int, int> mp; vector<int> res; for(auto &e : nums) { mp[e]++; } for(auto &e : nums) { if(mp[e] == 1) res.push_back(e); } return res; } };