今天和大家聊的问题叫做 各位相加,我们先来看题面:https://leetcode-cn.com/problems/add-digits/
Given an integer num, repeatedly add all its digits until the result has only one digit, and return it.
给定一个非负整数 num,反复将各个位上的数字相加,直到结果为一位数。
示例
输入: 38 输出: 2 解释: 各位相加的过程为:3 + 8 = 11, 1 + 1 = 2。由于 2 是一位数,所以返回 2。 进阶: 你可以不使用循环或者递归,且在 O(1) 时间复杂度内解决这个问题吗?
解题
这一题考了一个“数根”的概念,关键点就是,一个数 num 和 num + 9 的数根是一样的, 所以结果就是num % 9.
但要注意两种特殊情况:num 是 9 的倍数时,结果应该等于 9;num 为 0 时, 结果为 0.
class Solution { public int addDigits(int num) { if (num == 0) return 0; if (num % 9 == 0) return 9; return num % 9; } }
好了,今天的文章就到这里,如果觉得有所收获,请顺手点个在看或者转发吧,你们的支持是我最大的动力 。