C#WPF服务自定义请求格式

时间:2012-10-31 15:40:20

标签: c# wcf

我有一个WCF服务器,它使用XML有效负载读取请求并响应这些请求。例如,一个简单的登录请求如下所示:

<?xml version="1.0" encoding="utf-8"?>
<LoginRequest>
    <username>test</username>
    <password>foo</password>
</LoginRequest>

现在我知道我可以在我的服务方法中接受XElement,但有什么方法可以告诉底层系统如何读取上述XML并将其转换为以下格式的函数调用:

public LoginResponse Login (string username, string password); 

这样的事情可能吗?

2 个答案:

答案 0 :(得分:0)

我不相信您指定的XML将按照原样格式化工作。我只是这样说,因为除非你更改了SOAP消息,否则它会将内部的XML识别为单个字符串值(就像你现在看到的那样)而不是多个值。

如果您有.NET客户端,那么您可能希望在客户端(或代理对象)上使用与DataContract属性一起修饰的相同类,这些类已经知道如何序列化和反序列化为SOAP格式。由于您未指定向您发送XML有效负载的客户端,因此很有可能XML已包含在SOAP信封中,并且需要对双方进行一些大修才能“更正确”。

此外,由于你在这里所做的事情,你的实际SOAP请求必须发生重大变化才能将这些请求作为参数而不仅仅是XML值传递。

所以,我想底线答案是否定的。您无法单独更改WCF服务来执行此操作。

答案 1 :(得分:0)

有可能。

a)将xml更改为

<Login>
     <username>test</username>
     <password>foo</password>
</Login>

b)[ServiceContract]替换为[ServiceContract(Namespace = "")]

c)并将方法声明为

[OperationContract]
[WebInvoke(RequestFormat = WebMessageFormat.Xml, 
           ResponseFormat = WebMessageFormat.Xml, 
           BodyStyle = WebMessageBodyStyle.Wrapped)]
public string Login(string username, string password){}

它工作....

以下是我用来测试的代码

public void TestWCFService()
{
    //Start Server
    Task.Factory.StartNew(
        (_) =>
        {
            Uri baseAddress = new Uri("http://localhost:8080/Test");
            WebServiceHost host = new WebServiceHost(typeof(TestService), 
                                                     baseAddress);
            host.Open();
        }, null, TaskCreationOptions.LongRunning).Wait();


    //Client
    string xml = @"<Login>
                      <username>test</username>
                      <password>foo</password>
                  </Login>";

    var wc = new WebClient();
    wc.Headers.Add("Content-Type", "application/xml; charset=utf-8");
    var result = wc.UploadString("http://localhost:8080/Test/Login", xml);
}

[ServiceContract(Namespace = "")]
public class TestService
{
    [OperationContract]
    [WebInvoke(RequestFormat = WebMessageFormat.Xml, 
               ResponseFormat = WebMessageFormat.Xml, 
               BodyStyle = WebMessageBodyStyle.Wrapped)]
    public string Login(string username, string password)
    {
        return username + " " + password;
    }
}