You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.

85 lines
1.9 KiB

2 years ago
package class19;
public class Code03_OneNumber {
public static int solution1(int num) {
if (num < 1) {
return 0;
}
int count = 0;
for (int i = 1; i != num + 1; i++) {
count += get1Nums(i);
}
return count;
}
public static int get1Nums(int num) {
int res = 0;
while (num != 0) {
if (num % 10 == 1) {
res++;
}
num /= 10;
}
return res;
}
2 years ago
// 测试链接 :
// https://leetcode.cn/problems/1nzheng-shu-zhong-1chu-xian-de-ci-shu-lcof/
// 提交如下方法可以直接通过
public static int countDigitOne(int num) {
2 years ago
if (num < 1) {
return 0;
}
// num -> 13625
// len = 5位数
int len = getLenOfNum(num);
if (len == 1) {
return 1;
}
2 years ago
// num 13625
2 years ago
// tmp1 10000
2 years ago
//
// num 7872328738273
2 years ago
// tmp1 1000000000000
int tmp1 = powerBaseOf10(len - 1);
// num最高位 num / tmp1
int first = num / tmp1;
// 最高1 N % tmp1 + 1
// 最高位first tmp1
int firstOneNum = first == 1 ? num % tmp1 + 1 : tmp1;
// 除去最高位之外剩下1的数量
// 最高位1 10(k-2次方) * (k-1) * 1
// 最高位first 10(k-2次方) * (k-1) * first
int otherOneNum = first * (len - 1) * (tmp1 / 10);
2 years ago
return firstOneNum + otherOneNum + countDigitOne(num % tmp1);
2 years ago
}
public static int getLenOfNum(int num) {
int len = 0;
while (num != 0) {
len++;
num /= 10;
}
return len;
}
public static int powerBaseOf10(int base) {
return (int) Math.pow(10, base);
}
public static void main(String[] args) {
int num = 50000000;
long start1 = System.currentTimeMillis();
System.out.println(solution1(num));
long end1 = System.currentTimeMillis();
System.out.println("cost time: " + (end1 - start1) + " ms");
long start2 = System.currentTimeMillis();
2 years ago
System.out.println(countDigitOne(num));
2 years ago
long end2 = System.currentTimeMillis();
System.out.println("cost time: " + (end2 - start2) + " ms");
}
}