AcWing 821. 跳台阶
原题链接
困难
作者:
Backkom
,
2021-03-20 18:44:21
,
所有人可见
,
阅读 319
类似深度优先查找
#include <iostream>
using namespace std;
int n, ans;//必须定义在f前面
void f(int i)
{
if (i == n) ans++;//不用return
else if (i < n)
{
f(i + 1);
f(i + 2);
}
}
int main()
{
cin >> n;
f(0);
cout << ans << endl;
return 0;
}
类似斐波那契数列
#include <iostream>
using namespace std;
int f(int n)
{
if (n == 1) return 1;
else if (n == 2 ) return 2;
else return f(n - 1) + f(n - 2);
}
int main()
{
int n;
cin >> n;
cout << f(n) << endl;
return 0;
}