web-dev-qa-db-ja.com

ソケット:Javaを使用してポートの可用性を検出します

Javaを使用して、特定のマシンのポートの可用性をプログラムで判断するにはどうすればよいですか?

つまり、ポート番号を指定して、それがすでに使用されているかどうかを判断しますか?.

113
user54075

これは 実装 Apacheから来ています camel プロジェクト:

/**
 * Checks to see if a specific port is available.
 *
 * @param port the port to check for availability
 */
public static boolean available(int port) {
    if (port < MIN_PORT_NUMBER || port > MAX_PORT_NUMBER) {
        throw new IllegalArgumentException("Invalid start port: " + port);
    }

    ServerSocket ss = null;
    DatagramSocket ds = null;
    try {
        ss = new ServerSocket(port);
        ss.setReuseAddress(true);
        ds = new DatagramSocket(port);
        ds.setReuseAddress(true);
        return true;
    } catch (IOException e) {
    } finally {
        if (ds != null) {
            ds.close();
        }

        if (ss != null) {
            try {
                ss.close();
            } catch (IOException e) {
                /* should not be thrown */
            }
        }
    }

    return false;
}

ポートがUDPおよびTCPで使用可能かどうかを確認するために、DatagramSocketも確認しています。

お役に立てれば。

88

Java 7の場合、try-with-resourceを使用してよりコンパクトなコードを作成できます。

private static boolean available(int port) {
    try (Socket ignored = new Socket("localhost", port)) {
        return false;
    } catch (IOException ignored) {
        return true;
    }
}
39
eivindw

Java 7の時点では、 David Santamariaの答え はもはや確実に動作していません。ただし、接続をテストするためにSocketを確実に使用できるようです。

private static boolean available(int port) {
    System.out.println("--------------Testing port " + port);
    Socket s = null;
    try {
        s = new Socket("localhost", port);

        // If the code makes it this far without an exception it means
        // something is using the port and has responded.
        System.out.println("--------------Port " + port + " is not available");
        return false;
    } catch (IOException e) {
        System.out.println("--------------Port " + port + " is available");
        return true;
    } finally {
        if( s != null){
            try {
                s.close();
            } catch (IOException e) {
                throw new RuntimeException("You should handle this error." , e);
            }
        }
    }
}
35
TwentyMiles

パフォーマンスにあまり関心がない場合は、 ServerSocket クラスを使用して常にポートでリッスンしてみてください。例外がスローされる場合は、使用されている可能性があります。

public static boolean isAvailable(int portNr) {
  boolean portFree;
  try (var ignored = new ServerSocket(portNr)) {
      portFree = true;
  } catch (IOException e) {
      portFree = false;
  }
  return portFree;
}

EDIT:しようとしているのが空いているポートを選択するだけなら、new SocketServer(0)はあなたのためにそれを見つけます。

32
Spencer Ruport

次のソリューションは、Spring-core(Apacheライセンス)の SocketUtils 実装に触発されています。

Socket(...)を使用する他のソリューションと比較すると、非常に高速です(1000個のTCPポートを1秒未満でテストします):

public static boolean isTcpPortAvailable(int port) {
    try (ServerSocket serverSocket = new ServerSocket()) {
        // setReuseAddress(false) is required only on OSX, 
        // otherwise the code will not work correctly on that platform          
        serverSocket.setReuseAddress(false);
        serverSocket.bind(new InetSocketAddress(InetAddress.getByName("localhost"), port), 1);
        return true;
    } catch (Exception ex) {
        return false;
    }
}       
8
JMax

Try/catchソケットベースのソリューションでは、正確な結果が得られない場合があります(ソケットアドレスは「localhost」であり、場合によってはポートがループバックインターフェイスではなく「占有」される可能性があります。 protが誤って利用可能と宣言されています)。

SIGAR という名前のクールなライブラリがあり、次のコードで接続できます:

Sigar sigar = new Sigar();
int flags = NetFlags.CONN_TCP | NetFlags.CONN_SERVER | NetFlags.CONN_CLIENT;             NetConnection[] netConnectionList = sigar.getNetConnectionList(flags);
for (NetConnection netConnection : netConnectionList) {
   if ( netConnection.getLocalPort() == port )
        return false;
}
return true;
3
Shmil The Cat

David Santamariaが指摘した回答の整理:

/**
 * Check to see if a port is available.
 *
 * @param port
 *            the port to check for availability.
 */
public static boolean portIsAvailable(int port) {
    try (var ss = new ServerSocket(port); var ds = new DatagramSocket(port)) {
        return true;
    } catch (IOException e) {
        return false;
    }
}

これは、David Santamariaの回答に対するコメントでuser207421によって指摘された競合状態の影響を受けます(このメソッドがServerSocketおよびDatagramSocketを閉じて戻った後にポートが取得される可能性があります)。

1
Luke Hutchison

私の場合、ポートへの接続を試行するのに役立ちました-サービスが既に存在する場合、応答します。

    try {
        log.debug("{}: Checking if port open by trying to connect as a client", portNumber);
        Socket sock = new Socket("localhost", portNumber);          
        sock.close();
        log.debug("{}: Someone responding on port - seems not open", portNumber);
        return false;
    } catch (Exception e) {         
        if (e.getMessage().contains("refused")) {
            return true;
    }
        log.error("Troubles checking if port is open", e);
        throw new RuntimeException(e);              
    }
0
Ivan

私の場合、DatagramSocketクラスを使用する必要がありました。

boolean isPortOccupied(int port) {
    DatagramSocket sock = null;
    try {
        sock = new DatagramSocket(port);
        sock.close();
        return false;
    } catch (BindException ignored) {
        return true;
    } catch (SocketException ex) {
        System.out.println(ex);
        return true;
    }
}

最初にインポートすることを忘れないでください

import Java.net.DatagramSocket;
import Java.net.BindException;
import Java.net.SocketException;
0
kmchmk