剑指offer——矩形覆盖
作者:互联网
目录
题目
我们可以用21的小矩形横着或者竖着去覆盖更大的矩形。请问用n个21的小矩形无重叠地覆盖一个2*n的大矩形,总共有多少种方法?
思路
对于很多递归问题,我们都可以通过归纳总结来找出他们的规律:
当n=1时,way=1(横或竖)
当n=2时,way=2(全横或全竖)
当n=3时,way=3(全竖&横横竖&竖横横)
当n=4时,way=5(全竖&全横&竖横横竖&竖竖横横&横横竖竖)
当n=5时,way=8(全竖&竖横横竖竖&竖横横横横&竖竖横横竖&竖竖竖横横&横横竖竖竖&横横横横竖&横横竖横横)
…
n=(n-1)+(n-2);
于是问题有转换成了之前的斐波那契数列问题了,依旧时同样的方法求解:
代码
public class Solution {
public int rectCover(int target) {
if(target <= 0) return 0;
return fun(1,2,target);
}
public static int fun(int first,int second,int n){
if(n == 1){
return first;
}else if(n == 2){
return second;
}else if(n ==3){
return first+second;
}
return fun(second,second+first,n-1);
}
}
结果
标签:return,覆盖,offer,横竖,全竖,second,way,矩形 来源: https://blog.csdn.net/qq_43722914/article/details/114376384