LeetCode每日一題:自除數(No.728)

胖宅老鼠發表於2019-03-28

題目:自除數


自除數 是指可以被它包含的每一位數除盡的數。
例如,128 是一個自除數,因為 128 % 1 == 0,128 % 2 == 0,128 % 8 == 0。
還有,自除數不允許包含 0 。
給定上邊界和下邊界數字,輸出一個列表,列表的元素是邊界(含邊界)內所有的自除數。
複製程式碼

示例:


輸入: 
上邊界left = 1, 下邊界right = 22
輸出: [1, 2, 3, 4, 5, 6, 7, 8, 9, 11, 12, 15, 22]
複製程式碼

思考:


這道題可以通過迴圈,利用求餘的方法求得每一位的數,然後判斷餘數a為0或者與a求餘不為0則不是自除數。
複製程式碼

實現:


class Solution {
 public List<Integer> selfDividingNumbers(int left, int right) {
    List<Integer> list = new ArrayList<>();
    for (int count = left; count <= right; count++) {
        int temp = count;
        boolean flag = true;
        while (temp > 0) {
            int a = temp % 10;
            if (a == 0 || (count % a) != 0) {
                flag = false;
                break;
            }
            temp /= 10;
        }
        if (flag) {
            list.add(count);
        }
    }
    return list;
}
}複製程式碼

相關文章