我正在尝试创建一个监听端口10000上的流量的winforms应用程序,并且基本上作为客户端应用程序和远程数据库的中间人。它应该有一个listen和accept线程,在客户端连接时打开一个单独的客户端线程。然后,此客户端线程将处理与客户端程序的通信。侦听器应用程序有两个列表框,其中包含有关正在连接的用户和正在执行的操作的信息。
目前,我正在尝试使用Microsoft提供的示例程序here并根据我的需要对其进行修改,但如果有人对我可能看到的其他地方有任何建议,我很乐意听到它。
当我试图偶然发现这一点时,我还没有弄清楚的一件事是如何在不锁定我的电脑的情况下让这个监听器继续运行。这是我的表单代码(包括一个退出按钮和一个清除我的列表框的按钮):
public partial class Form1 : Form {
public Form1() {
InitializeComponent();
}
private void btnExit_Click(object sender, EventArgs e) {
this.Close();
}
private void btnClearList_Click(object sender, EventArgs e) {
this.lbActionLog.Items.Clear();
this.lbUserLog.Items.Clear();
count = 0;
this.txtCount.Text = count.ToString();
}
private void Form1_Load(object sender, EventArgs e) {
Server begin = new Server();
begin.createListener();
}
}
这是我使用begin.createListener调用的侦听器代码:
int servPort = 10000;
public void createListener() {
// Create an instance of the TcpListener class.
TcpListener tcpListener = null;
IPAddress ipAddress = Dns.GetHostEntry("localhost").AddressList[0];
string output = "";
try {
// Set the listener on the local IP address and specify the port.
//
tcpListener = new TcpListener(ipAddress, servPort);
tcpListener.Start();
output = "Waiting for a connection...";
}
catch (Exception e) {
output = "Error: " + e.ToString();
MessageBox.Show(output);
}
while (true) {
// Always use a Sleep call in a while(true) loop
// to avoid locking up your CPU.
Thread.Sleep(10);
// Create socket
//Socket socket = tcpListener.AcceptSocket();
TcpClient tcpClient = tcpListener.AcceptTcpClient();
// Read the data stream from the client.
byte[] bytes = new byte[256];
NetworkStream stream = tcpClient.GetStream();
stream.Read(bytes, 0, bytes.Length);
SocketHelper helper = new SocketHelper();
helper.processMsg(tcpClient, stream, bytes);
}
}
现在,这只是在tcpListener.AcceptSocket上停止。表单永远不会加载,显然列表框没有被填充。如何在应用程序启动时自动获取此侦听器,并仍然加载表单并更新列表框?我希望这个应用程序能够随时启动并准备好接受连接,而无需让一个人在那里等待。
答案 0 :(得分:2)
您正在使用阻止方法,以便Form1_Load
永远不会结束,因为它等待传入连接。
一个简单的解决方法可能是启动一个处理连接的新线程:
private void Form1_Load(object sender, EventArgs e) {
new Thread(
() =>
{
Server begin = new Server();
begin.createListener();
}
).Start();
}