有没有办法使用歧视联盟中的职能?我正在寻找做这样的事情:

Type Test<'a> = Test of 'a-> bool

我知道在使用新类型的Haskell中这是可能的,我想知道F#中的等效内容是什么。

谢谢。

最佳答案

作为对desco答案的扩展,您可以应用带模式匹配的功能塞入Test中:

type Test<'a> = Test of ('a -> bool)

// let applyTest T x = match T with Test(f) -> f x
// better: (as per kvb's comment) pattern match the function argument
let applyTest (Test f) x = f x


例:

// A Test<string>
let upperCaseTest = Test (fun (s:string) -> s.ToUpper() = s)

// A Test<int>
let primeTest =
    Test (fun n ->
        let upper = int (sqrt (float n))
        n > 1 && (n = 2 || [2..upper] |> List.forall (fun d -> n%d <> 0))
    )


在FSI中:

> applyTest upperCaseTest "PIGSMIGHTFLY";;
val it : bool = true
> applyTest upperCaseTest "PIGSMIgHTFLY";;
val it : bool = false
> [1..30] |> List.filter (applyTest primeTest);;
val it : int list = [2; 3; 5; 7; 11; 13; 17; 19; 23; 29]

08-07 03:51