给出集合 [1,2,3,…,n]
,其所有元素共有 n! 种排列。
按大小顺序列出所有排列情况,并一一标记,当 n = 3 时, 所有排列如下:
"123"
"132"
"213"
"231"
"312"
"321"
给定 n 和 k,返回第 k 个排列。
说明:
- 给定 n 的范围是 [1, 9]。
- 给定 k 的范围是[1, n!]。
示例 1:
输入: n = 3, k = 3 输出: "213"
示例 2:
输入: n = 4, k = 9 输出: "2314"
题目标签:Math / Backtracking
题目链接:LeetCode / LeetCode中国
直接用Python自带的itertools.permutations
枚举所有组合并缓存在类属性里,很暴力地AC了,当然时间复杂度也高。
Language | Runtime | Memory |
---|---|---|
python3 | 164 ms | N/A |
import itertools
class Solution:
cache = {}
def getPermutation(self, n, k):
"""
:type n: int
:type k: int
:rtype: str
"""
if n not in __class__.cache:
__class__.cache[n] = list(itertools.permutations(range(1, n+1)))
return ''.join(map(str, __class__.cache[n][k-1]))