Given an integer n, return the decimal value of the binary string formed by concatenating the binary representations of 1 to n in order, modulo 10^9 + 7.
Example 1:
Input: n = 1
Output: 1
Explanation: "1" in binary corresponds to the decimal value 1.
Example 2:
Input: n = 3
Output: 27
Explanation: In binary, 1, 2, and 3 corresponds to "1", "10", and "11".
After concatenating them, we have "11011", which corresponds to the decimal value 27.
Example 3:
Input: n = 12
Output: 505379714
Explanation: The concatenation results in "1101110010111011110001001101010111100".
The decimal value of that is 118505380540.
After modulo 109 + 7, the result is 505379714.
public int concatenatedBinary(int n) {
if (n < 1) {
return 0;
}
int MOD = 1000000007;
int total = 0;
for (int i = 1; i <= n; i++) {
String binaryStr = Integer.toBinaryString(i);
int len = binaryStr.length();
for (int j = 0; j < len; j++) {
total = ((total * 2) % MOD + (binaryStr.charAt(j) - '0' % MOD)) % MOD;
}
}
return total;
}
public int concatenatedBinary(int n) {
final int MOD = 1000000007;
int length = 0; // bit length of addends
long result = 0; // long accumulator
for (int i = 1; i <= n; i++) {
// when meets power of 2, increase the bit length
if ((i & (i - 1)) == 0) {
length++;
}
result = ((result << length) | i) % MOD;
}
return (int) result;
}