Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

asp.net MVC partial view controller action

I'm very new to web app development and I thought I would start with recent technology and so I'm trying to learn asp.net as-well as the MVC framework at once. This is probably a very simple question for you, MVC professionals.

My question is should a partial view have an associated action, and if so, does this action get invoked whenever a normal page uses RenderPartial() on the partial view?

like image 871
yogibear Avatar asked Sep 03 '09 01:09

yogibear


People also ask

Can partial views have controllers?

In order to add Partial View, you will need to Right Click inside the Controller class and click on the Add View option in order to create a View for the Controller.

How do you call a partial view in action method?

While you can have an action that returns a partial view, you don't need an action to render a partial view. RenderPartial takes the partial view and renders it, using the given model and view data if supplied, into the current (parent) view.

Can we return partial view from action method?

To return a Partial view from the controller action method, we can write return type as PartialViewResult and return using PartialView method.


1 Answers

While you can have an action that returns a partial view, you don't need an action to render a partial view. RenderPartial takes the partial view and renders it, using the given model and view data if supplied, into the current (parent) view.

You might want an action that returns a partial view if you are using AJAX to load/reload part of a page. In that case, returning the full view is not desired since you only want to reload part of the page. In this case you can have the action just return the partial view that corresponds to that section of the page.

Standard mechanism

Making use of partial view within a normal view (no action needed)

...some html... <% Html.RenderPartial( "Partial", Model.PartialModel ); %> ...more html.. 

Ajax mechanism

Reloading part of a page via AJAX (note partial is rendered inline in initial page load)

...some html... <div id="partial"> <% Html.RenderPartial( "Partial", Model.PartialModel ); %> </div> ...more html...  <script type="text/javascript">    $(function() {        $('#someButton').click( function() {            $.ajax({               url: '/controller/action',               data: ...some data for action...,               dataType: 'html',               success: function(data) {                  $('#partial').html(data);               },               ...            });        });    }); </script> 

Controller for AJAX

public ActionResult Action(...) {      var model = ...       ...       if (Request.IsAjaxRequest())      {           return PartialView( "Partial", model.PartialModel );      }      else      {           return View( model );      } } 
like image 144
tvanfosson Avatar answered Oct 13 '22 04:10

tvanfosson