我写了一个小的apllication,它创建了一个命名管道服务器和一个连接它的客户端。您可以将数据发送到服务器,服务器会成功读取它。
我需要做的下一件事是从服务器接收消息,所以我有另一个产生并坐下来等待传入数据的线程。
问题是,当线程处于等待传入数据的状态时,您不能再向服务器发送消息,因为它挂起WriteLine
调用,因为我认为管道现在已经被绑定检查数据。
仅仅是因为我没有正确接近这个?或者命名管道不应该像这样使用?我在命名管道上看到的示例似乎只是单向,客户端发送和服务器接收,尽管您可以将管道的方向指定为In
,Out
或两者。
任何帮助,指示或建议都将不胜感激!
到目前为止,这是代码:
// Variable declarations
NamedPipeClientStream pipeClient;
StreamWriter swClient;
Thread messageReadThread;
bool listeningStopRequested = false;
// Client connect
public void Connect(string pipeName, string serverName = ".")
{
if (pipeClient == null)
{
pipeClient = new NamedPipeClientStream(serverName, pipeName, PipeDirection.InOut);
pipeClient.Connect();
swClient = new StreamWriter(pipeClient);
swClient.AutoFlush = true;
}
StartServerThread();
}
// Client send message
public void SendMessage(string msg)
{
if (swClient != null && pipeClient != null && pipeClient.IsConnected)
{
swClient.WriteLine(msg);
BeginListening();
}
}
// Client wait for incoming data
public void StartServerThread()
{
listeningStopRequested = false;
messageReadThread = new Thread(new ThreadStart(BeginListening));
messageReadThread.IsBackground = true;
messageReadThread.Start();
}
public void BeginListening()
{
string currentAction = "waiting for incoming messages";
try
{
using (StreamReader sr = new StreamReader(pipeClient))
{
while (!listeningStopRequested && pipeClient.IsConnected)
{
string line;
while ((line = sr.ReadLine()) != null)
{
RaiseNewMessageEvent(line);
LogInfo("Message received: {0}", line);
}
}
}
LogInfo("Client disconnected");
RaiseDisconnectedEvent("Manual disconnection");
}
// Catch the IOException that is raised if the pipe is
// broken or disconnected.
catch (IOException e)
{
string error = "Connection terminated unexpectedly: " + e.Message;
LogError(currentAction, error);
RaiseDisconnectedEvent(error);
}
}
答案 0 :(得分:1)
您无法从一个线程读取并在另一个线程上写入同一个管道对象。因此,虽然您可以创建一个协议,其中收听位置根据您发送的数据而变化,但您不能同时执行这两项操作。您需要两侧的客户端和服务器管道才能执行此操作。