Search
 
SCRIPT & CODE EXAMPLE
 

CPP

find nth fibonacci number

// a dynamic programming approach for generating any number of fibonacci number
#include<bits/stdc++.h>
using namespace std;
 
long long int save[100]; // declare any sized array
long long int fibo(int n){
  if(n==0) return 0;
  if(n==1) return 1;
  if(save[n]!=-1) return save[n]; //if save[n] holds any value that means we have already calculated it and can return it to recursion tree
  save[n]=fibo(n-1)+fibo(n-2); // if it come tp this line that means I don't know what is the value of it
  return save[n];
}

int main(){
  ios_base::sync_with_stdio(0);
  cin.tie(0);
  memset(save,-1,sizeof save);
  cout<<fibo(2)<<'
';

  return 0;
}
Comment

nth fibonacci number

def fib(n):
    if(n<0):
        print("Invalid input")
    elif(n==0):
        return 0
    elif(n==1) or (n==2):
        return 1
    else:
        return fib(n-1)+fib(n-2)
n=int(input())
print(fib(n))
Comment

nth fibonacci number

// Find N-th fibonacci number using recursion

#include <bits/stdc++.h>
using namespace std;

int fibo(int n)
{
    if (n == 1)
        return 1;
    if (n == 2)
        return 1;
    return fibo(n - 1) + fibo(n - 2);
}

int main()
{
    int n, T;
    cin >> T;
    while (T--)
    {
        cin >> n;
        cout << fibo(n) << endl;
    }

    return 0;
}
Comment

nth fibonacci number

function nthFibonacci(n, cn = 0, val = 0, pval = 0) {
    if (n == cn) return pval;
    if (val == 0) val++;
    return nthFibonacci(n, cn + 1, val + pval, val);
}
Comment

PREVIOUS NEXT
Code Example
Cpp :: c++ swap function 
Cpp :: casting to a double in c++ 
Cpp :: clear map in C++ 
Cpp :: c++ define array with values 
Cpp :: int to string C++ Using stringstream class 
Cpp :: c++ write string 
Cpp :: time complexity 
Cpp :: oop in c++ have 5 
Cpp :: Temparory Email Id 
Cpp :: count c++ 
Cpp :: copy vector c++ 
Cpp :: how to create a struct in c++ 
Cpp :: C++ Vector Operation Change Elements 
Cpp :: c++ vector operations 
Cpp :: binary tree 
Cpp :: ? c++ 
Cpp :: how to compile c++ code with g+ 
Cpp :: fname from FString 
Cpp :: HMC 5883 Example to return x y z values 
Cpp :: graph colouring 
Cpp :: check if a string is a prefix of another c++ 
Cpp :: c shortest path dijkstra 
Cpp :: The Rating Dilemma codechef solution in c++ 
Cpp :: c++ restrict template types 
Cpp :: Types of Conversions- C++ 
Cpp :: TCA9548 I2CScanner Arduino 
Cpp :: sqrt function in c++ 
Cpp :: variadic template constructor matches better than copy constructor 
Cpp :: Catcoder mars rover solution in c++ 
Cpp :: default order in set in c++ 
ADD CONTENT
Topic
Content
Source link
Name
8+7 =