华为机试---上台阶



题目描述

有一楼梯共m级,刚开始时你在第一级,若每次只能跨上一级或者二级,要走上m级,共有多少走法?注:规定从一级到一级有0种走法。

给定一个正整数int n,请返回一个数,代表上楼的方式数。保证n小于等于100。为了防止溢出,请返回结果Mod 1000000007的值。

测试样例:
3
返回:2
相当于菲波那切数列   0 1 2 3 5 8 .....
import java.util.*;
public class GoUpstairs {
    public int countWays(int n) {
        int[] steps = new int[n + 1];
  steps[1] = 0;
  steps[2] = 1;
  steps[3] = 2;
  for(int i = 4 ; i < n + 1 ; i++){   
   steps[i] = (steps[i - 1] + steps[i - 2]) % 1000000007; //防止溢出
  }
  return steps[n];
    }
}
 
 

你可能感兴趣的:(java,华为)