0

我找到了很多关于这个主题的信息,但是这些网站和文章都不能解决我的问题。我有一个非常简单的方法:

[HttpPost, Route("Diagnosis/{lkNo}/Tree/{nodeID:int}/Answer")]
public List<TreeNode> AnswerTreeNode(string lkNo, int nodeID, 
[FromBody] dynamic data) {
    // So some stuff
}

当我调用该方法时,它会填充前两个参数,但数据始终为空。这是服务器收到的我的测试请求:

POST /Diagnosis/LK-28084453/Tree/0/Answer HTTP/1.1
Cache-Control: no-cache
Connection: keep-alive
Accept: */*
Accept-Encoding: gzip, deflate
Cookie: ASP.NET_SessionId=*****; __RequestVerificationToken=*****
Host: localhost:51124
User-Agent: PostmanRuntime/7.6.0
Postman-Token: *****
Content-Length: 5
Content-Type: application/x-www-form-urlencoded

=Test

将参数作为 json 发送会导致相同的结果:

...
Content-Length: 25
Content-Type: application/json

{ "value": "some value" }

无论我尝试什么,数据始终为空。这是我的路线配置:

// WebAPI
GlobalConfiguration.Configure(config => {
    config.MapHttpAttributeRoutes();

    config.Routes.MapHttpRoute(
        name: "DiagnosisApi",
        routeTemplate: "api/{controller}/{id}",
        defaults: new { id = RouteParameter.Optional }
    );

    // Default return JSON
    config.Formatters.JsonFormatter.SupportedMediaTypes.Add(new System.Net.Http.Headers.MediaTypeHeaderValue("text/html"));
    config.Formatters.JsonFormatter.SerializerSettings.ContractResolver =
        new Newtonsoft.Json.Serialization.CamelCasePropertyNamesContractResolver();

    config.MessageHandlers.Add(new MyHandler());
});

public class MyHandler : System.Net.Http.DelegatingHandler {
    protected override async System.Threading.Tasks.Task<System.Net.Http.HttpResponseMessage> SendAsync(
                                             System.Net.Http.HttpRequestMessage request,
                                                System.Threading.CancellationToken token) {
        System.Net.Http.HttpMessageContent requestContent = new System.Net.Http.HttpMessageContent(request);
        string requestMessage = requestContent.ReadAsStringAsync().Result; // This one contains the raw requests as posted abve

        return await base.SendAsync(request, token);
    }
}

你有什么想法,这里有什么问题吗?

4

2 回答 2

0

我通过删除我的临时消息处理程序解决了这个问题。另外,我将数据属性更改为 Newtonsoft 的 JObject 类型。现在我可以轻松地实现自己的例程来解释接收到的数据。例如:

if (data["result"].Type == JTokenType.Boolean && data["result"].Value<bool>())

这是我的 Javascript 代码:

node.treat = function (result) {
    if (result !== undefined)
        $.ajax({
            url: 'Diagnosis/' + vm.data.lkNo() + '/Tree/' + node.id + '/Answer',
            data: JSON.stringify({ result: result }),
            type: 'POST',
            contentType: "application/json",
            success: function (response) { /* do something */ }
        };
}

奇迹般有效!

于 2019-01-24T14:34:23.540 回答
0

我的建议是不要在方法签名中使用动态类型。

将其更改为字符串,并确保您也将发送到 api 的内容序列化。

一旦你看到数据进来,你就可以使用 Newtonsoft Json 之类的东西将字符串解析为动态对象,然后你可以从那里获取它。

您的方法将变为:

public List<TreeNode> AnswerTreeNode(string lkNo, int nodeID, 
[FromBody] string data) {
    // parse data into dynamic here
}
于 2019-01-24T14:05:20.753 回答