0

我有一个文本框,用户可以在其中输入他们想要的用户名并保存它。一旦他们保存它并且他们碰巧重新访问他们的个人资料页面,该文本框应该填充他们保存的最后一个用户名以显示并且用户仍然可以更改它并重新保存。我对此很陌生,不知道如何正确启动它。我正在使用 vs 2012 asp.net mvc 4 c#。到目前为止,这是我的代码:

    @model School.Models.StudentNameModel

    @using (Html.BeginForm("_StudentNamePartial", "Profile")) {
    @Html.AntiForgeryToken()
    @Html.ValidationSummary()
<fieldset>
    <ol>
        <li>
            @Html.LabelFor(m => m.StudentName)
            @Html.DisplayFor(m => m.StudentName)
            @Html.TextBoxFor(m=>m.StudentName)
            <button type="button" value="save" />
        </li>
    </ol>

</fieldset>

}

这是我的模型:

 public class StudentNameModel
{
    [Display(Name = "Student Name")]
    public string StudentName{ get; set; }
}

我的控制器:

GET - 从数据库中获取学生姓名(如果存在)。

[HttpPost]
    public ActionResult _StudentNamePartial(int id)
    {
        id = WebSecurity.CurrentStudentId;
        var model = new StudentNameModel();
        using (var db = new StudentsDataContext())
        {
            var result = (from u in db.Students
                         where u.ID == id
                         select u.StudentName).FirstOrDefault();
            if(result != null)
                model.StudentName= result;
        }
        return View(model);
    }

POST - 这是我想为学生保存新用户名的地方

[HttpPost]
    public ActionResult _StudentNamePartial(StudentNameModel model)
    {
        if (ModelState.IsValid)
        {
           using (var db = new StudentDataContext())
           {
               try
               {

               }
               catch (Exception)
               {

                   throw;
               }
           }
            return RedirectToAction("ProfileAccount");
        }
        return View(model);
    }

我也遇到了麻烦,当我显示用户名时它没有点击我的Action方法,它总是报告对象引用为空。任何帮助都会很棒。感谢:D

4

1 回答 1

0

您似乎正在尝试将控制器操作的部分视图呈现为较大视图的一部分。在这种情况下,局部视图应该在ProfileAccount视图中呈现。

您可以像这样构造控制器和视图(粗略):

ProfileAccount 视图模型

public class ProfileAccountView 
{
    public StudentNameModel StudentName { get; set; }   
}

配置文件控制器

[HttpGet]
public ActionResult ProfileAccount(int id)
{
    // Get whatever info you need and store in a ViewModel
    var model = new ProfileAccountView();

    // Get the student info and store within ProfileAccountView
    // Do your database reads
    model.StudentName = new StudentNameModel { StudentName = result };

    return View(model);
}

[HttpPost]
public ActionResult ProfileAccount(ProfileAccountView profile)
{
    // Do whatever processing here
}

个人资料帐户视图

@model School.Models.ProfileAccountView

@using (Html.BeginForm("ProfileAccount", "Profile")) 
{
    @Html.RenderPartial('_StudentNamePartial', Model.StudentName);
    <button type="button" value="save" />
}

_StudentNamePartial 部分视图

@model School.Models.StudentNameModel

<fieldset>
    <ol>
        <li>
            @Html.LabelFor(m => m.StudentName)
            @Html.TextBoxFor(m=>m.StudentName)
        </li>
    </ol>
</fieldset>
于 2013-02-07T16:59:34.507 回答