2014-04-23 48 views
0

我需要使用递归为collat​​z猜想编写python代码,其中提示用户输入正整数,如果偶数乘以3,则该数字除以2并且如果奇数则加1,并且该序列继续,直到该值等于1。我还必须提示用户选择如何显示序列,无论是计算,颠倒或作为回文的标准方式(向前和向后,即86324895159842368)。下面是我现在所拥有的。我没有计算序列本身的问题,但我不知道如何实现第二个参数。任何时候我试图将方向定义为F,B或P,我都会遇到一些错误。任何帮助,我需要去与此将不胜感激使用递归和python中的多个参数的collat​​z猜想2.7

## CollatzRecursion 


### 
# define your RECURSIVE version of Collatz below this comment so that it runs 
# correctly when called from below. 

def Collatz(m): 
    seq = [m] 
    if m < 1: 
     return [] 
    while m > 1: 
     if m % 2 == 0: 
     m = m/2 
     else: 
     m = 3 * m + 1 
     seq.append(m)  
     if displaymode (F) : 
     return seq 
     if displaymode (B) : 
     seq = seq[::-1] 
     return seq 
     if displaymode (P) : 


# 
# REQUIREMENTS: 
# a) The correct sequence must be printed, all the values on one line. 
# b) Your Collatz function must use recursion. 
# c) Aside from two arguments accepting a positive integer value and the letter 
#  F, B, or P; your Collatz function MAY NOT use any other internal variables. 
# d) Your Collatz function may accept only the two arguments described in (c). 
# e) If the second argument is 'F', the sequence should b printed in its 
#  naturally generated order. 
#  If the second argument is 'B', the sequence should be printed in reverse. 
#  If the second argument is 'P', then a palindrome of the sequence values should 
#  be printed (see http://en.wikipedia.org/wiki/Palindrome). In this case 
#  it doesn't matter if your function prints the first value as 1 or the 
#  value provided by the user. 
### 







### 
# Do NOT alter Python code below this line 
### 
m = input("Enter a positive integer value: ") 
displaymode = '' # initialize to anything not F, B, P 
while displaymode not in ['F', 'B', 'P'] : 
    displaymode = raw_input("Choose a display mode: F=forward, B=backward,   P=palindrome: ") 

Collatz(m, displaymode) 
print 
+0

着:'“”。加入( str(x)代表Collat​​z(m)中的x)',向后:'''.join(str(x)代表x在反向(Collat​​z(m)))'',回文:'a =''.join(str (x)对于Collat​​z(m)中的x)\ n打印a +反向(a)'\ – njzk2

+0

如果您有错误,则应提供回溯 – jonrsharpe

回答

0

首先,你目前的做法是不递归的请求。

我个人会做这样的事情(有需要递归和缺乏额外的变量的遵守):

def collatz(acc, mode): 
    if isinstance(acc, int): 
     acc = [acc] 
    if acc[-1] == 1: 
     if mode not in 'FBP': 
      raise Exception('Unsupported display type') 
     if mode == 'F': 
      print ''.join(map(str, acc)) 
     elif mode == 'B': 
      print ''.join(map(str, acc[::-1])) 
     else: 
      print ''.join(map(str, acc + acc[::-1])) 
     return 
    collatz(acc + [acc[-1] * 3 + 1 if acc[-1] % 2 else acc[-1]/2], mode) 

使用范例:

>>> collatz(11, 'F') 
1134175226134020105168421 
>>> collatz(11, 'B') 
1248165102040132652173411 
>>> collatz(11, 'P') 
11341752261340201051684211248165102040132652173411 
相关问题