一、场景介绍
我们有时候做中间件会遇到以下场景
这种场景适应于 Docker 以及K8s 等等场景,但是linux 内对多个进程进行了隔离,大家都是用不同的namespace,每个namespace都是弱隔离的,他隔离了不同容器的net namespace 和 mount namespace。
当我们做基础架构中间件的时候需要从 namespace 去切换到不同的namespace里,去读取他们的一些网络信息和 文件信息,这就需要我们去切换 net namespace 和 mount namespace。
二、我们该如何做
我们如果要切入不同的进程的namespace 需要 去拿到不同进程的/proc/{pid}/ns/net和 /proc/10676/ns/mnt,然后使用 setns 去切换。
切换到proc的 mount namespace
#include <fcntl.h>
#include <sched.h>
#include <unistd.h>
#include <iostream>
#include <climits>
int main(int argc, char** argv) {
const char* ns_file = "/proc/";
const char* ns_suffix = "/ns/mnt";
// 拼接出 namespace 文件路径
char ns_path[PATH_MAX];
snprintf(ns_path, PATH_MAX, "%s%s%s", ns_file, argv[1], ns_suffix);
std::cout << ns_path << std::endl;
// 打开 /proc/[pid]/ns/mnt 文件
int fd = open(ns_path, O_RDONLY);
if (fd == -1) {
perror("open");
return 1;
}
// 设置当前进程的 mount namespace 为指定的进程的 mount namespace
if (setns(fd, CLONE_NEW) == -1) {
perror("setns");
return 1;
}
std::system("ls /");
close(fd);
std::cout << "Successfully set the mount namespace of this process to the target process." << std::endl;
return 0;
}
切换到netnamespace
#include <fcntl.h>
#include <sched.h>
#include <unistd.h>
#include <iostream>
#include <climits>
int main(int argc, char** argv) {
const char* ns_file = "/proc/";
const char* ns_suffix = "/ns/net";
// 拼接出 namespace 文件路径
char ns_path[PATH_MAX];
snprintf(ns_path, PATH_MAX, "%s%s%s", ns_file, argv[1], ns_suffix);
std::cout << ns_path << std::endl;
// 打开 /proc/[pid]/ns/mnt 文件
int fd = open(ns_path, O_RDONLY);
if (fd == -1) {
perror("open");
return 1;
}
// 设置当前进程的 mount namespace 为指定的进程的 mount namespace
if (setns(fd, CLONE_NEWNET) == -1) {
perror("setns");
return 1;
}
std::system("ls /");
close(fd);
std::cout << "Successfully set the mount namespace of this process to the target process." << std::endl;
return 0;
}