我目前正在学习F#并尝试过(非常简单的)FizzBuzz示例。
这是我最初的尝试:
for x in 1..100 do
if x % 3 = 0 && x % 5 = 0 then printfn "FizzBuzz"
elif x % 3 = 0 then printfn "Fizz"
elif x % 5 = 0 then printfn "Buzz"
else printfn "%d" x
使用F#解决这个问题,哪些解决方案可以更优雅/更简单/更好(解释原因)?
注意:FizzBuzz问题正在通过数字1到100,每3个打印Fizz,5个打印Buzz的每个倍数,3和5的每个倍数打印FizzBuzz。否则,简单显示数字。
谢谢:)
答案 0 :(得分:53)
我认为你已经拥有了“最佳”的解决方案。
如果你想展示更多功能性/ F#主义,你可以做到。
[1..100]
|> Seq.map (function
| x when x%5=0 && x%3=0 -> "FizzBuzz"
| x when x%3=0 -> "Fizz"
| x when x%5=0 -> "Buzz"
| x -> string x)
|> Seq.iter (printfn "%s")
并使用列表,序列,地图,iter,模式和部分应用程序。
[1..100] // I am the list of numbers 1-100.
// F# has immutable singly-linked lists.
// List literals use square brackets.
|> // I am the pipeline operator.
// "x |> f" is just another way to write "f x".
// It is a common idiom to "pipe" data through
// a bunch of transformative functions.
Seq.map // "Seq" means "sequence", in F# such sequences
// are just another name for IEnumerable<T>.
// "map" is a function in the "Seq" module that
// applies a function to every element of a
// sequence, returning a new sequence of results.
(function // The function keyword is one way to
// write a lambda, it means the same
// thing as "fun z -> match z with".
// "fun" starts a lambda.
// "match expr with" starts a pattern
// match, that then has |cases.
| x when x%5=0 && x%3=0
// I'm a pattern. The pattern is "x", which is
// just an identifier pattern that matches any
// value and binds the name (x) to that value.
// The "when" clause is a guard - the pattern
// will only match if the guard predicate is true.
-> "FizzBuzz"
// After each pattern is "-> expr" which is
// the thing evaluated if the pattern matches.
// If this pattern matches, we return that
// string literal "FizzBuzz".
| x when x%3=0 -> "Fizz"
// Patterns are evaluated in order, just like
// if...elif...elif...else, which is why we did
// the 'divisble-by-both' check first.
| x when x%5=0 -> "Buzz"
| x -> string x)
// "string" is a function that converts its argument
// to a string. F# is statically-typed, so all the
// patterns have to evaluate to the same type, so the
// return value of the map call can be e.g. an
// IEnumerable<string> (aka seq<string>).
|> // Another pipeline; pipe the prior sequence into...
Seq.iter // iter applies a function to every element of a
// sequence, but the function should return "unit"
// (like "void"), and iter itself returns unit.
// Whereas sequences are lazy, "iter" will "force"
// the sequence since it needs to apply the function
// to each element only for its effects.
(printfn "%s")
// F# has type-safe printing; printfn "%s" expr
// requires expr to have type string. Usual kind of
// %d for integers, etc. Here we have partially
// applied printfn, it's a function still expecting
// the string, so this is a one-argument function
// that is appropriate to hand to iter. Hurrah!
答案 1 :(得分:24)
我的例子只是对'ssp'发布的代码的一个小改进。它使用参数化的活动模式(以除数作为参数)。这是一个更深入的解释:
以下定义了活动模式,我们稍后可以在match
中使用
表达式,用于测试值i
是否可以被值divisor
整除。当我们写:
match 9 with
| DivisibleBy 3 -> ...
...这意味着值'9'将作为i
传递给以下函数,值3
将作为divisor
传递。名称(|DivisibleBy|_|)
是一种特殊的语法,这意味着我们正在声明一个活动模式(名称可以出现在
match
左侧的->
。 |_|
位意味着模式可能失败(我们的示例在值不能被divisor
整除时失败)
let (|DivisibleBy|_|) divisor i =
// If the value is divisible, then we return 'Some()' which
// represents that the active pattern succeeds - the '()' notation
// means that we don't return any value from the pattern (if we
// returned for example 'Some(i/divisor)' the use would be:
// match 6 with
// | DivisibleBy 3 res -> .. (res would be asigned value 2)
// None means that pattern failed and that the next clause should
// be tried (by the match expression)
if i % divisor = 0 then Some () else None
现在我们可以使用match
(或使用Seq.iter
或其他一些技巧,如其他答案所示)迭代所有数字并将它们与模式(我们的活动模式)进行匹配:
for i in 1..100 do
match i with
// & allows us to run more than one pattern on the argument 'i'
// so this calls 'DivisibleBy 3 i' and 'DivisibleBy 5 i' and it
// succeeds (and runs the body) only if both of them return 'Some()'
| DivisibleBy 3 & DivisibleBy 5 -> printfn "FizzBuzz"
| DivisibleBy 3 -> printfn "Fizz"
| DivisibleBy 5 -> printfn "Buzz"
| _ -> printfn "%d" i
有关F#活动模式的更多信息,请here is an MSDN documentation link。我认为,如果删除所有注释,代码将比原始版本更具可读性。它显示了一些非常有用的技巧:-),但在你的情况下,任务相对容易......
答案 2 :(得分:12)
还有一种F#风格的解决方案(即使用Active Patterns):
let (|P3|_|) i = if i % 3 = 0 then Some i else None
let (|P5|_|) i = if i % 5 = 0 then Some i else None
let f = function
| P3 _ & P5 _ -> printfn "FizzBuzz"
| P3 _ -> printfn "Fizz"
| P5 _ -> printfn "Buzz"
| x -> printfn "%d" x
Seq.iter f {1..100}
//or
for i in 1..100 do f i
答案 3 :(得分:10)
添加一个可能的答案 - 这是另一种没有模式匹配的方法。它使用Fizz + Buzz = FizzBuzz
的事实,所以你实际上不需要测试所有三种情况,你只需要看它是否可以被3整除(然后打印“Fizz”)并看看它是否可以整除到5(然后打印“Buzz”),最后打印一个新行:
for i in 1..100 do
for divisor, str in [ (3, "Fizz"); (5; "Buzz") ] do
if i % divisor = 0 then printf str
printfn ""
嵌套for
循环在第一次迭代中将{3}和“Fizz”分配给divisor
和str
,然后在第二次迭代中分配第二对值。好处是,当值可以被7整除时,你可以轻松地添加“Jezz”的打印:...如果解决方案的可扩展性是一个问题!
答案 4 :(得分:6)
还有一个:
let fizzy num =
match num%3, num%5 with
| 0,0 -> "fizzbuzz"
| 0,_ -> "fizz"
| _,0 -> "buzz"
| _,_ -> num.ToString()
[1..100]
|> List.map fizzy
|> List.iter (fun (s:string) -> printfn "%s" s)
答案 5 :(得分:6)
我发现这是一个更易读的答案编辑受到了其他人的启发
let FizzBuzz n =
match n%3,n%5 with
| 0,0 -> "FizzBuzz"
| 0,_ -> "Fizz"
| _,0 -> "Buzz"
| _,_ -> string n
[1..100]
|> Seq.map (fun n -> FizzBuzz n)
|> Seq.iter (printfn "%s")
答案 6 :(得分:1)
这是我的版本:
//initialize array a with values from 1 to 100
let a = Array.init 100 (fun x -> x + 1)
//iterate over array and match *indexes* x
Array.iter (fun x ->
match x with
| _ when x % 15 = 0 -> printfn "FizzBuzz"
| _ when x % 5 = 0 -> printfn "Buzz"
| _ when x % 3 = 0 -> printfn "Fizz"
| _ -> printfn "%d" x
) a
这是我在F#中的第一个程序。
这并不完美,但我认为开始学习F#的人(比如我:)可以很快找出这里发生的事情。
但是我想知道在上面的模式匹配中匹配任何_
或x
本身有什么区别?
答案 7 :(得分:1)
我找不到一个不包含i % 15 = 0测试的工作解决方案。我一直觉得不测试就是这个“愚蠢”任务的一部分。请注意,这可能不是惯用的F#,因为它是我的第一个语言程序。
for n in 1..100 do
let s = seq {
if n % 3 = 0 then yield "Fizz"
if n % 5 = 0 then yield "Buzz" }
if Seq.isEmpty s then printf "%d"n
printfn "%s"(s |> String.concat "")
答案 8 :(得分:0)
这是一个强调通用元组碳化列表的版本:
let carbonations = [(3, "Spizz") ; (5, "Fuzz"); (15, "SpizzFuzz");
(30, "DIZZZZZZZZ"); (18, "WHIIIIII")]
let revCarbonated = carbonations |> List.sort |> List.rev
let carbonRoute someCarbonations findMe =
match(List.tryFind (fun (x,_) -> findMe % x = 0) someCarbonations) with
| Some x -> printfn "%d - %s" findMe (snd x)
| None -> printfn "%d" findMe
let composeCarbonRoute = carbonRoute revCarbonated
[1..100] |> List.iter composeCarbonRoute
答案 9 :(得分:0)
我不喜欢所有这些重复的字符串,这是我的:
open System
let ar = [| "Fizz"; "Buzz"; |]
[1..100] |> List.map (fun i ->
match i % 3 = 0, i % 5 = 0 with
| true, false -> ar.[0]
| false, true -> ar.[1]
| true, true -> ar |> String.Concat
| _ -> string i
|> printf "%s\n"
)
|> ignore
答案 10 :(得分:0)
这是排除模数检查的尝试
let DivisibleBy x y = y % x = 0
[ 1 .. 100 ]
|> List.map (function
| x when DivisibleBy (3 * 5) x -> "fizzbuzz"
| x when DivisibleBy 3 x -> "fizz"
| x when DivisibleBy 5 x -> "buzz"
| x -> string x)
|> List.iter (fun x -> printfn "%s" x)