我有一个执行端口扫描的工具,我遇到的问题是,当端点无法访问时,GUI会冻结,直到出现某种错误。我试过创建一个线程,但我不太熟悉如何做到这一点。有人能告诉我怎么样?
using System;
using System.Collections.Generic;
using System.ComponentModel;
using System.Data;
using System.Drawing;
using System.Linq;
using System.Text;
using System.Windows.Forms;
using System.Net;
using System.Net.Sockets;
using System.Threading;
namespace PortScan
{
public partial class Form1 : Form
{
public Form1()
{
InitializeComponent();
timeTextBox.Text = "2000";
}
private void button1_Click(object sender, EventArgs e)
{
ThreadStart threadStart = GetPortStatus;
threadStart.BeginInvoke(null, null);
GetPortStatus();
}
private void GetPortStatus()
{
button1.Enabled = false;
var currentIP = ipaddressTextBox.Text;
int anInteger;
anInteger = Convert.ToInt32(portTextBox.Text);
anInteger = int.Parse(portTextBox.Text);
IPAddress IP = IPAddress.Parse(currentIP);
IPEndPoint EndPoint = new IPEndPoint(IP, anInteger);
Socket query = new Socket(AddressFamily.InterNetwork, SocketType.Stream, ProtocolType.Tcp);
//Console.WriteLine("Blocking: {0}", query.Blocking);
//resultsTextBox.Text = currentIP + ":" + anInteger + " is blocked: " + query.Blocking;
//resultsTextBox.Text += Environment.NewLine + currentIP + ":" + anInteger + " is blocked: " + query.Blocking;
try
{
query.Connect(EndPoint);
resultsTextBox.Text += "Connected to " + EndPoint + Environment.NewLine;
}
catch (SocketException i)
{
//Console.WriteLine("Problem connecting to host");
//Console.WriteLine(e.ToString());
resultsTextBox.Text += "Cannot connect to " + EndPoint + ", port maybe blocked" + Environment.NewLine;
query.Close();
button1.Enabled = true;
return;
}
//if (InvokeRequired)
//{
// Invoke(new MethodInvoker(Close));
//}
//else
//{
// Close();
//}
query.Close();
button1.Enabled = true;
}
private void timer1_Tick(object sender, EventArgs e)
{
if (autoCheckBox.Checked == true)
{
button1_Click(sender, e);
}
else
{
}
}
private void Form1_Load(object sender, EventArgs e)
{
}
}
}
答案 0 :(得分:1)
private void button1_Click(object sender, EventArgs e)
{
ThreadStart threadStart = GetPortStatus;
threadStart.BeginInvoke(null, null);
GetPortStatus();
}
应该是:
private void button1_Click(object sender, EventArgs e)
{
ThreadStart threadStart = new ThreadStart(GetPortStatus);
Thread name = new Thread(threadStart);
name.Start();
}
在threadstart构造函数中传递要调用的函数的委托。 Threadstart表示在线程上执行的方法。
答案 1 :(得分:1)
第一个问题是,Socket.Connect()
是一种阻止方法。在连接成功/拒绝之前它不会返回。您可以使用异步方法BeginConnect()
和EndConnect()
。但这不是真正的问题,因为你已经在使用新线程了。
第二个问题是,您无法从主线程以外的其他线程更新GUI。
Invoke(new MethodInvoker(() =>
{
... // GUI updates (like your resultsTextBox)
}));
如果您不喜欢Invoke
内容,可以使用BackgroundWorker
及其ReportProgress
方法+ ProgressChanged
事件。
并且@Hmm是正确的,因为您不使用新的Thread
对象,所以在GUI线程上调用该方法。但是,您需要Invoke
更新,如上所述。
修改强>
顺便说一句,最干净的解决方案是使用AOP(OnGuiThreadAttribute
)来完成seperation of concerns。
答案 2 :(得分:1)
如果要构建需要在单独线程上执行任务的Windows窗体应用程序,我建议您使用BackgroundWorker
组件。有关如何在http://www.dotnetperls.com/backgroundworker使用此组件的优秀教程。