计算数字k在0~n中出现的次数,k可能是0~9中的一个数字。
n=12,k=1,在[0,1,2,3,4,5,6,7,8,9,10,11,12]中,1出现了5次(1,10,11,12)。
使用数学方法实现
数学方法:
def count_digit_one(n, k):
count = 0
factor = 1 # 位因子,用于表示当前处理的是个位、十位、百位...
while n // factor != 0:
curr_digit = (n // factor) % 10 # 当前位的数字
high_digit = n // (factor * 10) # 更高位的数字
if curr_digit < k:
count += high_digit * factor
elif curr_digit == k:
count += high_digit * factor + (n % factor) + 1
else:
count += (high_digit + 1) * factor
factor *= 10
return count
print(count_digit_one(12,1))
这段代码中,我们通过循环遍历每个位上的数字,根据当前位的数字与k的大小关系,计算出当前位上k出现的次数,并累加到count中。最终返回count即可。
需要注意的是,以上代码假设了k在0~9之间,如果k超出这个范围,需要进行相应的判断或者报错处理。
整体的时间复杂度是 ,其中 n 是输入数字。