如何从ApiController中的StringContent对象中读取JSON ?

本文关键字:读取 JSON 对象 StringContent ApiController 中的 | 更新日期: 2023-09-27 18:16:16

我正在编写一个API控制器,旨在接收和解析JSON异步帖子的内容,并且无法读取该帖子中StringContent对象的内容。

这是我的API控制器的部分,我希望看到的值。到达ApiController方法的值是null。jsonContent值是一个空字符串。我希望看到的是JSON对象的内容。

public class ValuesController : ApiController
{
    // POST api/values
    public void Post([FromBody]string value)
    {
        HttpContent requestContent = Request.Content;
        string jsonContent = requestContent.ReadAsStringAsync().Result;
        // Also tried this per mybirthname's suggestion.
        // But content ends up equaling 0 after this runs.
        var content = Request.Content.ReadAsStreamAsync().Result.Seek(0, System.IO.SeekOrigin.Begin);
    }
}

这里是我的控制器来显示它是如何被调用的

[HttpPost]
public ActionResult ClientJsonPoster(MyComplexObject myObject)
{
    this.ResponseInfo = new ResponseInfoModel();
    PostToAPI(myObject, "http://localhost:60146", "api/values").Wait();
    return View(this.ResponseInfo);
}

这是张贴方法。

private async Task PostToAPI(object myObject, string endpointUri, string endpointDirectory)
{
    string myObjectAsJSON = System.Web.Helpers.Json.Encode(myObject);
    StringContent stringContent = new StringContent(myObjectAsJSON, Encoding.UTF8, "application/json");
    using (HttpClient httpClient = new HttpClient())
    {
        httpClient.BaseAddress = new Uri(endpointUri);
        using (HttpResponseMessage responseMessage = await httpClient.PostAsJsonAsync(endpointDirectory, stringContent).ConfigureAwait(false))
        {
            // Do something
        }
    }
}

我怀疑ApiController中Post方法的签名有问题。但我不知道该如何改变。谢谢你的帮助。

如何从ApiController中的StringContent对象中读取JSON ?

您正在混合异步和同步调用,这将导致死锁。

将控制器更新为

[HttpPost]
public async Task<ActionResult> ClientJsonPoster(MyComplexObject myObject) {
    this.ResponseInfo = new ResponseInfoModel();
    await PostToAPI(myObject, "http://localhost:60146", "api/values");
    return View(this.ResponseInfo);
}

还有[FromBody]用来强制Web API从请求体中读取一个简单类型。

更新Api

public class ValuesController : ApiController {
    // POST api/values
    [HttpPost]
    public async Task Post() {
        var requestContent = Request.Content;
        var jsonContent = await requestContent.ReadAsStringAsync();
    }
}