2

我正在关注 Tekpub 上的 RavenDB,讨论将它与 ASP.NET MVC 一起使用。我在我的本地机器上运行 RavenServer.exe 程序,我有一个基本控制器设置如下:

public class RavenController : Controller
{
    public new IDocumentSession Session { get; set; }

    private static IDocumentStore documentStore;

    protected override JsonResult Json(object data, string contentType, System.Text.Encoding contentEncoding, JsonRequestBehavior behavior)
    {
        return base.Json(data, contentType, contentEncoding, JsonRequestBehavior.AllowGet);
    }

    public static IDocumentStore DocumentStore
    {
        get
        {
            if (documentStore != null)
                return documentStore;

            lock (typeof(RavenController))
            {
                if (documentStore != null)
                    return documentStore;

                documentStore = new DocumentStore
                {
                    Url = "http://localhost:8080"
                }.Initialize();
            }
            return documentStore;
        }
    }

    protected override void OnActionExecuting(ActionExecutingContext filterContext)
    {
        Session = DocumentStore.OpenSession();
    }

    protected override void OnActionExecuted(ActionExecutedContext filterContext)
    {
        using (Session)
        {
            if (Session != null && filterContext.Exception == null)
                Session.SaveChanges();
        }
    }
}

我有一个使用 RavenDB 提供的示例专辑数据定义的简单模型(也来自视频):

公共类专辑 { 公共字符串 AlbumArtUrl { 获取;放; } 公共字符串标题 { 获取;放; } 公共 int CountSold { 获取;放; } 公共小数价格 { 获取;放; }

    public ArtistReference Artist { get; set; }
    public GenreReference Genre { get; set; }
}

public class ArtistReference
{
    public string Id { get; set; }
    public string Name { get; set; }
}

public class GenreReference
{
    public string Id { get; set; }
    public string Name { get; set; }
}

最后,这是我的控制器:

公共类 HomeController : RavenController { public ActionResult Album(string id) { var album = Session.Load(id); 返回视图(专辑);}

}

现在,当我转到 URL 时,localhost:xxx/home/album/661我根本没有得到任何结果;调试显示“专辑”为空,因此 RavenDB 没有加载任何内容。查看服务器,我看到以下内容,它收到了 404 请求路径/docs/661。但是,当我使用 RavenDb 工作室访问有问题的专辑时,它查找的 URL(返回数据)是/docs/albums/661. 因此,当 RavenDB 可以通过管理工作室正确找到它们时,似乎我在某个地方遗漏了一些东西,让 RavenDB 能够通过 MVC 请求找到文档。

有什么我忘记的想法吗?

4

1 回答 1

3

WayneM,您的问题在这里:

public ActionResult Album(string id)

您正在使用字符串 id,但您只传递了数字部分,RavenDB 认为您正在给它完整的 id,并尝试加载 id 为“661”的文档

相反,您可以像这样定义它:

public ActionResult Album(int id)

RavenDB knows then that you are passing it a value type, and the conventions supply the rest of the id.

于 2012-06-30T08:23:41.353 回答