Consuming Python Web Services written and deployed with Soaplib is possible using C# and Mono. I haven’t try on .Net yet but if it works on Mono it definitively will work on .Net. You can read about Soaplib in previous posts.
First of all, write a web service that returns a single string and another that returns an array of strings:

  @soapmethod(String, _returns=String)
  def srv_getServerData(self, serverName):
      return str(Server.objects.filter(nombre=serverName).values())

  @soapmethod(_returns=Array(String))
  def srv_getServersList(self):
      results = []
      for servicesValues in Service.objects.values():
          results.append(str(servicesValues))
      return results

Second: Run the web server and generate the WSDL file. I do that using a Python client.

def getWSDL():
    wsdl = getClientInfoService().server.wsdl("https://" + 
                Server.getServerPublicIp() + ':' +
                constants.webServicesPort + constants.serviceUrl)
    fileName = '/tmp/service.wsdl'
    wsdlFile = open(fileName, 'w')
    wsdlFile.write(wsdl)
    wsdlFile.close()
    print "File generated:", '/tmp/service.wsdl'

Third: Generate the C# proxy reading the WSDL. We need the wsdl tool (package mono-1.0-devel on Ubuntu).
wsdl service.wsdl
That will create the file Service.cs. In this file there are several typecasts that are not working properly. In order to get the data from the service I modify it using sed.

sed 's/return ((.*Response)(results\[0\]))/return ((System.Xml.XmlNode)results\[0\])/g' Service.cs > tmp1  
sed 's/public srv_.*Response/public System.Xml.XmlNode/g' tmp1 > Service.cs

Note that my services methods start with the “srv_” prefix, so I use that in the regex above to match them.
Fourth: C# code to get that from the services:

        // method 1:
        srv_getServerData y = new srv_getServerData();
	y.serverName = "pepino";
	Service client = new Service();
	System.Xml.XmlNode res = client.srv_getServerData(y).ChildNodes[0];
        String result = String.Empty;
	result = res.InnerText;

        // method 2:
	Service client = new Service();
	srv_getServersList x = new srv_getServersList();
	System.Xml.XmlNodeList result = client.srv_getServersList(x).ChildNodes;
        String result = String.Empty;
	foreach (System.Xml.XmlNode n in result)			   
	      result += '\n' + n.InnerText;

It works!!!