0

我只需要用逗号分隔我的输出,这样它就会像这样打印 1,2,fizz 等

for x in range (1, 21):
    if x%15==0:
        print("fizzbuzz",end=" ")
    elif x%5==0:
        print (("buzz"),end=" ") 
    elif x%3==0:
        print (("fizz"),end=" ")
    else:
        print (x,end=" ")

我可以在 "" 所在的位置添加一个逗号,但我的列表将在末尾打印一个逗号,例如 1,2,fizz,4,buzz,fizz,7,8,fizz,buzz,11,fizz,13,14,fizzbuzz ,16,17,嘶嘶声,19,嗡嗡声,

我已经查看了我的笔记并继续学习 python 教程,但我不确定如何去掉最后一个逗号或使用更有效的方法,而不是仅仅添加逗号而不是空格。

我之前问过这个,但我对措辞感到困惑,所以我的问题变得非常混乱。我知道这可能很简单,但这是我第一次编程,所以我是菜鸟。我的讲师没有向我解释如何做到这一点。我真的可以使用一些帮助/指针。谢谢。

4

2 回答 2

5

不要立即打印它们,而是将所有内容都放在字符串列表中。然后用逗号加入列表并打印结果字符串。

于 2013-08-29T00:27:30.633 回答
4

这可能是学习生成器的一个很好的例子。生成器看起来像一个普通函数,它使用yield而不是return. 不同之处在于,当使用生成器函数时,它表现为一个可迭代对象,产生一系列值。尝试以下操作:

#!python3

def gen():
    for x in range (1, 21):
        if x % 15 == 0:
            yield "fizzbuzz"
        elif x % 5 == 0:
            yield "buzz"
        elif x % 3 == 0:
            yield "fizz"
        else:
            yield str(x)


# Now the examples of using the generator.
for v in gen():
    print(v)

# Another example.
lst = list(gen())   # the list() iterates through the values and builds the list object
print(lst)

# And printing the join of the iterated elements.
print(','.join(gen()))  # the join iterates through the values and joins them by ','

# The above ','.join(gen()) produces a single string that is printed.
# The alternative approach is to use the fact the print function can accept more
# printed arguments, and it is possible to set a different separator than a space.
# The * in front of gen() means that the gen() will be evaluated as iterable.
# Simply said, print can see it as if all the values were explicitly writen as 
# the print arguments.
print(*gen(), sep=',')

请参阅http://docs.python.org/3/library/functions.html#printprint处的函数参数的文档,并在http://docs.python.org/3/reference/expressions.html#*expression处调用参数来电

最后一种方法的另一个优点print是参数不必是字符串类型。gen()显式使用定义str(x)而不是普通定义的原因x是因为.join()要求所有连接的值都必须是字符串类型。在print内部将所有传递的参数转换为字符串。如果gen()使用 plain yield x,并且您坚持使用连接,则join可以使用生成器表达式即时将参数转换为字符串:

','.join(str(x) for x in gen())) 

它显示在我的控制台上:

c:\tmp\___python\JessicaSmith\so18500305>py a.py
1
2
fizz
4
buzz
fizz
7
8
fizz
buzz
11
fizz
13
14
fizzbuzz
16
17
fizz
19
buzz
['1', '2', 'fizz', '4', 'buzz', 'fizz', '7', '8', 'fizz', 'buzz', '11', 'fizz',
'13', '14', 'fizzbuzz', '16', '17', 'fizz', '19', 'buzz']
1,2,fizz,4,buzz,fizz,7,8,fizz,buzz,11,fizz,13,14,fizzbuzz,16,17,fizz,19,buzz
1,2,fizz,4,buzz,fizz,7,8,fizz,buzz,11,fizz,13,14,fizzbuzz,16,17,fizz,19,buzz
于 2013-08-29T12:16:22.330 回答