2

我是 Asp.net mvc 4 开发的新手,我在 webforms 开发多年,现在我开始在 mvc 开发,我遇到了一些问题

在我的新项目中,我需要使用 MarkdownEditor,我已将其封装在 SharedView 中,以便在我的视图中重用它(例如在 Webforms 中创建 Web 用户控件)

使用 markdown 编辑器共享视图的代码是:

@model string

<div id="markdown-editor">
    <div class="wmd-panel">
        <div id="wmd-button-bar"></div>
            @Html.TextArea("m_wmdinput", @Model, new { @class="wmd-input" })
        </div>
    <div id="wmd-preview" class="wmd-panel wmd-preview"></div>
</div>
<script>
     ....
     ....

这是我将其用作 Render.PartialView 的示例。

@model MyProject.Models.PostIt

@using (Html.BeginForm()) {

    <fieldset>
        <legend>PostIt</legend>

        <div class="editor-label">
            @Html.LabelFor(model => model.PublishingDate)
            @Html.EditorFor(model => model.PublishingDate)
            @Html.ValidationMessageFor(model => model.PublishingDate)
        </div>

        @Html.Partial("MarkdownEditor", @Model.Content)

        <p>
            <input type="submit" value="Save" />
        </p>
    </fieldset>
}

型号代码为:

public class PostIt
{
    public int ID { get; set; }
    public string Content { get; set; }
    public DateTime PublishingDate { get; set; }

    public PostIt()
    {
        ID = -1;
    }
}

和控制器代码:

public ActionResult Edit(int? id)
{
    PostIt postIt = new PostIt();

    if (id.HasValue)
    {
        postIt = new PostItBLL().GetByID(id.Value);
        if (postIt == null)
        {
            return HttpNotFound();
        }
    }
    return View(postIt);
 }

 [HttpPost]
 public ActionResult Edit(PostIt postit)
 {
     if (ModelState.IsValid)
     {
         Save(postit);
         return RedirectToAction("Index");
     }
     return View(postit);
 }

 public ActionResult Index()
 {
     return View(db.PostIt.ToList());
 }

 private void Save(PostIt postIt)
 {
     if (postIt.ID < 0)
     {
         new PostItBLL().Add(postIt);
     }
     else
     {
         new PostItBLL().Update(postIt);
     }
 }

页面加载正确,但是当我更改 som 值并单击保存按钮时,出现以下错误:

传入字典的模型项的类型为“MyProject.Models.PostIt”,但此字典需要“System.String”类型的模型项。

关于我正在犯的错误的任何线索?

谢谢你的帮助

4

1 回答 1

1

出现此问题的原因是 PostIt 模型上的 Content 属性为空。如果你给 Content 一个像 string.Empty 这样的默认值,问题就不会发生。你可以这样做:

@Html.Partial("MarkdownEditor", @Model.Content ?? string.Empty)

如需解释,请阅读此问题的公认答案:ASP.NET MVC, strong typed views, partial view parameters glitch

于 2012-10-08T20:44:37.417 回答