为什么专门研究monad的类型会导致错误?

Shr*_*roy 3 monads f# computation-expression

以下计算序列无错误地运行:

type Monad_1 () =
    member M.Bind (so : 'T option, bf : 'T -> 'T option) : 'T option =
        match so with
        | Some s -> bf s
        | None -> None
    member M.Delay (df : unit -> 'T) : 'T = // SEE CORRECTION 1
        df ()
    member M.Return (rv : 'T) : 'T option =
        Some rv

let test_1 () : unit =
    let m_1 = Monad_1 ()
    let cero =
        m_1 {
            let x1 = 10
            let! x2 = Some 20
            let! x3 = Some 30
            return x1 + x2 + x3}
    match cero with
    | Some cer -> printfn "%d" cer
    | None -> printfn "None"

test_1 () // Output: 60
Run Code Online (Sandbox Code Playgroud)

现在假设我使用相同的monad并将其专门化为整数类型:

type Monad_2 () =
    member M.Bind (so : int option, bf : int -> int option) : int option =
        match so with
        | Some s -> bf s
        | None -> None
    member M.Delay (df : unit -> int) : int = // SEE CORRECTION 2
        df ()
    member M.Return (rv : int) : int option =
        Some rv

let test_2 () : unit =
    let m_2 = Monad_2 ()
    let cero =
        m_2 {
            let x1 = 10
            let! x2 = Some 20 // ERROR HERE: This expression was expected to have type int, but here has type int option
            let! x3 = Some 30
            return x1 + x2 + x3}
    match cero with
    | Some cer -> printfn "%d" cer
    | None -> printfn "None"

test_2 () // ERROR
Run Code Online (Sandbox Code Playgroud)

有人可以在这里解释我的理解失败吗?如果写出完整的解释需要很长时间,即使提示也会有所帮助.

N_A*_*N_A 5

根据Mauricio Scheffer上面的评论,签名Delay是不正确的.

更正1

M.Delay<'T> (df : unit -> 'T option) : 'T option
Run Code Online (Sandbox Code Playgroud)

更正2

M.Delay (df : unit -> int option) : int option
Run Code Online (Sandbox Code Playgroud)