I am thinking about a scenario rather similar to this question asked some time ago: How to call another controller Action From a controller in Mvc
In the scenario I am thinking of, controller B would however return a partial view that I would like to incorporate into the ViewResult returned by the Home controller, so the code might look like this:
public class Home
{
    public ActionResult Index()
    {
        ActionResult partialViewFromCtrl_B = RedirectToAction(actionName: "SomeAction", 
                                                              controllerName: "Controller_B");
        
        // The returned view should include the partial view `partialViewFromCtrl_B`
        return View();
    }
}
public class Controller_B
{
    public ActionResult SomeAction()
    {
        // Do some stuff
        return PartialView(viewName: "_SomeAction", model: someModel);
    }
}
Is there a way to combine the partial view returned from controller B into the view returned from the Home controller? If possible, I would like to keep the logic and the views defined for controller B separate from the Home controller rather than merging everything into the Home controller.
Your help is very much appreciated!
Edit: One possible solution to my scenario might by if the Index.cshtml of the Home controller looks like this
@model SomeModelType
...
@Html.Partial(partialview: "~/Controller_B/_SomeAction", model: Model)
...
and the Index() action of the Home controller would look like this:
public ActionResult Index()
    {
        // Get the model from Controller_B instead of the partial view
        SomeModelType someModelFromCtrl_B = new Controller_B().returnSomeModel();
        
        return View(someModelFromCtrl_B);
    }
This however does not seem to be the best approach to take here for me.
So if possible I would like to combine the partial view Controller_B/_SomeAction and the Index view of the Home controller in the action method of the Home controller if that is possible.
 
    