3 回答
TA贡献1725条经验 获得超7个赞
我敢打赌第二种算法会更快,而且显然更节省空间。如果您假设n是输入数字的位数,则在第一个算法中:
Integer.toString
需要n 个步骤才能将其转换为String
.palindromeCheck
需要n / 2 次比较来检查它是否是回文。
但是,第二种算法需要n 个步骤来计算倒数(仅涉及整数运算)并且只需要 1 个比较来检查。
TA贡献1863条经验 获得超2个赞
我们试试吧。在以下示例中(使用一个特定数字,在我的特定机器上......):
580 毫秒 - 您的第一个解决方案
323 毫秒 - 您的第二个解决方案
1045 毫秒 - BrentR 的解决方案
注意我修改了代码(但不是逻辑)。您还应该注意空格和缩进。
public class Palindrome {
public static boolean isPalindrome1(int n) {
char a[] = Integer.toString(n).toCharArray();
int i = 0;
int j = a.length - 1;
while (i < j) {
if (a[i++] != a[j--]) return false;
}
return true;
}
public static boolean isPalindrome2(int n) {
int p = n, q = 0;
while (n > 0) {
q = 10 * q + n % 10;
n /= 10;
}
return p == q;
}
public static boolean isPalindrome3(int n) {
String s = Integer.toString(n);
return s.equalsIgnoreCase(new StringBuilder(s).reverse().toString());
}
public static void main(String[] args) {
final int m = 10000000;
long t1, t2;
boolean q;
t1 = System.currentTimeMillis();
for (int n = 0; n < m; n++) {
q = isPalindrome1(123454321);
}
t2 = System.currentTimeMillis();
System.out.println(t2 - t1);
t1 = System.currentTimeMillis();
for (int n = 0; n < m; n++) {
q = isPalindrome2(123454321);
}
t2 = System.currentTimeMillis();
System.out.println(t2 - t1);
t1 = System.currentTimeMillis();
for (int n = 0; n < m; n++) {
q = isPalindrome3(123454321);
}
t2 = System.currentTimeMillis();
System.out.println(t2 - t1);
}
}
TA贡献1719条经验 获得超6个赞
你为什么要重新发明轮子?
java.lang.StringBuilder 已经提供了字符串反转方法
String string = Integer.toString(10101);
boolean palindrome = string.equalsIgnoreCase(new StringBuilder(string).reverse().toString());
添加回答
举报