"Not a directory" 编写内核配置时

"Not a directory" when writing kernel configurations

我正在尝试在 Linux 系统上使用 Qt 中的此功能切换 IPv6。问题是它无法打开文件,只是报告 "Not a directory"。

bool toggle_ipv6(const bool &enabled) {
    const std::vector<std::string> ipv6_kernel_option_files = {
        "/proc/sys/net/ipv6/conf/all/disable_ipv6"
        "/proc/sys/net/ipv6/conf/default/disable_ipv6"
        "/proc/sys/net/ipv6/conf/lo/disable_ipv6"
    };

    for (const auto &filename: ipv6_kernel_option_files) {
        QFile kernel_option_file( filename.c_str() );
        if ( kernel_option_file.open(QIODevice::WriteOnly) ) {
            QTextStream stream(&kernel_option_file);
            stream << (enabled ? "0" : "1");
            kernel_option_file.close();
        } else {
            const std::string error_message = kernel_option_file.errorString().toStdString();
            qDebug().nospace().noquote() << '[' << QTime::currentTime().toString() << "]: " << error_message.c_str();
            return false;
        }
    }

    return true;
}

我试过在网上搜索,但找不到与 QFile 和此特定错误消息有关的任何其他问题。我该如何解决这个问题?

矢量初始化中缺少逗号:

const std::vector<std::string> ipv6_kernel_option_files = {
    "/proc/sys/net/ipv6/conf/all/disable_ipv6"
    "/proc/sys/net/ipv6/conf/default/disable_ipv6"
    "/proc/sys/net/ipv6/conf/lo/disable_ipv6"
};

因此向量只有一个元素,它是由三个路径连接而成的字符串:

"/proc/sys/net/ipv6/conf/all/disable_ipv6/proc/sys/net/ipv6/conf/default/disable_ipv6/proc/sys/net/ipv6/conf/lo/disable_ipv6"

考虑到

"/proc/sys/net/ipv6/conf/all/disable_ipv6"

是文件,不是目录,不能包含路径的其余部分。

在向量初始化中使用逗号分隔路径:

const std::vector<std::string> ipv6_kernel_option_files = {
    "/proc/sys/net/ipv6/conf/all/disable_ipv6",
    "/proc/sys/net/ipv6/conf/default/disable_ipv6",
    "/proc/sys/net/ipv6/conf/lo/disable_ipv6"
};