1

我正在研究一个 C# WCF 项目,除了一个很大但希望很简单的问题外,我已经完成了它的工作。

WCF 服务托管在我的控制台应用程序中,我的控制台应用程序调用一个函数到不同的类以打开 WCF 服务的连接。

但是,如果函数的最后一行是 host.open(); 然后函数调用完成,连接被关闭,服务不能再使用。但是,如果我将 Console.ReadLine() 放在 host.open 之后,那么服务将保持打开状态并且我可以使用它,但显然程序的其余流程不再运行。

下面是我用来打开主机连接的代码。

public void startSoapServer()
        {
            string methodInfo = classDetails + MethodInfo.GetCurrentMethod().Name;
            if (String.IsNullOrEmpty(Configuration.soapServerSettings.soapServerUrl) ||
                Configuration.soapServerSettings.soapPort == 0)
            {
                string message = "Not starting Soap Server: URL or Port number is not set in config file";
                library.logging(methodInfo, message);
                library.setAlarm(message, CommonTasks.AlarmStatus.Medium, methodInfo);
                return;
            }
            //baseAddress = new Uri(string.Format("{0}:{1}", Configuration.soapServerSettings.soapServerUrl, 
            //    Configuration.soapServerSettings.soapPort));
            baseAddress = new Uri("http://localhost:6525/hello");

            using (ServiceHost host = new ServiceHost(typeof(SoapServer), baseAddress))
            {
                ServiceMetadataBehavior smb = new ServiceMetadataBehavior();
                smb.HttpGetEnabled = true;
                smb.MetadataExporter.PolicyVersion = PolicyVersion.Policy15;
                host.Description.Behaviors.Add(smb);
                host.Opened += new EventHandler(host_Opened);
                host.Faulted += new EventHandler(host_Faulted);
                host.Open();
                Console.ReadLine();
            }

没有 Console.ReadLine() 函数完成,因此连接关闭。如何在 C# 应用程序运行期间保持主机打开。

这个函数调用是从 Main 方法中调用的,在控制台中初始化一些东西的过程中途。

感谢您的任何帮助,您可以提供。

4

1 回答 1

2

您需要在类范围而不是函数范围内声明 ServiceHost,并且不要使用using.

using {}将自动处置它所属的对象,处置意味着关闭。此外,由于您的 ServiceHost 是在函数范围内定义的,因此一旦函数完成,它将超出范围并由垃圾收集器清理。

您的ReadLine调用阻止关闭的原因是因为它位于 using 语句内,并在声明变量的函数内停止程序,使其保持在范围内。

你需要做这样的事情:

private ServiceHost host;

public void startSoapServer()
        {
            // trimmed... for clarity


                host = new ServiceHost(typeof(SoapServer), baseAddress));

                ServiceMetadataBehavior smb = new ServiceMetadataBehavior();
                smb.HttpGetEnabled = true;
                smb.MetadataExporter.PolicyVersion = PolicyVersion.Policy15;
                host.Description.Behaviors.Add(smb);
                host.Opened += new EventHandler(host_Opened);
                host.Faulted += new EventHandler(host_Faulted);
                host.Open();

           // etc.

host当您退出应用程序时,您将关闭。

于 2013-03-04T22:04:16.373 回答