5

我正在尝试编写一个 WCF 服务来响应 ajax 请求,但是当它尝试反序列化时我遇到了一个奇怪的错误。

这是jQuery:

$.ajax({
    type: 'POST', 
    url: 'http://localhost:4385/Service.svc/MyMethod',
    dataType: 'json',
    contentType: 'application/json',
    data: JSON.stringify({folder:"test", name:"test"})
});

这是 WCF 服务定义:

[OperationContract]
[WebInvoke(UriTemplate = "/MyMethod", 
    Method = "*", //Need to accept POST and OPTIONS
    BodyStyle = WebMessageBodyStyle.WrappedRequest, 
    RequestFormat = WebMessageFormat.Json, 
    ResponseFormat = WebMessageFormat.Json)]
string[] MyMethod(string folder, string name);

我得到一个SerializationException说法:“OperationFormatter 无法反序列化 Message 中的任何信息,因为 Message 是空的 (IsEmpty = true)。”

它发生在System.ServiceModel.Dispatcher.PrimitiveOperationFormatter.DeserializeRequest指令的方法中00000108 mov dword ptr [ebp-18h],0

我看不出我做错了什么,但它拒绝为我工作。整天都在和这个争吵。有任何想法吗?

4

1 回答 1

4

明白了——答案就在我代码中唯一的注释中。我需要同时接受 POST 和 OPTIONS(对于 CORS)。OPTIONS 请求首先出现,当然 OPTIONS 请求没有附加任何数据。 就是导致解析异常的原因;而 POST 甚至从未发生过。

解决方法:将 POST 和 OPTIONS 分成两个单独的方法,使用相同的 UriTemplate,但使用不同的 C# 名称(WCF 需要这样做)。

[OperationContract]
[WebInvoke(UriTemplate = "/MyMethod",
    Method = "POST",
    BodyStyle = WebMessageBodyStyle.WrappedRequest,
    RequestFormat = WebMessageFormat.Json,
    ResponseFormat = WebMessageFormat.Json)]
string[] MyMethod(string folder, string name);

[OperationContract]
[WebInvoke(UriTemplate = "/MyMethod", Method = "OPTIONS")]
void MyMethodAllowCors();

这实际上稍微清理了代码,因为您不必在所有函数中乱扔垃圾

if (WebOperationContext.Current.IncomingRequest.Method == "OPTIONS") {
    WebOperationContext.Current.OutgoingResponse.Headers.Add("Access-Control-Allow-Origin", "*");
    WebOperationContext.Current.OutgoingResponse.Headers.Add("Access-Control-Allow-Methods", "OPTIONS, POST");
    WebOperationContext.Current.OutgoingResponse.Headers.Add("Access-Control-Allow-Headers", "Content-Type, User-Agent");
    return new string[0];
} else if (WebOperationContext.Current.IncomingRequest.Method == "POST") { ... }
于 2012-04-29T02:20:40.987 回答