1. 程式人生 > >leetcode 258. 各位相加

leetcode 258. 各位相加

復雜度 leet ret num 整數 pan 獲得 直接 git

給定一個非負整數 num,反復將各個位上的數字相加,直到結果為一位數。

示例:

輸入: 38
輸出: 2 
解釋: 各位相加的過程為:3 + 8 = 11, 1 + 1 = 2。 由於 2 是一位數,所以返回 2。

進階:
你可以不使用循環或者遞歸,且在 O(1) 時間復雜度內解決這個問題嗎?

思路:獲得num的每一位數,對其逐個求和; 重復這一過程知道和小於10

 1 class Solution {
 2 public:
 3     vector<int> getnum(int num){
 4         vector<int> ans;
 5         while
(num){ 6 ans.push_back(num%10); 7 num/=10; 8 } 9 return ans; 10 } 11 int addDigits(int num) { 12 while(num>=10){ 13 vector<int> temp = getnum(num); 14 int sum = 0; 15 for(int i=0; i<temp.size(); i++) sum += temp[i];
16 num = sum; 17 } 18 return num; 19 } 20 };

不再單獨的去獲取num的每一位,直接把每一位相加

class Solution {
public:
    int addDigits(int num) {
        int sum = 0;
        while(true){
            sum += (num%10);
            num /= 10;
            if(num==0) {
                num = sum;
                sum 
= 0; if(num<10) return num; } } } };

leetcode 258. 各位相加