Search code examples
asp.netasp.net-mvcasp.net-corerenderaction

Equivalent of Html.RenderAction in ASP.NET Core


I am trying to switch to ASP.NET Core from my small ASP.NET MVC 4 application.

In my MVC 4 application, I have a Layout file that uses RenderSection as:

@RenderSection("xyz", required: false)

Then, in my Index file, I have:

@section xyz{
        @{Html.RenderAction("abc");}
    }

So, I am calling controller action method abc() from Index. The method abc() passes a model object and returns a partial view with that model. I cannot use RenderPartial as it needs a model to be passed.

Now, in ASP.NET Core, I don't have RenderAction() method.

My question is: How would I invoke a controller action method from my Index file? Is there any other HTML helper for that (although I don't see any)?

.


Solution

  • I was finally able to do it with ViewComponent. So, instead of RenderAction(), I did:

    @section xyz{
            @await Component.InvokeAsync("abc")
        }
    

    Where abc is a class as abcViewComponent. The ViewComponent looks like:

    public class abcViewComponent : ViewComponent
        {
            private DbContextOptions<MyContext> db = new DbContextOptions<MyContext>();
            public async Task<IViewComponentResult> InvokeAsync()
            {
                MyContext context = new MyContext(db);
                IEnumerable<tableRowClass> mc = await context.tableRows.ToListAsync();
                return View(mc);
            }
        }
    

    Then, I created a view under a new folder 'abc' as Views/Home/Components/abc/Default.cshtml

    It is to be noted that the view name is Default.cshtml and that is how it worked. If anyone has any better solution, please let me know.

    Thanks for pointing me in the direction of ViewComponent.