P1255 数楼梯

数楼梯

题目描述

楼梯有 N N N 阶,上楼可以一步上一阶,也可以一步上二阶。

编一个程序,计算共有多少种不同的走法。

输入格式

一个数字,楼梯数。

输出格式

输出走的方式总数。

样例 #1

样例输入 #1

4

样例输出 #1

5

提示

  • 对于 60 % 60\% 60% 的数据, N ≤ 50 N \leq 50 N50
  • 对于 100 % 100\% 100% 的数据, 1 ≤ N ≤ 5000 1 \le N \leq 5000 1N5000

code:

#include
using namespace std;
struct BigInteger
{
    static const int BASE = 100000000;
    static const int WIDTH = 8;
    vector<int> s;
    BigInteger(long long num = 0) { *this = num; } 
    BigInteger operator = (long long num)
	{
    	s.clear();
    	do{
			s.push_back(num % BASE);
    		num/=BASE;
    	}while(num > 0);
    	return *this;
    }
    BigInteger operator = (const string& str) 
	{ 
    	s.clear();
    	int x, len = (str.length() - 1) / WIDTH + 1;
    	for(int i = 0; i < len; i++)
		{
    		int end = str.length() - i*WIDTH;
    		int start = max(0, end - WIDTH);
    		sscanf(str.substr(start, end-start).c_str(), "%d", &x);
    		s.push_back(x);
    	}
    	return *this;
    }
  	BigInteger operator + (const BigInteger& b) 
	{
   		BigInteger c;
    	c.s.clear();
    	for(int i = 0, g = 0; ; i++)
		{
      		if(g == 0 && i >= s.size() && i >= b.s.size()) break;
      		int x = g;
      		if(i < s.size()) x += s[i];
      		if(i < b.s.size()) x += b.s[i];
      		c.s.push_back(x % BASE);
      		g = x / BASE;
    	}
    	return c;
   }
};

ostream& operator << (ostream &out, const BigInteger& x)
{
    out << x.s.back();
    for(int i=x.s.size()-2;i>=0;i--) 
	{
    	char buf[20];
    	sprintf(buf, "%08d", x.s[i]);
    	for(int j = 0; j < strlen(buf); j++) out << buf[j];
    }
  return out;
}
istream& operator >> (istream &in, BigInteger& x)
{
    string s;
    if(!(in >> s)) return in;
    x = s;
    return in;
}
int main() 
{
	int n;
	cin>>n;
    BigInteger a,b,c;
    for(int i=2;i<=n;i++)
    {
    	c=a+b;
    	a=b;
    	b=c;
	}
	cout<<c;
    return 0;
}

还是刘爷爷的大整数

你可能感兴趣的:(算法,数据结构,c++,KISS,刘汝佳·)