In ASP.NET MVC 2 - How do I get Route Values into my navigation controller so I can highlight the current link?

后端 未结 3 641
刺人心
刺人心 2021-01-06 06:26

I\'m trying to get the current Route into my navigation controller so I can run comparisons as the navigation menu data is populated.

My Links object is like this:

相关标签:
3条回答
  • 2021-01-06 06:47

    You don't need to pass route data to a controller because the controller already has knowledge of it via the RouteData property:

    public ActionResult Index() {
        // You could use this.RouteData here
        ...
    }
    

    Now if you want to pass some simple arguments like current action that was used to render the view you could do this:

    <%= Html.RenderAction(
        "MenuOfStreamEntries",
        "Nav",
        new {
            currentStreamUrl = "Blog", 
            currentAction = ViewContext.RouteData.Values["action"],
            currentController = ViewContext.RouteData.Values["controller"]
        }
    ); %>
    

    And in your controller:

    public ActionResult Nav(string currentAction, string currentController) 
    {
        ...
    }
    
    0 讨论(0)
  • 2021-01-06 06:58

    Here's a sample method we wrote for doing something similar.

    public static bool IsCurrentAction(this HtmlHelper helper, string actionName, string controllerName)
    {
      string currentControllerName = (string)helper.ViewContext.RouteData.Values["controller"];
      string currentActionName = (string)helper.ViewContext.RouteData.Values["action"];
    
      return currentControllerName.Equals(controllerName, StringComparison.CurrentCultureIgnoreCase) && currentActionName.Equals(actionName, StringComparison.CurrentCultureIgnoreCase));
    }
    
    0 讨论(0)
  • 2021-01-06 07:04

    Taken from this good article.

    Create a custom extension method:

    public static class HtmlExtensions
    {
        public static MvcHtmlString ActionMenuItem(this HtmlHelper htmlHelper, String linkText,
            String actionName, String controllerName)
        {
            var tag = new TagBuilder("li");
    
            if ( htmlHelper.ViewContext.RequestContext
                .IsCurrentRoute(null, controllerName, actionName) )
            {
                tag.AddCssClass("selected");
            }
    
            tag.InnerHtml = htmlHelper.ActionLink(linkText, actionName, controllerName).ToString();
    
            return MvcHtmlString.Create(tag.ToString());
        }
    }
    

    Your HTML markup:

    <div id="menucontainer">
    
        <ul id="menu">
            <%= Html.ActionMenuItem("Home", "Index", "Home") %>
            <%= Html.ActionMenuItem("About", "About", "Home") %>
        </ul>
    
    </div>
    

    Produces the following output:

    <div id="menucontainer">
    
        <ul id="menu">
            <li class="selected"><a href="/">Home</a></li>
            <li><a href="/Home/About">About</a></li>
        </ul>
    
    </div>
    
    0 讨论(0)
提交回复
热议问题