关于java:LeetCode258各位相加

40次阅读

共计 569 个字符,预计需要花费 2 分钟才能阅读完成。

各位相加

题目形容:给定一个非负整数 num,重复将各个位上的数字相加,直到后果为一位数。

示例阐明请见 LeetCode 官网。

起源:力扣(LeetCode)
链接:https://leetcode-cn.com/probl…
著作权归领扣网络所有。商业转载请分割官网受权,非商业转载请注明出处。

解法一:循环

申明一个变量 result 初始化为 num,不同的将各数位的数字相加,而后再将后果赋值给 result,循环解决,直到 result 的值为个位数,最初返回 result。

public class LeetCode_258 {public static int addDigits(int num) {
        // 最初的返回值
        int result = num;
        while (result >= 10) {
            int temp = 0;
            // 各个数位相加
            while (result > 10) {
                temp += result % 10;
                result = result / 10;
            }
            if (result == 10) {temp += 1;} else {temp += result;}
            result = temp;
        }
        return result;
    }

    public static void main(String[] args) {System.out.println(addDigits(385));
    }
}

【每日寄语】 急躁是不屈不挠的货色,无论于得于失,都是最有用的。

正文完
 0