forked from HarshCasper/NeoAlgo
-
Notifications
You must be signed in to change notification settings - Fork 0
/
check_strong_number.java
50 lines (43 loc) · 1.24 KB
/
check_strong_number.java
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
/*
Checking for a strong number using indirect recursion
Strong Number = 145
1! + 4! + 5! =145
sumOfFactorialOfDigit(int n) - extracts digit of n and calls factorial(n). Returns sum of factorial of digits
factorial(n)- returns factorial of extracted digits passed in the argument
*/
import java.util.*;
class check_strong_number {
/*recursive function for sum of factorial of digits*/
public static int sumOfFactorialOfDigit(int n)
{
if (n == 0)
return n;
else
return (factorial(n % 10) + sumOfFactorialOfDigit(n / 10));
}
/*recursive function to find the factorial of n */
public static int factorial(int n) {
if (n == 0)
return 1;
else
return (n * factorial(n - 1));
}
public static void main() {
Scanner sc = new Scanner(System.in);
System.out.print(" Enter Number. N = ");
int num = sc.nextInt();
if (num == sumOfFactorialOfDigit(num))
System.out.println(" It is a Strong Number");
else
System.out.println(" It is not a Strong Number");
}
}
/*
Sample Input And Output :
N = 145
It is a Strong Number
N = 534
It is not a Strong Number
Time Complexity : O(n)
Space Complexity : 1
*/