我有一个文本框,用户可以在其中输入所需的用户名并保存。一旦他们保存并且他们碰巧重新访问他们的个人资料页面,文本框应填充他们保存的最后用户名以显示,用户仍然可以更改它并重新保存。我是相当新的,不知道如何正确地开始这个。我正在使用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
答案 0 :(得分: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
}
ProfileAccount查看
@model School.Models.ProfileAccountView
@using (Html.BeginForm("ProfileAccount", "Profile"))
{
@Html.RenderPartial('_StudentNamePartial', Model.StudentName);
<button type="button" value="save" />
}
_StudentNamePartial Partial View
@model School.Models.StudentNameModel
<fieldset>
<ol>
<li>
@Html.LabelFor(m => m.StudentName)
@Html.TextBoxFor(m=>m.StudentName)
</li>
</ol>
</fieldset>