1. 程式人生 > >leetcode 258. 各位相加(Add Digits)

leetcode 258. 各位相加(Add Digits)

pre tle solution urn 整數 目錄 相加 lse digits

目錄

  • 題目描述:
  • 示例:
  • 進階:
  • 解法:

題目描述:

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

示例:

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

進階:

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

解法:

class Solution {
public:
    // method 1:
    int addDigits1(int num){
        while(num >= 10){
            num = num/10 + (num%10);
        }
        return num;
    }
    
    // method 2:
    int addDigits2(int num){
        if(num < 10){
            return num;
        }else if(num%9 == 0){
            return 9;
        }else{
            return num%9;
        }
    }
    
    int addDigits(int num) {
        // return addDigits1(num);  // accepted
        return addDigits2(num);     // accepted
    }
};

leetcode 258. 各位相加(Add Digits)