使用此答案中的代码 -与 Windows 命名管道 (.Net) 进行异步双向通信- 我发现任何一次连接/客户端的最大数量为 10。
在下面的粗略示例中(这使用多个线程 - 如果使用多个进程,也会发生同样的事情)客户端 1 到 10 将正常启动和运行。但是,当调用“ProcessData”时,客户端 11 和 12 将阻塞,最终抛出 TimeoutException。
public static void Start()
{
// Start Server
new Thread(new ThreadStart(Server.MainRun)).Start();
// Start Clients
for (int i = 1; i <= 12; i++)
{
Thread.Sleep(500);
Client c = new Client(i.ToString());
new Thread(new ThreadStart(c.Run)).Start();
}
}
// Create a contract that can be used as a callback
public interface IMyCallbackService
{
[OperationContract(IsOneWay = true)]
void NotifyClient();
}
// Define your service contract and specify the callback contract
[ServiceContract(CallbackContract = typeof(IMyCallbackService))]
public interface ISimpleService
{
[OperationContract]
string ProcessData();
}
[ServiceBehavior(InstanceContextMode = InstanceContextMode.PerCall)]
public class SimpleService : ISimpleService
{
public string ProcessData()
{
// Get a handle to the call back channel
var callback = OperationContext.Current.GetCallbackChannel<IMyCallbackService>();
callback.NotifyClient();
return DateTime.Now.ToString();
}
}
class Server
{
public static void MainRun()
{
// Create a service host with an named pipe endpoint
using (var host = new ServiceHost(typeof(SimpleService), new Uri("net.pipe://localhost")))
{
host.AddServiceEndpoint(typeof(ISimpleService), new NetNamedPipeBinding(), "SimpleService");
host.Open();
Console.WriteLine("Simple Service Running...");
Console.ReadLine();
host.Close();
}
}
}
class Client : IMyCallbackService
{
string _id;
public Client(string ID)
{
_id = ID;
}
public void Run()
{
Console.WriteLine("Starting client : " + _id);
// Consume the service
var factory = new DuplexChannelFactory<ISimpleService>(new InstanceContext(this), new NetNamedPipeBinding(), new EndpointAddress("net.pipe://localhost/SimpleService"));
var proxy = factory.CreateChannel();
Console.WriteLine(proxy.ProcessData());
Console.WriteLine("Client finished : " + _id);
}
public void NotifyClient()
{
Console.WriteLine("Notification from Server");
}
}
如果客户端在完成后关闭通道(factory.Close()),那么所有客户端都可以运行。
我理解这个问题 -可以连接到命名管道的客户端数量- 非常相似,但表明没有下限。
这表明 Windows XP 和 2000 机器上的限制为 10 - http://msdn.microsoft.com/en-us/library/system.io.pipes.namedpipeclientstream.aspx - 除非这发生在 Windows 8 机器和 Windows 2008服务器。
有没有办法改变这个限制?我错过了一些明显的东西吗?