我有一个这样的apicontroller:

public class MenuController : ApiController
{
    [HttpGet]
    public string GetMenu([FromUri]string page, [FromUri]string menu)
    {
    }

}


我有一个partialview说“ menu.cshtml”,我想使用该partialview并以string形式给出菜单。
我尝试了各种功能,说renderpartialviewtostring,但他们在其中使用控制器,但我正在使用ApiController

请帮忙

最佳答案

您可以从IHttpActionResult派生您自己的类型并执行此操作。

本文对此进行了说明-http://www.strathweb.com/2013/06/ihttpactionresult-new-way-of-creating-responses-in-asp-net-web-api-2/

您将需要引用RazorEngine-http://www.nuget.org/packages/RazorEngine/

在您的情况下,您可以创建一个从IHttpActionResult派生的StringActionResult,该操作类似于以下内容。

public class StringActionResult : IHttpActionResult
{
    private const string ViewDirectory = @"c:\path-to-views";
    private readonly string _view;
    private readonly dynamic _model;

    public StringActionResult(string viewName, dynamic model)
    {
        _view = LoadView(viewName);
        _model = model;
    }

    public Task<HttpResponseMessage> ExecuteAsync(CancellationToken cancellationToken)
    {
        var response = new HttpResponseMessage(HttpStatusCode.OK);
        var parsedView = RazorEngine.Razor.Parse(_view, _model);
        response.Content = new StringContent(parsedView);
        response.Content.Headers.ContentType = new MediaTypeHeaderValue("text/plain");
        return Task.FromResult(response);
    }

    private static string LoadView(string name)
    {
        var view = File.ReadAllText(Path.Combine(ViewDirectory, name + ".cshtml"));
        return view;
    }
}


然后在您的控制器中,执行以下操作。

  public class MenuController : ApiController
    {
        [HttpGet]
        public StringActionResult GetMenu([FromUri]string page, [FromUri]string menu)
        {
             return new StringActionResult("menu", new {Page: page, Menu: menu});

        }

    }

关于asp.net-mvc - 如何在MVC中的apicontroller中获取部分 View 字符串,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/14604927/

10-10 18:12