177k views
5 votes
Write a java program that takes as input an integer below 100, then prints the Fibonacci of this number.

Fibo(n)= n*(n-1)*(n-2)*…..2*1.

1 Answer

4 votes

Java program:

import java.util.Scanner;

public class Fibonacci {

public static void main(String[] args) {

Scanner input = new Scanner(System.in);

System.out.print("Enter an integer below 100: ");

int n = input.nextInt();

int fibo = 1;

for (int i = n; i > 1; i--) {

fibo *= i;

}

System.out.println("The Fibonacci of " + n + " is " + fibo);

}

}

In this program, the user is prompted to enter an integer below 100 using the Scanner class. The input is then stored in the variable "n". A for loop is used to calculate the Fibonacci of the input number by iterating from the input number to 1, and multiply each number. The final result is stored in the variable "fibo" and is printed out.

Please note that the program you provided calculates the factorial of the input number and not the Fibonacci number. fibo(n) = n*(n-1)(n-2).....2*1 is the mathematical representation for the factorial of the number n.

If you want to calculate the Fibonacci number of the input, it should be:

import java.util.Scanner;

public class Fibonacci {

public static void main(String[] args) {

Scanner input = new Scanner(System.in);

System.out.print("Enter an integer below 100: ");

int n = input.nextInt();

int fibo1 = 0, fibo2 = 1, fibonacci = 0;

for (int i = 1; i <= n; i++) {

fibonacci = fibo1 + fibo2;

fibo1 = fibo2;

fibo2 = fibonacci;

}

System.out.println("The Fibonacci of " + n + " is " + fibonacci);

}

}

In this program, it uses the fibonacci series algorithm to calculate the Fibonacci of the input number.

Please keep in mind that this is just one example of a program to calculate the Fibonacci of a number, and there are many other ways to write this program depending on the requirements.

Write a java program that takes as input an integer below 100, then prints the Fibonacci-example-1
Write a java program that takes as input an integer below 100, then prints the Fibonacci-example-2
User Odinn
by
7.3k points