Last updated
Was this helpful?
Last updated
Was this helpful?
Given an integer n
, return the number of strings of length n
that consist only of vowels (a
, e
, i
, o
, u
) and are lexicographically sorted.
A string s
is lexicographically sorted if for all valid i
, s[i]
is the same as or comes before s[i+1]
in the alphabet.
Example 1:
Example 2:
Example 3:
Constraints:
1 <= n <= 50
这题一看,第一反应是枚举,所以很快就写了brute force的方案。然后看了答案,发现这题水很深。而且自己的实现不够高效。其实这题有很多解法,因为求方案数,所以其实是可以dp的。
解法一:递归brute force,T:O(n5)因为只有5个元音字母。S:O(n)递归深度等于要找string的长度
解法二:利用递推关系来recur,虽然空间和时间复杂度没有改变,但可以引导出下面memorization的解法。这里的递推关系是,countValueString(n, vowels) = countValueString(n - 1, vowels) + countValueString(n, vowels - 1) 。
base case有,n = 1,返回元音字母数;vowels = 1,返回1种做法
解法三:加上memorization。把递归树上重复的计算用memo记录。T:O(N), 每个组合我们只计算一次,然后递归树节点数是n*5;S:O(N),递归深度是n,memo大小是5n,所以总体复杂度是O(n)
因为有两个变量,n和vowel数目,所以memo是一个二维数组
解法四:把memorization变成递推版本。递推公式是
我们建立一个n*vowel的dp数组,下标加1,容易点理解。然后,初始化所有n == 1的情况为vowels数目,vowels == 1的情况数目为1.中间就递推式搞定。复杂度跟上面memorization一样
解法五:数学解,嘛,具体得看solution,反正数学太差没懂。O(1)的解法