假设我们有一个翻译莫尔斯符号的函数:
.
->-.
-
->...-
如果我们两次应用这个函数,我们得到例如:
.
-> -.
->...--.
给定一个输入字符串和多次重复,想知道最终字符串的长度。(来自Flemish Programming Contest VPW的问题 1 ,取自这些在 Haskell 中提供解决方案的幻灯片)。
对于给定的输入文件
4
. 4
.- 2
-- 2
--... 50
我们期待解决方案
44
16
20
34028664377246354505728
由于我不知道 Haskell,这是我在 Python 中提出的递归解决方案:
def encode(msg, repetition, morse={'.': '-.', '-': '...-'}):
if isinstance(repetition, str):
repetition = eval(repetition)
while repetition > 0:
newmsg = ''.join(morse[c] for c in msg)
return encode(newmsg, repetition-1)
return len(msg)
def problem1(fn):
with open(fn) as f:
f.next()
for line in f:
print encode(*line.split())
它适用于前三个输入,但因最后一个输入的内存错误而死。
你将如何以更有效的方式重写它?
编辑
根据给出的评论重写:
def encode(p, s, repetition):
while repetition > 0:
p,s = p + 3*s, p + s
return encode(p, s, repetition-1)
return p + s
def problem1(fn):
with open(fn) as f:
f.next()
for line in f:
msg, repetition = line.split()
print encode(msg.count('.'), msg.count('-'), int(repetition))
仍然欢迎对风格和进一步改进发表评论