我正在从主应用程序运行C#服务器,我想将从服务器线程收到的消息传递给主线程。服务器应该在后台运行以进行新连接。每次有新连接时,服务器都应将收到的消息传递给主应用程序。如何让主应用知道何时收到消息?当有新连接时,如何将消息从服务器线程传递给main?
主要申请
public partial class MainWindow : Window
{
TCPServer Server = new TCPServer(); //start running the server
//get the message (Server.message) when a client sent it to the server
//TODO process the message
}
TCP服务器
class TCPServer
{
private TcpListener tcpListener;
private Thread listenThread;
private String message;
public TCPServer()
{
this.tcpListener = new TcpListener(IPAddress.Any, 3200);
this.listenThread = new Thread(new ThreadStart(ListenForClients));
this.listenThread.Start();
}
//starts the tcp listener and accept connections
private void ListenForClients()
{
this.tcpListener.Start();
while (true)
{
//blocks until a client has connected to the server
System.Diagnostics.Debug.WriteLine("Listening...");
TcpClient client = this.tcpListener.AcceptTcpClient();
System.Diagnostics.Debug.WriteLine("Client connected");
//create a thread to handle communication
//with connected client
Thread clientThread = new Thread(new ParameterizedThreadStart(HandleClientComm));
clientThread.Start(client);
}
}
//Read the data from the client
private void HandleClientComm(object client)
{
TcpClient tcpClient = (TcpClient)client; //start the client
NetworkStream clientStream = tcpClient.GetStream(); //get the stream of data for network access
byte[] message = new byte[4096];
int bytesRead;
while (true)
{
bytesRead = 0;
try
{
//blocks until a client sends a message
bytesRead = clientStream.Read(message, 0, 4096);
}
catch
{
//a socket error has occured
break;
}
if (bytesRead == 0) //if we receive 0 bytes
{
//the client has disconnected from the server
break;
}
//message has successfully been received
ASCIIEncoding encoder = new ASCIIEncoding();
message = encoder.GetString(message, 0, bytesRead);
//Reply
byte[] buffer = encoder.GetBytes("ACK");
clientStream.Write(buffer, 0, buffer.Length);
System.Diagnostics.Debug.WriteLine("ACK");
clientStream.Flush();
}
tcpClient.Close();
System.Diagnostics.Debug.WriteLine("Client disconnected");
}
答案 0 :(得分:1)
TcpListener已经很好地支持了这一点,而是使用BeginAcceptTcpClient()方法。当您从WPF或Winforms应用程序的主线程调用它时,回调将自动在同一主线程上运行。这同样适用于其BeginReceive()方法。在内部,它使用调度程序循环来激活回调方法,非常类似于BackgroundWorker和C#v5 async / await关键字这样的类的工作方式。
这使您免于开始终止自己的线程并确保正确编组的麻烦。并显着减少程序的资源使用。强烈推荐。
答案 1 :(得分:0)
队列就是答案。特别是在这种情况下Concurrent Queue。
您的套接字线程将消息放入队列。您的工作线程轮询队列并拉出工作项。
对于基于套接字的应用程序,此模式非常非常常见。
或者,您可以针对系统线程池QueueUserWorkItem,让它管理工作负载。
注意:你现在处于多线程领域。您需要阅读有关同步和将要出现的其他问题。不这样做意味着你的应用程序会有非常奇怪的错误。