1

我一直在尝试使用 Websharper 创建一个表单来收集用户输入。到目前为止,我已经为我的网站确定了三个操作:

type MyAction =
    | [<CompiledName "">] Index
    | [<Method "POST">] GetUser of username : string
    | Stats of username: string

使用 Sitelet.Infer 我已经设法实现了基本的 UI,但我不知道如何引用我的输入框的内容(用户名输入):

Sitelet.Infer <| function
    | Index ->
        Content.PageContent <| fun ctx ->
            let usernameInput= Input [Text ""]
            { Page.Default with
                Title = Some "Welcome!"
                Body = 
                    [ 
                        Div [
                            Form
                                [
                                    usernameInput-< [Name "username" ]
                                    Input [Value "Request"] -< [Type "submit" ]

                                ] -< [ Attr.Action (ctx.Link (* GetUser usernameInput.Content *) ); Method "POST" ]
                        ]
                    ]
            }
    | GetUser username ->
        Content.Redirect <| Stats username
    | Stats username ->
        Content.PageContent <| fun ctx ->
            { Page.Default with
                Body = [Text ("Stats for " + username)] }

我注意到 usernameInput 没有任何像“Value”这样的字段,我猜它要么需要转换,要么我做错了什么。

我不想在我的代码中使用 JavaScript(是否可以在 Sitelet 中混合 Html.Server 和 Html.Client 元素?)。

4

1 回答 1

1

表单 POST 数据不通过 URL 传递,因此您不能使用ctx.Link. 它通过请求正文自动传递,格式类似于 GET 查询参数(例如,在您的情况下,username=myusername)。Sitelet.Infer虽然我们将来可能会添加它,但目前还没有被 解析。现在您可以使用不带参数的操作,然后从请求中提取数据:

type MyAction =
    | [<Method "POST">] GetUser
    | // ...

Sitelet.Infer <| function
    | GetUser ->
        Content.CustomContentAsync <| fun ctx ->
            match ctx.Request.Post.["username"] with
            | None -> Content.NotFound
            | Some username -> Content.Redirect <| Stats username
            |> Content.ToResponseAsync ctx
    | // ...
于 2015-04-08T09:23:51.893 回答