如果 65536 个端口中的每一个都需要 200 毫秒(在最坏的情况下,防火墙会阻止一切,从而使每个端口都达到超时),那么数学非常简单:您需要 13k 秒,或大约 3 小时一半。
您有 2 个(非排他性的)选项可以使其更快:
由于操作是受 I/O 限制的(与 CPU 限制相反——也就是说,您花费时间等待 I/O,而不是等待完成一些巨大的计算),您可以使用很多很多线程。尝试从 20 开始。他们会在其中划分 3 个半小时,因此最长预期时间约为 10 分钟。请记住,这会给另一边带来压力,即,被扫描的主机会看到带有“不合理”或“奇怪”模式的巨大网络活动,从而使扫描非常容易被检测到。
最简单的方法(即,更改最少)是使用 ExecutorService 和 Future API:
public static Future<Boolean> portIsOpen(final ExecutorService es, final String ip, final int port, final int timeout) {
return es.submit(new Callable<Boolean>() {
@Override public Boolean call() {
try {
Socket socket = new Socket();
socket.connect(new InetSocketAddress(ip, port), timeout);
socket.close();
return true;
} catch (Exception ex) {
return false;
}
}
});
}
然后,您可以执行以下操作:
public static void main(final String... args) {
final ExecutorService es = Executors.newFixedThreadPool(20);
final String ip = "127.0.0.1";
final int timeout = 200;
final List<Future<Boolean>> futures = new ArrayList<>();
for (int port = 1; port <= 65535; port++) {
futures.add(portIsOpen(es, ip, port, timeout));
}
es.shutdown();
int openPorts = 0;
for (final Future<Boolean> f : futures) {
if (f.get()) {
openPorts++;
}
}
System.out.println("There are " + openPorts + " open ports on host " + ip + " (probed with a timeout of " + timeout + "ms)");
}
如果您需要知道哪些端口是打开的(而不仅仅是多少,如上例所示),您需要将函数的返回类型更改为Future<SomethingElse>
,其中SomethingElse
将保存端口和扫描结果,一些像:
public final class ScanResult {
private final int port;
private final boolean isOpen;
// constructor
// getters
}
然后,在第一个片段中更改Boolean
为,并返回or而不是仅仅orScanResult
new ScanResult(port, true)
new ScanResult(port, false)
true
false
编辑:实际上,我只是注意到:在这种特殊情况下,您不需要 ScanResult 类来保存结果+端口,并且仍然知道哪个端口是打开的。由于您将期货添加到List,它是有序的,并且稍后,您按照添加它们的相同顺序处理它们,您可以有一个计数器,您可以在每次迭代时递增以了解您正在处理哪个端口. 但是,嘿,这只是为了完整和准确。永远不要尝试这样做,这太可怕了,我很惭愧我想到了这个......使用 ScanResult 对象更干净,代码更易于阅读和维护,并且允许您稍后,例如,使用 aCompletionService
来改进扫描仪。