<题目链接>
题目大意:
给出一些递归式,直接套用这些递归式计算。
解题分析:
递归式已经由题目明确说明了,但是无脑递归铁定超时,所以此时,我们需要加上记忆化,对于那些已经算过的,就没有必要继续往下递归了,直接调用它的值就行。
#include <cstdio> #include <cstring> int dp[25][25][25]; int w(int a,int b,int c){ if(a<=0||b<=0||c<=0)return 1; else if(a>20||b>20||c>20)return w(20,20,20); if(dp[a][b][c])return dp[a][b][c]; else if(a<b&&b<c){ dp[a][b][c]=w(a,b,c-1)+w(a,b-1,c-1)-w(a,b-1,c); } else{ dp[a][b][c]= w(a-1,b,c)+w(a-1,b-1,c)+w(a-1,b,c-1)-w(a-1,b-1,c-1); } return dp[a][b][c]; } int main(){ int a,b,c; while(scanf("%d %d %d",&a,&b,&c)!=EOF){ if(a==-1&&b==-1&&c==-1)break; printf("w(%d, %d, %d) = %d ",a,b,c,w(a,b,c)); } return 0; }
2018-08-21