我正在尝试在Linux中的C ++程序中挂载ISO文件
我知道要实现这个的linux命令,即mount -o loop~ / Test.iso / mnt / myISO
但mount(2)手册页说明了以下安装原型:
int mount(const char *source, const char *target,
const char *filesystemtype, unsigned long mountflags,
const void *data);
如何在此处指定循环选项?
-
另外,一般来说是不是很好(/可接受)的做法,在linux编程中使用来自C ++的系统shell调用来实现这些任务?答案 0 :(得分:5)
小例子
#include <sys/mount.h>
#include <linux/loop.h>
#include <fcntl.h>
int main()
{
int file_fd, device_fd;
file_fd = open("./TVM_TOMI1.iso", O_RDWR);
if (file_fd < -1) {
perror("open backing file failed");
return 1;
}
device_fd = open("/dev/loop0", O_RDWR);
if (device_fd < -1) {
perror("open loop device failed");
close(file_fd);
return 1;
}
if (ioctl(device_fd, LOOP_SET_FD, file_fd) < 0) {
perror("ioctl LOOP_SET_FD failed");
close(file_fd);
close(device_fd);
return 1;
}
close(file_fd);
close(device_fd);
mount("/dev/loop0","/mnt/iso","iso9660",MS_RDONLY,"");
}
UPD: 卸载后你需要自由循环:
device_fd = open("/dev/loop0", O_RDWR);
...
if (ioctl(device_fd, LOOP_CLR_FD, 0) < 0) {
perror("ioctl LOOP_CLR_FD failed");
return 1;
}
答案 1 :(得分:0)
这里是代码,还为您创建了循环设备。请注意,不要在生产中使用此类代码,因为不会对返回值,异常等进行单独检查:)。
#include <sys/mount.h> //mount
#include <sys/ioctl.h> //ioctl
#include <sys/stat.h> //open
#include <linux/loop.h> //LOOP_SET_FD
#include <fcntl.h> //open
#include <cstdio> // declaration of ::fileno
#include <cstdint> //int32_t
#include <sstream> //std::stringstream
#include <string>
constexpr char IMAGE_NAME[] = "image.iso"; //of course we need this file to be present in same folder as built tool
constexpr char MOUNT_POINT[] = "/tmp/image_mnt"; //of course we need this folder already created
constexpr char FILESYSTEM_TYPE[] = "iso9660";
constexpr char DEV_LOOP_CONTROL[] = "/dev/loop-control";
constexpr char DEV_LOOP_PREFIX[] = "/dev/loop";
constexpr int32_t MOUNT_FLAGS = MS_RDONLY;
int main()
{
const auto loop_control = std::fopen(DEV_LOOP_CONTROL, "r");
const auto loop_control_fd = fileno(loop_control);
const auto devnr = ioctl(loop_control_fd, LOOP_CTL_GET_FREE);
std::stringstream loopname;
loopname << DEV_LOOP_PREFIX << devnr;
const auto loop_device_name = loopname.str();
const auto loop_device = std::fopen(loop_device_name.c_str(), "r");
const auto loop_device_fd = fileno(loop_device);
const auto image = std::fopen(IMAGE_NAME, "r");
const auto image_fd = fileno(image);
//Associate the loop device with the open file whose file descriptor is passed as the (third) ioctl(2) argument.
ioctl(loop_device_fd, LOOP_SET_FD, image_fd);
const auto result = mount(loop_device_name.c_str(), MOUNT_POINT, FILESYSTEM_TYPE, MOUNT_FLAGS, NULL);
ioctl(loop_device_fd, LOOP_CLR_FD, 0);
return result;
}
基于:
http://man7.org/linux/man-pages/man4/loop.4.html
https://linux.die.net/man/2/mount