c语言sscanf函数的用法是什么
250
2022-12-01
191. Number of 1 Bits
Write a function that takes an unsigned integer and returns the number of ’1’ bits it has (also known as the Hamming weight). For example, the 32-bit integer ’11’ has binary representation 00000000000000000000000000001011, so the function should return 3.
Credits: Special thanks to @ts for adding this problem and creating all test cases.
public class Solution { // you need to treat n as an unsigned value public int hammingWeight(int n) { int cnt = 0; // loop times = number of 1's in the n while(n != 0) { n = n & (n - 1); cnt ++; } return cnt; }}
public class Solution { // you need to treat n as an unsigned value public int hammingWeight(int n) { int bits = 0; int mask = 1; for (int i = 0; i < 32; i++) { if ((mask & n) != 0) bits++; mask = mask << 1; } return bits; }}
/** * @param {number} n - a positive integer * @return {number} */var hammingWeight = function(n) { return n.toString(2) !== '0' ? (n.toString(2).match(/1/g)).length : 0;};
/** * @param {number} n - a positive integer * @return {number} */var hammingWeight = function(n) { return n.toString(2).split('').filter((ele) => ele === '1').length};
public class Solution { // you need to treat n as an unsigned value public int hammingWeight(int n) { int mask = 0x00000001; int count = 0; while(n != 0) { if((n & mask) == 1) { count++; } n >>>=1; } return count; }}
版权声明:本文内容由网络用户投稿,版权归原作者所有,本站不拥有其著作权,亦不承担相应法律责任。如果您发现本站中有涉嫌抄袭或描述失实的内容,请联系我们jiasou666@gmail.com 处理,核实后本网站将在24小时内删除侵权内容。
发表评论
暂时没有评论,来抢沙发吧~