传递集合或数组类型输入参数wcf服务

时间:2011-06-14 05:03:37

标签: wcf rest parameter-passing webinvoke

我编写了一个WCf服务,它有一个Collection类型输入体参数,另一个参数作为查询字符串,如下所示:

[WebInvoke(Method = "PUT", UriTemplate = "users/role/{userID}",BodyStyle=WebMessageBodyStyle.WrappedRequest)]
[OperationContract]
public bool AssignUserRole(int userID,Collection<int> roleIDs)
{
    //do something
    return restult;
}

现在,当我尝试传递此参数时,我正在进行序列化错误。我尝试过以下格式:

<AssignUserRole xmlns="http://tempuri.org/">
 <roleIDs>
  <roleID>7</roleID>
 </roleIDs>
</AssignUserRole>

<AssignUserRole xmlns="http://tempuri.org/">
 <ArrayOfroleID>
  <roleID>7</roleID>
 </ArrayOfroleID>
</AssignUserRole>

<AssignUserRole xmlns="http://tempuri.org/">
 <ArrayOfint> 
  <int>7</int>
 </ArrayOfint>
</AssignUserRole>

有人可以帮助我如何传递这个数组(集合类型Body参数)?

感谢。

1 个答案:

答案 0 :(得分:2)

正确的格式是:

<AssignUserRole xmlns="http://tempuri.org/">
  <roleIDs xmlns:a="http://schemas.microsoft.com/2003/10/Serialization/Arrays">     
    <a:int>7</a:int>
    <a:int>8</a:int>
  </roleIDs>
</AssignUserRole>

找出特定操作的预期格式的一种简单方法是使用具有相同合同的WCF客户端,使用它发送消息并使用Fiddler查看操作。下面的程序就是这样做的。

public class StackOverflow_6339286
{
    [ServiceContract]
    public interface ITest
    {
        [WebInvoke(Method = "PUT", UriTemplate = "users/role/{userID}", BodyStyle = WebMessageBodyStyle.WrappedRequest)]
        [OperationContract]
        bool AssignUserRole(string userID, Collection<int> roleIDs);
    }
    public class Service : ITest
    {
        public bool AssignUserRole(string userID, Collection<int> roleIDs)
        {
            return true;
        }
    }
    public static void Test()
    {
        string baseAddress = "http://" + Environment.MachineName + ":8000/Service";
        WebServiceHost host = new WebServiceHost(typeof(Service), new Uri(baseAddress));
        host.Open();
        Console.WriteLine("Host opened");

        WebChannelFactory<ITest> factory = new WebChannelFactory<ITest>(new Uri(baseAddress));
        ITest proxy = factory.CreateChannel();

        proxy.AssignUserRole("1234", new Collection<int> { 1, 2, 3, 4 });

        ((IClientChannel)proxy).Close();
        factory.Close();

        Console.Write("Press ENTER to close the host");
        Console.ReadLine();
        host.Close();
    }
}

另请注意您的UriTemplate存在问题:路径变量{userId}不能是int类型(它必须是字符串)。这已在上面的示例代码中修复。

还有一件事:如果您不想使用集合/数组的默认命名空间,可以使用[CollectionDataContract]类来更改它。如果您使用下面的类而不是使用Collection,那么您尝试的第一个主体应该可以工作:

[CollectionDataContract(Namespace = "http://tempuri.org/", ItemName = "roleID")]
public class MyCollection : Collection<int> { }