DFS를 배우기 전에 먼저 재귀함수를 숙지해야한다.
# python
def recursive_function():
print('재귀함수를 호출합니다.')
recursive_function()
recursive_function()
# python
def recursive_function(i):
# 100번째 호출을 했을 때 종료되도록 종료조건 명시
if i == 100:
return
print(i, '번째 재귀함수에서', i+1, '번째 재귀함수를 호출합니다.')
recursive_function(i+1)
print(i, '번째 재귀함수를 종료합니다.')
recursive_function(1)
↪ 스택에 쌓이면서 호출 -> 마지막 호출 함수부터 차례대로 종료 (✅참고)
n! = 1 x 2 x 3 x ... x (n-1) x n
✅수학적으로 0!과 1!의 값은 1
class Main {
// 반복적으로 구현한 n!
// 1*2*3*4*5
public static int factorialIterative(int n) {
int result = 1;
// 1부터 n까지의 수를 차례대로 곱하기
for(int i = 1; i <= n; i++) {
result *= 1;
}
return result;
}
// 재귀적으로 구현한 n!
// 5*4*3*2*1
// 수학적 식의 원리로 구현하므로 코드가 반복문보다 직관적
public static int factorialRecursive(int n) {
// (중요! 종료조건) n이 1이하인 경우 1을 반환
if(n <= 1) return 1;
// n! = n * (n-1)!를 그대로 코드로 작성하기
return n * factorialRecursive(n - 1);
}
public static void main(String args[]) {
// 각각의 방식으로 구현한 n! 출력(n = 5)
System.out.println("반복적으로 구현 : " + factorialIterative(5));
System.out.println("재귀적으로 구현 : " + factorialRecursive(5));
}
}
class Main {
public static int gcd(int a, int b) {
// a가 b의 배수이면
if(a % b == 0) {
return b;
}else{
return gcd(b, a%b);
}
}
public static void main(String args[]) {
// 동작 과정 상, 호출 시 a가 b보다 클 필요없다.
System.out.println(gcd(192, 162));
}
}