1

我想覆盖存储在 app.config 中的客户端 WCF 端点地址,以便我可以将它们从指向“localhost”更改为指向生产 URL [取决于可以从应用程序中设置的配置(包含在对象“appConfig”中)在下面显示的代码中) - 这是一个 WinForms 项目。]

通过阅读该领域的其他问题,我已经了解了我从 Form_Load 事件中调用的以下代码片段(调用 InitEndpoint 的 InitAllEndpoints)。我在我的应用程序中尝试了这些,如果我将鼠标悬停在“ep”变量中的值上,它们似乎会更改端点地址。然而,如果我在我的代码之后再次循环通过 serviceModelSectionGroup.Client.Endpoints 我发现它们实际上没有改变。(我现在读到端点地址是不可变的 - 所以我的代码看起来还是错误的,因为我希望用新的端点地址对象覆盖地址 - 而不是 Uri?)

如何以编程方式覆盖客户端 app.config WCF 端点地址?

private void InitAllEndpoints()
{
    ServiceModelSectionGroup serviceModelSectionGroup =
               ServiceModelSectionGroup.GetSectionGroup(
               ConfigurationManager.OpenExeConfiguration(
               ConfigurationUserLevel.None));
    if (serviceModelSectionGroup != null)
    {

        foreach (ChannelEndpointElement ep in serviceModelSectionGroup.Client.Endpoints)
        {
            InitEndpoint(ep,

                appConfig.ExternalComms_scheme,
                appConfig.ExternalComms_host,
                appConfig.ExternalComms_port);
        }
    }
}


private void InitEndpoint(ChannelEndpointElement endPoint,  string scheme, String host, String port)
{
    string portPartOfUri = String.Empty;
    if (!String.IsNullOrWhiteSpace(port))
    {
        portPartOfUri = ":" + port;
    }

    string wcfBaseUri = string.Format("{0}://{1}{2}", scheme, host, portPartOfUri);

    endPoint.Address = new Uri(wcfBaseUri + endPoint.Address.LocalPath);
}

注意:我的代理存在于一个单独的项目/DLL 中。

例如

public class JournalProxy : ClientBase<IJournal>, IJournal
{
    public string StoreJournal(JournalInformation journalToStore)
    {
        return Channel.StoreJournal(journalToStore);
    }


}
4

2 回答 2

5

我这样做的唯一方法是替换EndpointAddress每个构造的客户端实例。

using (var client = new JournalProxy())
{
    var serverUri = new Uri("http://wherever/");
    client.Endpoint.Address = new EndpointAddress(serverUri,
                                                  client.Endpoint.Address.Identity,
                                                  client.Endpoint.Address.Headers);

    // ... use client as usual ...
}
于 2012-04-25T16:53:47.430 回答
1

我通过使用客户端代理中的 ClientBase<> 构造函数来完成修改客户端上 wcf 服务的端点

MDSN - 客户库

public class JournalProxy : ClientBase<IJournal>, IJournal 
{     

    public JournalProxy()
        : base(binding, endpointAddress)
    {
    }

    public string StoreJournal(JournalInformation journalToStore)     
    {         
        return Channel.StoreJournal(journalToStore);     
    }   
} 

在我的情况下,我从客户端代理中的数据库设置创建绑定和端点,您可以改用 ClientBase(string endpointConfigurationName, string remoteAddress)

于 2012-04-25T16:13:43.297 回答