-
Notifications
You must be signed in to change notification settings - Fork 21k
Expand file tree
/
Copy pathAbundantNumber.java
More file actions
58 lines (50 loc) · 1.83 KB
/
AbundantNumber.java
File metadata and controls
58 lines (50 loc) · 1.83 KB
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
package com.thealgorithms.maths;
/**
* In number theory, an abundant number or excessive number is a positive integer for which
* the sum of its proper divisors is greater than the number.
* Equivalently, it is a number for which the sum of proper divisors (or aliquot sum) is greater than n.
*
* The integer 12 is the first abundant number. Its proper divisors are 1, 2, 3, 4 and 6 for a total of 16.
*
* Wiki: https://en.wikipedia.org/wiki/Abundant_number
*/
public final class AbundantNumber {
private AbundantNumber() {
}
// Function to calculate sum of all divisors including n
private static int sumOfDivisors(int n) {
int sum = 1 + n; // 1 and n are always divisors
for (int i = 2; i <= n / 2; i++) {
if (n % i == 0) {
sum += i; // adding divisor to sum
}
}
return sum;
}
// Common validation method
private static void validatePositiveNumber(int number) {
if (number <= 0) {
throw new IllegalArgumentException("Number must be positive.");
}
}
/**
* Check if {@code number} is an Abundant number or not by checking sum of divisors > 2n
*
* @param number the number
* @return {@code true} if {@code number} is an Abundant number, otherwise false
*/
public static boolean isAbundant(int number) {
validatePositiveNumber(number);
return sumOfDivisors(number) > 2 * number;
}
/**
* Check if {@code number} is an Abundant number or not by checking Aliquot Sum > n
*
* @param number the number
* @return {@code true} if {@code number} is a Abundant number, otherwise false
*/
public static boolean isAbundantNumber(int number) {
validatePositiveNumber(number);
return AliquotSum.getAliquotSum(number) > number;
}
}