标签:com log 参考资料 ADG trail 复杂 说明 tor 示例
172. 阶乘后的零
LeetCode172. Factorial Trailing Zeroes
题目描述
给定一个整数 n,返回 n! 结果尾数中零的数量。
示例 1:
输入: 3
输出: 0
解释: 3! = 6, 尾数中没有零。
示例 2:
输入: 5
输出: 1
解释: 5! = 120, 尾数中有 1 个零.
说明: 你算法的时间复杂度应为 O(log n) 。
Java 实现
class Solution {
// 递归思路
public static int trailingZeroes1(int n) {
return n < 5 ? 0 : n / 5 + trailingZeroes(n / 5);
}
// 非递归思路
public static int trailingZeroes(int n) {
int result = 0;
while (n > 0) {
result += n / 5;
n /= 5;
}
return result;
}
}
参考资料
LeetCode 172. 阶乘后的零(Factorial Trailing Zeroes)
标签:com log 参考资料 ADG trail 复杂 说明 tor 示例
原文地址:https://www.cnblogs.com/hglibin/p/10806838.html