import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;
public class Main {
public static void main(String[] args) throws IOException {
BufferedReader bf = new BufferedReader(new InputStreamReader(System.in));
int num = Integer.parseInt(bf.readLine());
int result = 1;
for (int i = 1; i<=num; i++) {
result *= i;
}
System.out.println(result);
}
}
import java.io.BufferedReader;
import java.io.InputStreamReader;
import java.io.IOException;
public class Main {
public static void main(String[] args) throws IOException {
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
int N = Integer.parseInt(br.readLine());
int sum = factorial(N);
System.out.println(sum);
}
public static int factorial(int N) {
if(N <= 1) return 1; // 재귀 종료조건
return N * factorial(N - 1);
}
}
입력받은수 팩토리얼을 출력하는 문제이다.
#1과 같이 반복문으로 쉽게 접근할 수 있다.
#2처럼 재귀로 풀어도 가능하다.
아래는 만약 N이 6일때 재귀 동작 방식이다.
// return N * factorial(N - 1);
6 * factorial(5){
5 * factorial(4){
4 * factorial(3){
3 * factorial(2){
2 * factorial(1){
return 1;
}
return 2 * 1;
}
return 3 * 2 * 1;
}
return 4 * 3 * 2 * 1;
}
return 5 * 4 * 3 * 2 * 1;
}
return 6 * 5 * 4 * 3 * 2 * 1;