LeetCode刷题实战172:阶乘后的零
程序IT圈
共 1103字,需浏览 3分钟
·
2021-02-02 15:11
Given an integer n, return the number of trailing zeroes in n!.
题意
示例 1:
输入: 3
输出: 0
解释: 3! = 6, 尾数中没有零。
示例 2:
输入: 5
输出: 1
解释: 5! = 120, 尾数中有 1 个零.
解题
class Solution {
public:
int trailingZeroes(int n) {
int count = 0;
while (n > 1)
count += (n /= 5);
return count;
}
};
评论