Skip to content

LintCode 3127 How Many Times is Two Squared?

Published: at 06:23 AM

Table of contents

Open Table of contents

Description

Receives a positive integer n.

Outputs a positive integer representing the smallest integer power of 2 greater than n.

The data guarantees that the result is within the unsigned int data range.

Example

Input Sample 1:

4

Output sample 1:

8

2^0 = 1 2^1 = 2 2^2 = 4 2^3 = 8 So the smallest integer power of 2 larger than 4 is 8.

Input Sample 2:

13

Output Example 2:

16

The integer powers of 2 are 1, 2, 4, 8, 16, 32... The smallest integer power of 2 greater than 13 is 16.

Hide Hint

Solution

Idea

We can start from 2 and multiply the result by 2 until it is greater than n.

To check the integral data limits, it is better to check the official language reference. For C++, you can check the size of the various types of integers such as int, char, and unsigned long long at cppreference. The question mentioned the result can fit in unsigned int.

Complexity: Time O(log2n)O(\log_2n), Space O(1)O(1).

C++

#include <iostream>

using namespace std;

int main() {
    int n; cin >> n;
    unsigned int res = 2;
    while (res<=n) res <<= 1;
    cout << res;
    return 0;
}

Previous Post
LeetCode 1041 LintCode 1345 Robot Bounded in Circle (GeeksForGeeks, HackerRank EnCircular)
Next Post
LeetCode 1346 Check If N and Its Double Exist