0
[OperationContract]
[WebInvoke(UriTemplate = "s={s}", Method = "POST")]
string EchoWithPost(string s);

我正在尝试使用以下方法使用此方法(WCF 服务)WebRequest

WebRequest request1 = WebRequest.Create("http://MyIP/Host");
request1.Method = "POST";
request1.ContentType = "application/x-www-form-urlencoded";
string postData1 = "s=TestString";

我不想s=TestString在 url 中传递数据(),我想做的是在消息正文中传递数据。

4

1 回答 1

2

首先,您需要像这样更改服务合同:

[OperationContract]
[WebInvoke(UriTemplate = "EchoWithPost", Method = "POST")]
string EchoWithPost(string s);

请注意如何UriTemplate不再期望 URL 中有任何变量值。

要从客户端调用此类操作:

// Set up request
string postData = @"""Hello World!""";
HttpWebRequest request = 
     (HttpWebRequest)WebRequest.Create("http://MyIP/Host/EchoWithPost");
request.Method = "POST";
request.ContentType = "text/json";
byte[] dataBytes = new ASCIIEncoding().GetBytes(postData);
request.ContentLength = dataBytes.Length;
using (Stream requestStream = request.GetRequestStream())
{
     requestStream.Write(dataBytes, 0, dataBytes.Length);
}

// Get and parse response
HttpWebResponse response = (HttpWebResponse)request.GetResponse();
string responseString = string.Empty;
using (var responseStream = new StreamReader(response.GetResponseStream()))
{
     //responseData currently will be in XML format 
     //<string xmlns="http://schemas.microsoft.com/2003/10/Serialization/">Hello World!</string>
     var responseData = responseStream.ReadToEnd();
     responseString = System.Xml.Linq.XDocument.Parse(responseData).Root.Value;
}

// display response - Hello World!
Console.WriteLine(responseString);
Console.ReadKey(); 
于 2015-03-03T05:30:54.930 回答