【发布时间】:2020-12-12 17:28:17
【问题描述】:
针对以下问题:
数字的子序列是数字的一系列(不一定是连续的)数字。例如,12345 的子序列包括 123、234、124、245 等。您的任务是生成低于一定长度的子序列。
def generate_subseq(n, m):
"""
Print all subsequence of length at most m that can be found in the given number n.
For example, for n = 20125 and m = 3, we have that the subsequences are
201
202
205
212
215
225
012
015
025
125
>>> generate_subseq(20125, 3)
201
202
205
212
215
225
012
015
025
125
>>> generate_subseq(20125, 5)
20125
"""
以下是无效的解决方案:
package main
import (
"fmt"
"strconv"
)
func generateSubSequence(n int, subSequenceSize int) []int {
digitSequence := intToSequenceOfDigits(n) // [2,0,1,2,5]
var f func([]int, int, int) []int
f = func(digitSequence []int, pickingIndex int, currentSubSequenceSize int) []int {
if pickingIndex+1 == currentSubSequenceSize {
value := sequenceOfDigitsToInt(digitSequence[0:currentSubSequenceSize])
return []int{value}
}
if currentSubSequenceSize == 0 {
return []int{}
}
digit := digitSequence[pickingIndex]
withM := mapDigit(f(digitSequence, pickingIndex-1, currentSubSequenceSize-1), digit)
withoutM := f(digitSequence, pickingIndex-1, currentSubSequenceSize)
return append(withM, withoutM...)
}
return f(digitSequence, len(digitSequence)-1, subSequenceSize)
}
func mapDigit(slice []int, digit int) []int {
result := make([]int, len(slice))
for i, value := range slice {
result[i] = value*10 + digit
}
return result
}
func sequenceOfDigitsToInt(digits []int) int {
result := 0
for _, value := range digits {
result = result*10 + value
}
return result
}
func intToSequenceOfDigits(n int) []int { // [2,0,1,2,5]
var convert func(int) []int
sequence := []int{}
convert = func(n int) []int {
if n != 0 {
digit := n % 10
sequence = append([]int{digit}, sequence...)
convert(n / 10)
}
return sequence
}
return convert(n)
}
func main() {
fmt.Println(generateSubSequence(20125, 3))
}
实际输出为:[225 215 205 212 202 201]
预期输出为:[201 202 205 212 215 225 012 015 025 125]
为什么实际输出缺少一些子序列?比如125等等……
【问题讨论】:
-
提示:通过选择第一个数字,然后从右边的数字中选择长度为 m-1 的子序列,可以得到长度为 m 的子序列。
-
您也可以使用二进制表示的数字的集合位来获取子序列。
-
问题没有说清楚。第一个示例显示了所有长度的组合,但第二个示例 - 仅长度为 3 的组合。示例还说“最大数是 225,所以我们的答案是 225”,而问题没有提到最大值。
-
@MBo 查询编辑了适当的细节
标签: algorithm go recursion data-structures divide-and-conquer