ASP.NET 核心 HTTPRequestMessage returns 奇怪的 JSON 消息

ASP.NET Core HTTPRequestMessage returns strange JSON message

我目前正在使用 ASP.NET Core RC2,我 运行 遇到了一些奇怪的结果。 所以我有一个具有以下功能的 MVC 控制器:

public HttpResponseMessage Tunnel() {
    var message = new HttpResponseMessage(HttpStatusCode.OK);
    message.Content = new StringContent("blablabla", Encoding.UTF8);
    message.Content.Headers.ContentType = new System.Net.Http.Headers.MediaTypeHeaderValue("text/plain");
    message.Headers.CacheControl = new System.Net.Http.Headers.CacheControlHeaderValue {
        NoCache = true
    };

    return message;
}

如果我用邮递员调用它,并将 Accept header 设置为纯文本,我会收到此响应:

{
  "Version": {
    "Major": 1,
    "Minor": 1,
    "Build": -1,
    "Revision": -1,
    "MajorRevision": -1,
    "MinorRevision": -1
  },
  "Content": {
    "Headers": [
      {
        "Key": "Content-Type",
        "Value": [
          "text/plain"
        ]
      }
    ]
  },
  "StatusCode": 200,
  "ReasonPhrase": "OK",
  "Headers": [
    {
      "Key": "Cache-Control",
      "Value": [
        "no-cache"
      ]
    }
  ],
  "RequestMessage": null,
  "IsSuccessStatusCode": true
}

我真的不明白这是如何生成对上述控制器的响应。它基本上是整个消息本身的 JSON 序列化,绝不包含我打算发送的 "blablabla"。

我得到想要的结果的唯一方法是让我的控制器函数 return string 而不是 HttpResponse,但那样我无法设置 header 就像 CacheControl

所以我的问题是:为什么我会收到这种奇怪的回复?这对我来说似乎很奇怪

如果你想用字符串内容设置Cache-Control header,试试这个:

[Produces("text/plain")]
public string Tunnel()
{
    Response.Headers.Add("Cache-Control", "no-cache");
    return "blablabla";
}

根据this article,ASP.NET Core MVC 默认不支持HttpResponseMessage-返回方法。

如果您想继续使用它,可以使用 WebApiCompatShim:

  1. 将对 Microsoft.AspNetCore.Mvc.WebApiCompatShim 的引用添加到您的项目中。
  2. ConfigureServices()配置:services.AddMvc().AddWebApiConventions();
  3. Configure()中设置路由:

    app.UseMvc(routes =>
    {
        routes.MapWebApiRoute(
            name: "default",
            template: "{controller=Home}/{action=Index}/{id?}");
    });
    

在 ASP.NET Core 中,修改通过管道的响应。所以对于 headers,直接像 this answer 那样设置它们。 (我已经测试过这个设置 cookie。)你也可以这样设置 HTTP 状态代码。

要设置内容并因此使用特定的格式化程序,请遵循文档 Format response data in ASP.NET Core Web API。这使您能够使用 JsonResult()ContentResult().

等帮助程序

翻译您的代码的完整示例可能是:

[HttpGet("tunnel")]
public ContentResult Tunnel() {
    var response = HttpContext.Response;
    response.StatusCode = (int) HttpStatusCode.OK;
    response.Headers[HeaderNames.CacheControl] = CacheControlHeaderValue.NoCacheString;
    return ContentResult("blablabla", "text/plain", Encoding.UTF8);
}