我有一个由第三方提供的wsdl文件,我需要按原样使用它并公开此wsdl中的合同以供使用。
我的问题是我的项目有自己的命名空间,而wsdl带有不同的命名空间,我不知道如何完成工作。
感谢任何帮助
编辑
第三方(gov)希望使用其命名空间调用服务
示例:
我有一个 WCF服务应用程序,其名称空间为:local.namespace
WSDL:
<wsdl:definitions xmlns:ns0="http://com.gov.update.ws" targetNamespace="http://com.gov.update.ws">
<wsdl:message name="updateStatus">
<wsdl:part name="parameters" element="xsns:updateStatus" xmlns:xsns="http://com.gov.update.ws"/>
</wsdl:message>
</wsdl:definitions>
收到的SOAP:
<soapenv:Envelope xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:xsd="http://www.w3.org/2001/XMLSchema" xmlns:soapenc="http://schemas.xmlsoap.org/soap/encoding/" xmlns:soapenv="http://schemas.xmlsoap.org/soap/envelope/">
<soapenv:Header>
<ctx:clientContext xmlns:ctx="http://ClientContext">
<ctx:clientUserId>123456</ctx:clientUserId>
</ctx:clientContext>
</soapenv:Header>
<soapenv:Body>
<p820:updateStatus xmlns:p820="http://com.gov.update.ws">
<transactionId>123456</transactionId>
<status>Accepted</status>
</p820:updateStatus>
</soapenv:Body>
</soapenv:Envelope>
答案 0 :(得分:0)
通常,使用客户端代理类通过添加服务引用来调用Web服务是相对常见的。如下。
https://docs.microsoft.com/en-us/dotnet/framework/wcf/accessing-services-using-a-wcf-client
您还可以通过SVCUtil工具生成客户端代理类。
https://docs.microsoft.com/en-us/previous-versions/dotnet/netframework-3.5/aa347733(v=vs.90)
我做了一个简单的演示,希望对您有用。
服务器:
namespace Server8
{
class Program
{
static void Main(string[] args)
{
Uri uri = new Uri("http://localhost:1900");
BasicHttpBinding binding = new BasicHttpBinding();
using (ServiceHost sh=new ServiceHost(typeof(MyService),uri))
{
sh.AddServiceEndpoint(typeof(IService), binding, "");
ServiceMetadataBehavior smb;
smb = sh.Description.Behaviors.Find<ServiceMetadataBehavior>();
if (smb==null)
{
smb = new ServiceMetadataBehavior()
{
HttpGetEnabled = true
};
sh.Description.Behaviors.Add(smb);
}
Binding binding1 = MetadataExchangeBindings.CreateMexHttpBinding();
sh.AddServiceEndpoint(typeof(IMetadataExchange), binding1, "mex");
sh.Open();
Console.WriteLine("Service is ready...");
Console.ReadLine();
sh.Close();
}
}
}
[ServiceContract(Namespace ="mydomain")]
public interface IService
{
[OperationContract(Name ="AddInt")]
int Add(int x, int y);
}
public class MyService : IService
{
public int Add(int x, int y)
{
return x + y;
}
}
}
因此WSDL地址是
Http://localhost:1900?wsdl
Svctutil工具。
Svcutil http://localhost:1900?wsdl /directory:D: /namespace:”mydomain”,”LocalProjectNamespace”
此命令将在本地D分区中生成一个客户端代理类,并将Web服务的名称空间替换为“ LocalProjectNamespace”,它还会生成一个客户端配置文件(xml),该文件描述了服务的绑定和端点信息。
然后,我们通过客户端代理类调用Web服务。
static void Main(string[] args)
{
ServiceClient client = new ServiceClient();
try
{
var result = client.AddInt(23, 55);
Console.WriteLine(result);
}
catch (Exception ex)
{
Console.WriteLine(ex.ToString());
}
}
请随时告诉我是否有什么可以帮忙的。