如何检查我的 Linux 机器上哪些端口繁忙,哪些端口空闲?

如何检查我的 Linux 机器上哪些端口繁忙,哪些端口空闲?

是否有任何命令行命令或其他方法可以查找并列出我的 Linux 机器上的繁忙和空闲端口号?

答案1

命令

netstat -antu

将显示所有正在使用的 tcp 和 udp 端口​​。输出将如下所示:

Proto Recv-Q Send-Q Local Address           Foreign Address         State
tcp        0      0 0.0.0.0:59753           0.0.0.0:*               LISTEN

本地地址字段中冒号后面的数字表示正在使用的端口。如果状态为“侦听”,则表示正在使用端口进行传入连接。如果字段中的 IP 地址为,则Local Address表示0.0.0.0传入连接将在分配给接口的任何 IP 地址上被接受 - 因此这意味着来自您机器外部的连接。

如果它说localhost或者127.0.0.1它将只接受来自您的机器的连接。

此外,如果您添加参数-p并以 root 身份运行它,它将显示打开端口的进程:

$ sudo netstat -antup
Active Internet connections (servers and established)
Proto Recv-Q Send-Q Local Address           Foreign Address         State       PID/Program name
tcp        0      0 0.0.0.0:59753           0.0.0.0:*               LISTEN      860/rpc.statd

未显示正在使用的内容都是免费的,但用户(非特权帐户)只能打开 1023 以上的端口。

答案2

我整理了一个小清单我。

我最喜欢的有:

netstat -tulpn
lsof -i -n -P

答案3

检查端口是否打开的一个好方法就是使用ss(替换已弃用 netstat),它可以在脚本中使用而不需要提升权限(即sudo)。

用法:-l监听端口选项、-n绕过 DNS 解析选项以及源端口过滤器NN:(src :NN替换NN为要监控的端口)。有关更多选项,请参阅man ss

ss -ln src :NN

例子:

[user@server ~]# ss -ln src :80
State       Recv-Q Send-Q       Local Address:Port   Peer Address:Port
LISTEN      0      128                      *:80                *:*
[user@server ~]# ss -ln src :81
State       Recv-Q Send-Q       Local Address:Port   Peer Address:Port

在脚本中,使用 grep,我们可以测试输出是否包含我们请求的端口。使用端口 80 的示例(见上文):

myport=80
# count the number of occurrences of port $myport in output: 1= in use; 0 = not in use
result=$(ss -ln src :$myport | grep -Ec -e "\<$myport\>")
if [ "$result" -eq 1 ]; then
  echo "Port $myport is in use (result == $result) "
else
  echo "Port $myport is NOT in use (result == $result) "
fi

# output:
Port 80 is in use (result == 1)

未使用端口 81 的示例(见上文)

myport=81
result=$(ss -ln src :$myport | grep -Ec -e "\<$myport\>")
if [ "$result" -eq 1 ]; then
  echo "Port $myport is in use (result == $result) "
else
  echo "Port $myport is NOT in use (result == $result) "
fi

# output:
Port 81 is NOT in use (result == 0)

答案4

其他方式:

telnet localhost <PORT_NUMBER>

如果端口空闲,您将收到错误。如果端口正在使用中,telnet 将连接。

(发现于http://www.unix.com/unix-for-dummies-questions-and-answers/8456-how-know-whether-particular-port-number-free-not.html

相关内容