我正在学习F#并且拥有一些Python经验。我真的很喜欢Python函数装饰器;我只是想知道我们在F#中是否有类似的东西?
答案 0 :(得分:10)
F#中的函数装饰器没有语法糖。
对于类型,您可以使用StructuredFormatDisplay
属性来自定义printf内容。以下是F# 3.0 Sample Pack的示例:
[<StructuredFormatDisplayAttribute("MyType is {Contents}")>]
type C(elems: int list) =
member x.Contents = elems
let printfnSample() =
printfn "%A" (C [1..4])
// MyType is [1; 2; 3; 4]
对于函数,您可以使用函数组合轻松表达Python's decorators。例如,this Python example
def makebold(fn):
def wrapped():
return "<b>" + fn() + "</b>"
return wrapped
def makeitalic(fn):
def wrapped():
return "<i>" + fn() + "</i>"
return wrapped
@makebold
@makeitalic
def hello():
return "hello world"
可以翻译成F#,如下所示
let makebold fn =
fun () -> "<b>" + fn() + "</b>"
let makeitalic fn =
fun () -> "<i>" + fn() + "</i>"
let hello =
let hello = fun () -> "hello world"
(makebold << makeitalic) hello