Write a program that outputs the string representation of numbers from 1 to n.
But for multiples of three it should output “Fizz” instead of the number and for the multiples of five output “Buzz”. For numbers which are multiples of both three and five output “FizzBuzz”.
Example:
n = 15,
Return:
[
"1",
"2",
"Fizz",
"4",
"Buzz",
"Fizz",
"7",
"8",
"Fizz",
"Buzz",
"11",
"Fizz",
"13",
"14",
"FizzBuzz"
]
Subscribe to see which companies asked this question
这个问题太简单了,技巧就是先判断技能被3有能被5整除的,然后再分别判断
class Solution(object):
def fizzBuzz(self, n):
res = []
for i in xrange(1,n+1):
if i % 3 == 0 and i % 5 == 0:
res += 'FizzBuzz',
elif i % 3 == 0:
res += 'Fizz',
elif i % 5 == 0:
res += 'Buzz',
else:
res += str(i),
return res

本文解析了一个经典的编程面试题——FizzBuzz问题,并提供了一个简洁的Python实现方案。该题要求从1到n输出数字,但当数字能被3整除时输出Fizz,被5整除时输出Buzz,同时被3和5整除时输出FizzBuzz。
217

被折叠的 条评论
为什么被折叠?



