This commit is contained in:
Sainnhe Park 2023-02-08 12:20:07 +08:00
parent ff53de285f
commit 59242266b3
3 changed files with 46 additions and 0 deletions

View File

@ -0,0 +1,13 @@
#ifndef S0509_FIBONACCI_NUMBER_HPP
#define S0509_FIBONACCI_NUMBER_HPP
#include <vector>
using namespace std;
class S0509 {
public:
int fib(int n);
};
#endif

View File

@ -0,0 +1,9 @@
#include "s0509_fibonacci_number.hpp"
int S0509::fib(int n) {
vector<int> dp{0, 1};
for (int i{2}; i <= n; ++i) {
dp.push_back(dp[i - 1] + dp[i - 2]);
}
return dp[n];
}

View File

@ -0,0 +1,24 @@
#include "s0509_fibonacci_number.hpp"
#include <gtest/gtest.h>
TEST(Problem509, Case1) {
int n{2};
int expected{1};
S0509 solution;
EXPECT_EQ(solution.fib(n), expected);
}
TEST(Problem509, Case2) {
int n{3};
int expected{2};
S0509 solution;
EXPECT_EQ(solution.fib(n), expected);
}
TEST(Problem509, Case3) {
int n{4};
int expected{3};
S0509 solution;
EXPECT_EQ(solution.fib(n), expected);
}