代码之家  ›  专栏  ›  技术社区  ›  Sal Aldana

Razor Pages操作来自输入按钮

  •  2
  • Sal Aldana  · 技术社区  · 7 年前

    我也在努力理解Razor页面是如何工作的。Net核心,通过创建一个小型web应用程序,我一直在研究如何处理表单中的按钮操作。我习惯了MVC类型的流程(从5年前我第一次尝试web应用时开始),其中按钮会有一个onClick操作,可以从后面的代码访问,但这似乎与Razor页面不同(除非我看不到它)。我有一个这样的基本形式

    <form method="post">
    <fieldset>
    <input type="text" value="" placeholder="user name"/>
    <input type="password" value="" placeholder="password"/>
    <input type="button" value="Submit" id="submitButton"/>
    </fieldset>
    

    因此,我试图实现的是当按下按钮时,中的一个动作。调用cs文件将执行两个不同的操作(例如调用API,获取结果,然后根据结果路由到不同的页面),但即使我在按钮上添加了“onClick”,我也不知道如何将其连接到后面的代码。我已经看到了各种各样的答案,大多数都使用模型和数据库,但由于这与我所做的不一样,这些示例没有帮助。

    1 回复  |  直到 7 年前
        1
  •  3
  •   pitaridis    7 年前

    我会给你举个简单的例子。创建razor页面并使用名称“Test”。测试。cshtml文件应包含以下内容:

    @page
    @model WebApplication1.Pages.TestModel
    <form method="post">
        <fieldset>
            <input asp-for="username" placeholder="user name" />
            <span asp-validation-for="username" class="text-danger"></span>
    
            <br />
    
            <input asp-for="password" type="password" placeholder="password" />
            <span asp-validation-for="password" class="text-danger"></span>
    
            <br />
    
            <input type="submit" value="Submit" id="submitButton" />
        </fieldset>
    </form>
    

    测试。cshtml。cs应具有以下内容

    using System;
    using System.Collections.Generic;
    using System.Linq;
    using System.Threading.Tasks;
    using Microsoft.AspNetCore.Mvc;
    using Microsoft.AspNetCore.Mvc.RazorPages;
    
    namespace WebApplication1.Pages
    {
        public class TestModel : PageModel
        {
            [BindProperty]
            public string username { get; set; }
    
            [BindProperty]
            public string password { get; set; }
    
            public void OnGet()
            {
                // you can initialize the values. for example I set the username
                username = "test";
            }
    
            public IActionResult OnPost()
            {
                // do something with username and password
    
                if (string.IsNullOrEmpty(password))
                {
                    ModelState.AddModelError("password", "Password is a required field.");
                    return Page();
                }
    
                // or you can redirect to another page
                return RedirectToPage("./Index");
            }
        }
    }
    

    请告诉我您是否需要对这个示例进行额外的解释。我希望这有帮助。