C#LeetCode刷题之#231-2的幂(Power of Two)

版权声明:Iori 的技术分享,所有内容均为本人原创,引用请注明出处,谢谢合作! https://blog.csdn.net/qq_31116753/article/details/82904499

问题

给定一个整数,编写一个函数来判断它是否是 2 的幂次方。

输入: 1

输出: true

解释: 20 = 1

输入: 16

输出: true

解释: 24 = 16

输入: 218

输出: false


Given an integer, write a function to determine if it is a power of two.

扫描二维码关注公众号,回复: 3467951 查看本文章

Credits:
Special thanks to @jianchao.li.fighter for adding this problem and creating all test cases.


示例

public class Program {

    public static void Main(string[] args) {
        var n = 8;
        var res = IsPowerOfTwo(n);
        Console.WriteLine(res);

        n = 513;
        res = IsPowerOfTwo2(n);
        Console.WriteLine(res);

        Console.ReadKey();
    }

    private static bool IsPowerOfTwo(int n) {
        //先看原值是否能被2整除
        //若不能整除,不是2的幂;
        //若能整除,继续往下,直接<=1时为止
        //最后判断值是否为1即可
        while(n % 2 == 0 && (n /= 2) > 1) { }
        return n == 1;
    }

    private static bool IsPowerOfTwo2(int n) {
        //2为10,4为100
        //2-1为01,4-1为011
        //对它们进行“与”运算
        //10 & 01 = 0
        //100 & 011 = 0
        //得出结论,如果一个数n为2的幂,则n & (n - 1) = 0
        return ((n > 0) && (n & (n - 1)) == 0);
    }

}

以上给出2种算法实现,以下是这个案例的输出结果:

True
False

分析:

显而易见,IsPowerOfTwo 的时间复杂度为: O(logn) ,IsPowerOfTwo2 的时间复杂度为: O(1) 。

猜你喜欢

转载自blog.csdn.net/qq_31116753/article/details/82904499
今日推荐