我正在做一个 C++ 项目。为了满足其中一项要求,我需要随时检查某个端口是否可在我的应用程序中使用。为了实现这一点,我来到了以下解决方案。

#include <iostream>
#include <cstdlib>
#include <stdexcept>
#include <string>
#include <stdio.h>


std::string _executeShellCommand(std::string command) {
    char buffer[256];
    std::string result = "";
    const char * cmd = command.c_str();
    FILE* pipe = popen(cmd, "r");
    if (!pipe) throw std::runtime_error("popen() failed!");

    try {
        while (!feof(pipe))
            if (fgets(buffer, 128, pipe) != NULL)
                result += buffer;
    } catch (...) {
        pclose(pipe);
        throw;
    }
    pclose(pipe);
    return result;
}

bool _isAvailablePort(unsigned short usPort){
    char shellCommand[256], pcPort[6];
    sprintf(shellCommand, "netstat -lntu | awk '{print $4}' | grep ':' | cut -d \":\" -f 2 | sort | uniq | grep %hu", usPort);
    sprintf(pcPort, "%hu", usPort);

    std::string output =  _executeShellCommand(std::string(shellCommand));

    if(output.find(std::string(pcPort)) != std::string::npos)
            return false;
    else
            return true;

}


int main () {
    bool res = _isAvailablePort(5678);
    return 0;
}

这里基本上 _executeShellCommand 函数可以随时执行任何 shell 命令,并且可以将 stdout 输出作为返回字符串返回。

我正在该函数中执行以下 shell 命令。
netstat -lntu | awk '{print $4}' | grep ':' | cut -d \":\" -f 2 | sort | uniq | grep portToCheck

因此,如果端口已在使用中,_executeShellCommand 将返回 PortValue 本身,否则将返回 Blank。所以,检查返回的字符串,我可以决定。

到现在为止还挺好。

现在,我想让我的项目完全防崩溃。所以,在触发 netstat 命令之前,我想确定它是否真的存在。在这种情况下,我需要帮助。我知道,怀疑 netstat 命令在 linux 机器中的可用性有点愚蠢。我只是在想一些用户出于某种原因从他的机器上删除了 netstat 二进制文件。

注意:无论端口是否可用,我都不想对 chack 进行 bind() 调用。此外,如果我可以检查 netstat 命令是否可用而无需再次调用 _executeShellCommand(即不执行另一个 Shell 命令),那将是最好的。

最佳答案

一个更好的主意是让你的代码完全没有 netstat 的情况下工作。

在 Linux 上,所有 netstat 所做的(对于您的用例)都是读取 /proc/net/tcp 的内容,它枚举所有正在使用的端口。

您所要做的就是自己打开 /proc/net/tcp 并解析它。这变成了一个普通的、无聊的、文件解析代码。没有比这更“防撞”的了。

您可以在 Linux 手册页中找到有关 /proc/net/tcp 格式的文档。

万一您需要检查 UDP 端口,这将是 /proc/net/udp

当然,在您检查 /proc/net/tcp 之间有一个竞争窗口,在那里有人可以抢占端口。但 netstat 也是如此,由于这将是一个更慢的过程,这实际上将是一个改进,并显着减少竞争窗口。

关于c++ - 使用c++查找是否可以在linux中使用端口,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/39617324/

10-16 20:15