假设我在linux中有一个带路径的文件:
/path/to/file/test.mp3
我想知道它的设备的路径,例如我希望得到类似的东西:
/dev/sdb1
如何使用 c编程语言 执行此操作? 我知道终端命令要做,我需要c函数来完成这项工作
编辑:
我在问我之前已经阅读了this的问题,它没有提到c中的代码,它与bash有关,而不是与c语言相关
感谢
答案 0 :(得分:2)
您需要在文件路径上使用stat,并获取设备ID st_dev
并将其与/proc/partitions
阅读本文,了解如何解释st_dev
:https://web.archive.org/web/20171013194110/http://www.makelinux.net:80/ldd3/chp-3-sect-2
答案 1 :(得分:1)
我只需要在我正在编写的程序中...
因此,我从头开始编写它,而不是运行“ df”并解析输出。
请随时贡献!
要回答这个问题:
您首先使用stat()找到设备索引节点,然后进行迭代并解析/ proc / self / mountinfo以查找索引节点并获取设备名称。
/*
Get physical device from file or directory name.
By Zibri <zibri AT zibri DOT org>
https://github.com/Zibri/get_device
*/
#include <stdio.h>
#include <unistd.h>
#include <stdint.h>
#include <string.h>
#include <sys/stat.h>
#include <sys/types.h>
#include <fcntl.h>
#include <stdlib.h>
#include <libgen.h>
int get_device(char *name)
{
struct stat fs;
if (stat(name, &fs) < 0) {
fprintf(stderr, "%s: No such file or directory\n", name);
return -1;
}
FILE *f;
char sline[256];
char minmaj[128];
sprintf(minmaj, "%d:%d ", (int) fs.st_dev >> 8, (int) fs.st_dev & 0xff);
f = fopen("/proc/self/mountinfo", "r");
if (f == NULL) {
fprintf(stderr, "Failed to open /proc/self/mountinfo\n");
exit(-1);
}
while (fgets(sline, 256, f)) {
char *token;
char *where;
token = strtok(sline, "-");
where = strstr(token, minmaj);
if (where) {
token = strtok(NULL, " -:");
token = strtok(NULL, " -:");
printf("%s\n", token);
break;
}
}
return -1;
fclose(f);
}
int main(int argc, char **argv)
{
if (argc != 2) {
fprintf(stderr, "Usage:\n%s FILE OR DIRECTORY...\n", basename(argv[0]));
return -1;
}
get_device(argv[1]);
return 0;
}
输出只是设备名称。
示例:
$ gcc -O3 getdevice.c -o gd -Wall
$ ./gd .
/dev/sda4
$ ./gd /mnt/C
/dev/sda3
$ ./gd /mnt/D
/dev/sdb1
$
答案 2 :(得分:0)
使用此命令:
df -P | awk'END {print $ 1}'