如何使用当前登录的用户自动填充DDL

本文关键字:填充 DDL 用户 何使用 登录 | 更新日期: 2023-09-27 17:59:17

我需要下拉列表来获取当前登录的用户,并在该用户访问创建页面时自动使其成为列表中的选定项目。我将在剃刀页面上将DDL设置为禁用,这样用户就不能为其他用户创建。

我试过几件事,但运气不好。

    // GET: TimeStamps/Create
    [Authorize]
    public ActionResult Create()
    {
        ViewBag.UserId = new SelectList(db.Users, "Id", "FullName");
        return View();
    }
    // POST: TimeStamps/Create
    [Authorize]
    [HttpPost]
    [ValidateAntiForgeryToken]
    public ActionResult Create([Bind(Include = "Id,UserId,ClockIn,ClockOut")] TimeStamps timeStamps)
    {
        if (ModelState.IsValid)
        {
            db.TimeStamps.Add(timeStamps);
            db.SaveChanges();
            return RedirectToAction("Index");
        }
        ViewBag.UserId = new SelectList(db.Users, "Id", "FullName", timeStamps.UserId);
        return View(timeStamps);
    }
@Html.LabelFor(model => model.UserId, "User", htmlAttributes: new { @class = "control-label col-md-2" })
        <div class="col-md-10">
            @Html.DropDownList("UserId", null, "Select...", htmlAttributes: new {@class = "form-control"})
            @Html.DropDownListFor(m => m.UserId, (SelectList)ViewBag.MyList, "Please select", new { @class = "form-control" })
        </div>

如何使用当前登录的用户自动填充DDL

您可以将DropDownListFor辅助方法与强类型视图模型一起使用。

public class CreateVm
{
  public IEnumerable<SelectListItem> Users {set;get;}
  public int SelectedUserId {set;get;}
  public DateTime ClockIn {set;get;}
  public DateTimeClockout {set;get;}
}

在你的行动中,

public ActionResult Create()
{
  var vm = new CreateVm();
  vm.Users= db.Users.Select(f=>new SelectListItem { Value=f.Id.ToString(), 
                                                    Text=f.FullName}).ToList();
  vm.SelectedUserId= 1; // Set the value here
  return View(vm);
}

我对要选择的值CCD_ 2进行了硬编码。将其替换为您当前的用户id(我不知道您是如何存储的)。

并且在您的视图中,哪个是强类型的视图模型

@model CreateVm
@using(Html.BeginForm())
{
  // Your other fields also goes here
  @Html.DropDownListFor(s=>s.SelectedUserId,Model.Users)
  <input type="submit" />
}

现在在HttpPost操作中,您可以使用相同的视图模型

[HttpPost]
public ActionResult Create(CreateVm model)
{
  var e=new TimeStamp { UserId=model.SelectedUserId, 
                        ClockIn=model.ClockIn, Clockout=model.Clockout };
  db.TimeStamps.Add(e);
  db.SaveChanges();
  return RedirectToAction("Index");
}

需要记住的一点是,即使禁用了下拉菜单,用户也可以将SELECT元素的值改写为其他值。因此,我强烈建议您在保存之前在HttpPost操作方法中再次设置该值

[HttpPost]
public ActionResult Create(CreateVm model)
{
  var e=new TimeStamp { ClockIn=model.ClockIn,Clockout=model.Clockout };
  e.UserId = 1; // Replace here current user id;
  db.TimeStamps.Add(e);
  db.SaveChanges();
  return RedirectToAction("Index");      
}