asp.net-mvcjqueryasp.net-3.5

How to make update panel in ASP.NET MVC


How do I make an update panel in the ASP.NET Model-View-Contoller (MVC) framework?


Solution

  • You could use a partial view in ASP.NET MVC to get similar behavior. The partial view can still build the HTML on the server, and you just need to plug the HTML into the proper location (in fact, the MVC Ajax helpers can set this up for you if you are willing to include the MSFT Ajax libraries).

    In the main view you could use the Ajax.Begin form to setup the asynch request.

        <% using (Ajax.BeginForm("Index", "Movie", 
                                new AjaxOptions {
                                   OnFailure="searchFailed", 
                                   HttpMethod="GET",
                                   UpdateTargetId="movieTable",    
                                }))
                           
           { %>
                <input id="searchBox" type="text" name="query" />
                <input type="submit" value="Search" />            
        <% } %>
        
        <div id="movieTable">
            <% Html.RenderPartial("_MovieTable", Model); %>
       </div>
    

    A partial view encapsulates the section of the page you want to update.

    <%@ Control Language="C#" Inherits="ViewUserControl<IEnumerable<Movie>>" %>
    
    <table>
        <tr>       
            <th>
                Title
            </th>
            <th>
                ReleaseDate
            </th>       
        </tr>
        <% foreach (var item in Model)
           { %>
        <tr>        
            <td>
                <%= Html.Encode(item.Title) %>
            </td>
            <td>
                <%= Html.Encode(item.ReleaseDate.Year) %>
            </td>       
        </tr>
        <% } %>
    </table>
    

    Then setup your controller action to handle both cases. A partial view result works well with the asych request.

    public ActionResult Index(string query)
    {          
        var movies = ...
    
        if (Request.IsAjaxRequest())
        {
            return PartialView("_MovieTable", movies);
        }
    
        return View("Index", movies);      
    }