輸入整數,返回數組,並代替某些位置的數

題目:Fizz Buzz

題目詳情:

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”.

翻譯:

輸入一個整數,返回一個由1到n組成的有序的數組,但是在3的倍數的位置輸出”Fizz”,在5的倍數的位置輸出”Buzz”,在同時是3和5的倍數的位置輸出”FizzBuzz”.

輸出樣例:

n = 15,

Return:
[
“1”,
“2”,
“Fizz”,
“4”,
“Buzz”,
“Fizz”,
“7”,
“8”,
“Fizz”,
“Buzz”,
“11”,
“Fizz”,
“13”,
“14”,
“FizzBuzz”
]

答案:

public class Solution {
    public List<String> fizzBuzz(int n) {
        String[] insteads = {"Fizz", "Buzz", "FizzBuzz"};
        List<String> rst = new LinkedList<>();
        for (int i=1; i<=n; i++) {
            if (i%3==0 && i%5==0)
                rst.add(insteads[2]);
            else if (i%3==0)
                rst.add(insteads[0]);
            else if (i%5==0)
                rst.add(insteads[1]);
            else
                rst.add(i+"");
        }
        return rst;
    }
}

性能排名

發佈了54 篇原創文章 · 獲贊 16 · 訪問量 7萬+
發表評論
所有評論
還沒有人評論,想成為第一個評論的人麼? 請在上方評論欄輸入並且點擊發布.
相關文章