c-指向char的指针在opendir()系统调用后发生更改



我目前正试图使用c从系统调用中删除目录,但我遇到了一个奇怪的问题。在我的deleteFunction()之后用char * path打开目录。path的值改变

这是代码的一部分:

#include <dirent.h>
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <unistd.h>
void deleteDir(char *path){
    //opening the directory
    printf("BEFORE %sn",path );
    DIR *p = opendir(path);
    if (p == NULL){
        printf("Directory not Opened!n");
        exit(2);
    }
    printf("AFTER %sn",path );
}
void main(int argc,char *argv[]){
    if (argc != 2){
        printf("Not enough Arguments!n");
        exit(1);
    }
    //creating the path 
    char * currentDir = getcwd(NULL,0);
    strcat(currentDir,"/");
    strcat(currentDir,argv[1]);
    //deleting the directory
    deleteDir(currentDir);
    exit(0);
}

产生的输出是:

BEFORE /home/tarounen/test/newfolder
AFTER /home/tarounen/test/!�

注意:我只将目录名作为参数

getcwd函数可能只分配了足够的空间来容纳当前路径,因此使用strcat添加更多字符会溢出缓冲区,并导致未定义的行为。试试这个

char path[MAXPATHLEN];
getcwd( path, MAXPATHLEN );
strcat( path, "/" );
strcat( path, argv[1] );

getcwd在传递NULL时只分配足够的内存来保存目录
连接到其结果具有未定义的行为。

如果你想使用strcat,你需要为自己的缓冲区提供足够的空间:

char buffer[MAXPATHLEN] = {0};
if (getcwd(buffer, sizeof(buffer)))
{
    strcat(buffer, "/");
    strcat(buffer, argv[1]);
    deleteDir(buffer);
}

相关内容

  • 没有找到相关文章

最新更新