WCFTestClient连接,但“添加服务引用”;不生成引用

本文关键字:引用 服务 连接 添加 WCFTestClient | 更新日期: 2023-09-27 17:50:32

我有一个WCF服务,有2个端点(1个webHttpBinding和1个basicHttpBinding),托管在IIS中。客户端可以毫无问题地发出http请求。我能够通过WCFTestClient连接并调用SOAP端点,并且能够成功地将服务引用添加到我的客户机项目中。问题是没有在客户端上的Reference.cs文件或app.config文件中生成的代码…都是空的

我的问题是,为什么我能够通过WCFTestClient连接并调用SOAP端点而没有问题,而不是通过添加服务引用方法?

编辑:这似乎是我对我正在添加服务引用的程序集的引用的问题。我引用了另一个类库(服务上存在相同的库),当我构建我的解决方案时,我得到了这个警告:

Warning 12  Custom tool warning: Cannot import wsdl:portType
Detail: An exception was thrown while running a WSDL import extension: System.ServiceModel.Description.DataContractSerializerMessageContractImporter
Error: Referenced type 'MyNamespace.KPI.ChartObject`2, MyNamespace.KPI.Core, Version=1.0.0.0, Culture=neutral, PublicKeyToken=3e720b7e8a51f8d5' with data contract name 'ChartObjectOfdecimalZKPIPeriodaU4eboDJ' in namespace 'http://schemas.datacontract.org/2004/07/MyNamespace.KPI' cannot be used since it does not match imported DataContract. Need to exclude this type from referenced types.

应该注意的是,这个特定的类是一个泛型类…我不知道这是否与错误有关

WCFTestClient连接,但“添加服务引用”;不生成引用

你需要遵循ABC:

    <
  • 地址/gh><
  • 绑定/gh>

通过HTTP公开的地址只需要一个部署URL。互联网信息系统正在为你处理这一切。然而;如果您试图在没有正确定义的情况下使用Service Reference -它将无法显示。因为它有,所以没有关于它要去哪里的细节

一旦你定义了这个标准,它应该显示为正常


更新:

您可以在相同的服务契约上实现SOAP和REST,也可以将它们分开。在这个例子中;我把它们分开。

创建服务:

[ServiceContract]
public interface IMath
{
      [OperationContract]
      int Add(int Number1, int Number2);
}

为Rest创建服务契约:

[ServiceContract]
public interface IMathRest
{
     [OperationContract]
     [WebGet(UriTemplate = "/Add/{Number1}/{Number2}", RequestFormat = WebMessageFormat.Json,
              ResponseFormat = WebMessageFormat.Json)]
     int AddRest(string Number1, string Number2);
}

在上述服务中;它显式地设置消息格式。

实现服务:"Binding"

public class Math : IMath, IMathRest
{
     public int Add(int Number1, int Number2)
     {
         return Number1 + Number2;
     }
     public int AddRest(string Number1, string Number2)
     {
         int num1 = Convert.ToInt32(Number1);
         int num2 = Convert.ToInt32(Number2);
         return num1 + num2;
     }
}

配置服务:

<serviceBehaviors>
      <behavior name = "servicebehavior">
          <serviceMetadata httpGetEnabled = "true" />
          <serviceDebug includeExceptionDetailInFaults = "false" />
      </behavior>
</serviceBehaviors>

上面的命令将服务设置为Basic/Web Http。

配置完serviceBehavior后,您需要定义端点:

<endpointBehaviors>
     <behavior name="restBehavior">
          <webHttp/>
     </behavior>
</endpointBehaviors>

这将把您的Rest端点配置为上面指定的webHttpBinding。现在需要定义Soap。

<endpoint name = "SoapEndPoint"
       contract = "Namespace in which Service Resides goes here"
       binding = "basicHttpBinding" <!-- Mirrors are above configuration -->
       address = "soap" />

以上将进入您的配置;然而,在使用服务时,需要端点名称。端点将在基地址/Soap地址处可用。指定使用的绑定。

只不过我们只配置了Soap,而没有配置Rest。所以我们需要指定端点:

<endpoint name = "RestEndPoint"
       contract = "Namespace that our Rest Interface is located goes here"
       binding = "webHttpBinding"
       address = "rest"
       behaviorCOnfiguration = "restBehavior" />

我们的Rest端点将在我们的Url (Base Address/Rest/Add/Parameter/Parameter)被调用。我们已经指定了约束;并设置我们的Rest Behavior

当你把整个事情放在一起;它看起来像:

<?xml version="1.0"?>
<configuration>
  <system.web>
    <compilation debug="true" targetFramework="4.0" />
  </system.web>
  <system.serviceModel>
    <behaviors>
      <serviceBehaviors>
        <behavior name ="servicebehavior">        
          <serviceMetadata httpGetEnabled="true"/>        
          <serviceDebug includeExceptionDetailInFaults="false"/>
        </behavior>
      </serviceBehaviors>
      <endpointBehaviors>
        <behavior name="restbehavior">
          <webHttp/>
        </behavior>
      </endpointBehaviors>
    </behaviors>
    <services>
      <service name ="MultipleBindingWCF.Service1"
               behaviorConfiguration ="servicebehavior" >
        <endpoint name ="SOAPEndPoint"
                  contract ="MultipleBindingWCF.IService1"
                  binding ="basicHttpBinding"
                  address ="soap" />
        <endpoint name ="RESTEndPoint"
                  contract ="MultipleBindingWCF.IService2"
                  binding ="webHttpBinding"
                  address ="rest"
                  behaviorConfiguration ="restbehavior"/>
        <endpoint contract="IMetadataExchange"
                  binding="mexHttpBinding"
                  address="mex" />
      </service>
    </services>   
  </system.serviceModel>
 <system.webServer>
    <modules runAllManagedModulesForAllRequests="true"/>
  </system.webServer> 
</configuration>
消费:

使用我们的Soap很简单;直往前行。创建服务引用并拨打电话

static void CallingSoapFunction()
{
     SoapClient proxy = new SoapClient("SoapEndPoint");
     var result = proxy.Add(7,2); // Proxy opens the channel, we invoke our method, we input our parameters.
     Console.WriteLine(result);
}

除了我们的Restful消费略有不同;特别是因为我们必须将其格式化为Json。所以我们需要准确地指定名称

Rest将依赖Json进行数据的反序列化。

static void CallRestFunc()
{
     WebClient RestProxy = new WebClient();
     byte[] data = RestProxy.DownloadData(new Uri("http://localhost:30576/MathRest.svc/Rest/Add/7/2")); // As you see it is following the exact location of the project, invoking method / parameter and so on down the line.
Stream stream = new MemoryStream(data);
DataContractJsonSerializer obj = new DataContractJsonSerializer(typeof(string));
string result = obj.ReadObject(stream).ToString();
Console.WriteLine(result);
}

上面的代码将使用Rest Uri下载数据。反序列化数据;并显示

希望这有助于澄清。

如果没有在配置文件中创建适当的项;那么它将不允许适当的消费。ABC在WCF中至关重要。如果没有在配置文件中创建,则需要在代码中以编程方式创建它们。


更新:

static void Main(string[] args)
{
    var binding = new BasicHttpBinding();
    var endpoint = new EndpointAddress("http://localhost:8080/");
    using (var factory = new ChannelFactory<IPerson>(binding, endpoint))
    {
        var request = new Dictionary<Guid, Person>();
        request[Guid.NewGuid()] = new Person { Name = "Bob", Email = "Bob@abc.com" };
        var client = factory.CreateChannel();
        var result = client.SetCustomer(request);
        Console.WriteLine("Name: {0} | Email: {1}", result.Name, result.Email);
        factory.Close();
    }
    Console.ReadKey(true);
}

正如你在这个基本例子中看到的;绑定和端点都配置好了。您需要确保所有这些都在服务器和客户机中定义。它必须知道它要去哪里。这样更有意义吗?

查看此url。