0

Python。给出列表列表。如何制作将列表中的数据表示为“moreline”字符串的函数,就像每个数据都将显示在其新行中,并且在它前面有很多“*”,与数据深度一样多。

示例:我们有列表 [2, 4, [[3, 8], 1]],现在函数必须生成并返回字符串,函数“打印”将其打印出来,如下所示:

* 2
* 4
*** 3
*** 8
** 1

我现在只做了这个,但它不起作用

def Function(List):
    s=''
    Count=0
    for element in List:
        Count+=1
        if type(element)==type([]):
            s+=Function(element)

        else:
            s+=Count*'*'+str(element)+('\n')


    return s

如果用 print(s) 替换 return (s) 它会报告我一个错误...但是如果我返回 s 而不是我自己打印该字符串它可以正常工作,但又不是它应该如何

>>> Function([2, 4, [[3, 8], 1]])
'*2\n*4\n*3\n*8\n**1\n'
>>> print('*2\n*4\n*3\n*8\n**1\n')
*2
*4
*3
*8
**1

问题出在哪里,我找不到。我应该更换、移除什么等?

4

3 回答 3

1

您需要传递count给递归调用;局部变量不会神奇地转移到新的函数调用:

def format_nested(lst, depth=1):
    s = []
    for element in lst:
        if isinstance(element, list):
            s.append(print_nested(element, depth + 1))
        else:
            s.append('{0} {1}\n'.format(depth * '*', element))
    return ''.join(s)

我用代码解决了其他各种问题:

  • 使用描述性的函数和参数名称。Function不是一个好名字。
  • 使用列表来构建字符串的元素,然后使用str.join(); 它比通过连接建立字符串要快。
  • 仅在递归时增加深度计数器,而不是针对列表当前级别中的每个元素。
  • 用于isinstance()测试特定类型。
  • 字符串格式化使得将字符串与常量元素(例如空格和换行符)一起构建变得更容易一些。

演示:

>>> format_nested([2, 4, [[3, 8], 1]])
'* 2\n* 4\n*** 3\n*** 8\n** 1\n'
>>> print format_nested([2, 4, [[3, 8], 1]])
* 2
* 4
*** 3
*** 8
** 1
于 2013-11-10T22:42:30.920 回答
1
def r(l, depth=0, ret=[]):
    if isinstance(l,list):
        for i in l:
            r(i, depth+1)
    else:
        ret.append('*' * depth + str(l))
    return ret

print '\n'.join(r([2, 4, [[3, 8], 1]]))

输出:

*2
*4
***3
***8
**1
于 2013-11-10T22:53:21.807 回答
0

通常将这些东西表达为生成器更容易

L = [2, 4, [[3, 8], 1]]

def nest_gen(L):
    if isinstance(L, list):
        for i in L:
            for j in nest_gen(i):
                yield "*"+str(j)
    else:
        yield L

for row in nest_gen(L):
    print(row)

在 Python3.3+ 中,您可以使用yield from

L = [2, 4, [[3, 8], 1]]

def nest_gen(L):
    if isinstance(L, list):
        yield from ("*"+str(j) for i in L for j in nest_gen(i))
    else:
        yield L

for row in nest_gen(L):
    print(row)

您可以将深度/项目作为元组生成,而不是一遍又一遍地连接字符串

L = [2, 4, [[3, 8], 1]]

def nest_gen(L):
    if isinstance(L, list):
        yield from ((j+1, k) for i in L for j, k in nest_gen(i))
    else:
        yield 0, L

for item in nest_gen(L):
    print("{:*>{}} {}".format('', *item))
于 2013-11-10T22:53:36.590 回答