2012.9.15 Leetcode 258. Add Digits

Given a non-negative integer num, repeatedly add all its digits until the result has only one digit.

For example:

Given num = 38, the process is like: 3 + 8 = 11, 1 + 1 = 2. Since 2 has only one digit, return it.

Follow up:
Could you do it without any loop/recursion in O(1) runtime?

这道题最终返回的是一位的数,也就是0—9中的某个数字,用数字推理即可得出规律,发现好多题都是要用笔划几下~
————————————————————————————
<u>num</u>——<u>返回结果</u>
0——0
1——1
···
9——9
10——1
11——2
···
18——9
19——1
20——2
···
27——9
···
——————————————————————————————
逐渐验算的过程中发现,每到9的倍数的时候,返回的都是9,在那之前是从1开始逐渐递增的,也就是每9个一循环,输入距离是9,所以这道题的解法也就出来了
<u>Runtime: 6 ms</u>

class Solution {
public:
    int addDigits(int num) {
        if(num == 0)//0时单独对待
            return 0;
        else if(num%9 == 0){//9的倍数的时候单独对待
            return 9;
        }else{//否则其他情况,返回9的模
            return num%9;
        }
    }
};
    原文作者:Y姑娘111920
    原文地址: https://www.jianshu.com/p/97d5033d5a7b
    本文转自网络文章,转载此文章仅为分享知识,如有侵权,请联系博主进行删除。
点赞