友情支持
如果您觉得这个笔记对您有所帮助,看在D瓜哥码这么多字的辛苦上,请友情支持一下,D瓜哥感激不尽,😜
有些打赏的朋友希望可以加个好友,欢迎关注D 瓜哥的微信公众号,这样就可以通过公众号的回复直接给我发信息。
公众号的微信号是: jikerizhi 。因为众所周知的原因,有时图片加载不出来。 如果图片加载不出来可以直接通过搜索微信号来查找我的公众号。 |
869. Reordered Power of 2
Starting with a positive integer N
, we reorder the digits in any order (including the original order) such that the leading digit is not zero.
Return true
if and only if we can do this in a way such that the resulting number is a power of 2.
Example 1:
Input: 1
Output: true
Example 2:
Input: 10
Output: false
Example 3:
Input: 16
Output: true
Example 4:
Input: 24
Output: false
Example 5:
Input: 46
Output: true
Note:
-
1 <= N <= 10^9
思路分析
根据数字,对其对应的字符数组进行排序,然后再取得其对应的字符串。
一次计算 2 的幂次方,然后在字符串长度相等的情况下,排序其对应的字符数组,再转化成字符串跟参数的字符串想比较。
-
一刷
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
/**
* @author D瓜哥 · https://www.diguage.com
* @since 2024-09-25 20:47:35
*/
public boolean reorderedPowerOf2(int n) {
char[] chars = String.valueOf(n).toCharArray();
Arrays.sort(chars);
int pow = 1;
String str = new String(chars);
for (int i = 0; Math.pow(2, i - 1) < Integer.MAX_VALUE; i++) {
String ps = String.valueOf(pow);
if (ps.length() == chars.length) {
char[] pchars = ps.toCharArray();
Arrays.sort(pchars);
if (str.equals(new String(pchars))) {
return true;
}
}
pow *= 2;
}
return false;
}