我在Umbraco 6.1.6中创建了一个生成导航菜单的局部视图。
@inherits UmbracoTemplatePage
@using System.Collections;
@using System.Linq;
@{
Layout = null;
var articleParent = Model.Content.AncestorOrSelf(1);
}
<ul>
@foreach (var page in articleParent.Descendants("Artikel").Where(x => x.IsVisible()))
{
<li><a href="@page.NiceUrl()">@page.Name</a></li>
}
</ul>
我希望在后端代码中获取此菜单项列表,并在视图中呈现列表之前对其进行进一步处理。我该怎么做?我应该创建自定义控制器吗?我不想在视图代码中进行eextra处理。
由于
答案 0 :(得分:2)
我会创建一个扩展方法并将其放在AppCode文件夹中:
public static NodesExtensions
{
public static void Process(this DynamicNodeList nodes)
{
foreach(var node in nodes)
{
//process node
}
}
}
而不是你的观点
@inherits UmbracoTemplatePage
@using System.Collections;
@using System.Linq;
@{
Layout = null;
var articles = Model.Content
.AncestorOrSelf(1)
.Descendants("Artikel");
articles.Process();
//you can now render the nodes
}
答案 1 :(得分:0)
我更多地挖掘了MVC和Umbraco并创建了一个使用自定义控制器的解决方案。基本的评价是这个。
在项目的Models文件夹中创建模型
namespace MyProject.Models
{
public class MenuModel
{
// My Model contains just a set of IPublishedContent items, but it can
// contain anything you like
public IEnumerable<IPublishedContent> Items { get; set; }
}
}
在视图中创建一个新的局部视图&gt;共享文件夹
@inherits UmbracoViewPage
@{
Layout = null;
}
<ul>
@* Iterate over the items and print a link for each one *@
@foreach (var page in Model.Items)
{
<li><a href="@page.Url()">@page.Name</a></li>
}
</ul>
创建SurfaceController以执行一些业务逻辑,例如获取节点和构建模型
using System.Web.Mvc;
using MyProject.Models;
using Umbraco.Core;
using Umbraco.Web;
using Umbraco.Web.Models;
using Umbraco.Web.Mvc;
namespace MyProject.Controllers
{
public class NavMenuController : SurfaceController
{
public ActionResult Render(RenderModel some)
{
// Get the current homepage we're under (my site has multiple, because it is multi-language)
var currentHomePage = CurrentPage.AncestorOrSelf(1);
// Create model object
var menuModel = new MenuModel();
// Select descendant "Artikel" nodes of the current homepage and set them on the menu model
menuModel.Items = currentHomePage.Descendants("Artikel").Where(x => x.IsVisible());
// Return the partial view called NavMenu
// Do any processing you like here...
return PartialView("NavMenu", menuModel);
}
}
}
使用以下代码行从任何地方调用您的新局部视图:
@Html.Action("Render", "NavMenu")
我也在our.umbraco.org上发布了这个: