chobo2
chobo2

Reputation: 85765

How to pass Model from a view to a partial view?

I have a view that is not strongly typed. However I have in this view a partial view that is strongly typed.

How do I do I pass the model to this strongly typed view?

I tried something like

 public ActionResult Test()
        {
              MyData = new Data();
              MyData.One = 1;
              return View("Test",MyData)
        }

In my TestView

<% Html.RenderPartial("PartialView",Model); %>

This give me a stackoverflow exception. So I am not sure how to pass it on. Of course I don't want to make the test view strongly typed if possible as what happens if I had like 10 strongly typed partial views in that view I would need like some sort of wrapper.

Upvotes: 9

Views: 20095

Answers (2)

Ufuk Hacıoğulları
Ufuk Hacıoğulları

Reputation: 38468

You should extend your model so that it can provide all necessary fields for the view (this is called ViewModel) or you provide them seperately with ViewData.

 public ActionResult Test()
        {
              MyData = new Data();
              MyData.One = 1;
              ViewData["someData"]=MyData;
              return View();
        }

then:

<% Html.RenderPartial("PartialView",ViewData["someData"]); %>

ViewData is a nice losely typed dictionary

Upvotes: 4

Mathias F
Mathias F

Reputation: 15901

Put the object required by the partial into Viewdata and use ist in the view as input for the partial.

public ActionResult Test()
        {
              ViewData["DataForPartial"] = new PartialDataObject();
              return View("Test")
        }

In the view use:

<% Html.RenderPartial("PartialView",ViewData["DataForPartial"]); %>

But anyway: There is no reason no to have a stronly typed view.

Upvotes: 0

Related Questions