[Leetcode][172. 阶乘后的零] 3种方法:暴力大数,计算5的个数,对数时间复杂度
By Long Luo
方法一:用大数暴力求解并计算末尾0的数量
因为 \(n!\) 得到的数字会非常大,所以需要使用BigInteger
,得到结果之后,再计算末尾 \(0\) 的数量。1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18import java.math.BigInteger;
class Solution {
public int trailingZeroes(int n) {
BigInteger nFactorResult = BigInteger.ONE;
for (int i = 2; i <= n; i++) {
nFactorResult = nFactorResult.multiply(BigInteger.valueOf(i));
}
int ans = 0;
while (nFactorResult.mod(BigInteger.TEN).equals(BigInteger.ZERO)) {
ans++;
nFactorResult = nFactorResult.divide(BigInteger.TEN);
}
return ans;
}
}
复杂度分析
- 时间复杂度:\(O(n)\), 实际上应该是 \(O(n + \log n)\),但 \(\log n\) 很快,只有 \(O(1)\),所以 \(O(n)\) 。
- 空间复杂度:\(O(1)\)。
方法二:计算1到n中全部5因子数量
思路与算法:
考虑到计算阶乘末尾的每个 \(0\) 表示乘以 \(10\),那么在我们在计算 \(n!\) 时乘以 \(10\) 的次数是多少? 考虑到两个数字 \(a\) 和 \(b\) 相乘,例如,要执行 \(15 \times 24 = 360\),我们可以将其分解为:
\[ 15 \times 24 = 3 \times 5 \times 2 \times 2 \times 2 \times 3 = 360 \]
从上面可以得出,我们只需要考虑 \(2 \times 5\) 的因子有多少对。同时,因为 \(2\) 的因子数比 \(5\) 的因子数要多,所以我们只需要计算 \(1\) 到 \(n\) 的 \(5\) 的因子数有多少即可。