使用 chdir() 导致段错误

Using chdir() Causes Segmentation Fault

我正在编写一个批处理模拟器作为个人项目。我正在尝试使用 unistd.h 中的 chdir() 来实现 cd 命令。但是,使用它会导致段错误。

main.cpp:

#include <cstdlib>
#include <iostream>
#include <string>
#include <vector>
#include <stdio.h>

//Custom headers
#include "splitting_algorithm.hpp"
#include "lowercase.hpp"
#include "chdir.hpp"

//Used to get and print the current working directory
#define GetCurrentDir getcwd

using namespace std;

int main(int argc, char* argv[])
{
    string command;

    //Begin REPL code
    while (true)
    {
        //Prints current working directory
        cout<<cCurrentPath<<": ";

        std::getline(std::cin, command);

        vector<string> tempCommand = strSplitter(command, " ");

        string lowerCommand = makeLowercase(string(strSplitter(command, " ")[0]));

        //Help text
        if(tempCommand.size()==2 && string(tempCommand[1])=="/?")
        {
            cout<<helpText(lowerCommand);
        }

        //Exit command
        else if(lowerCommand=="exit")
        {
            return 0;
        }
        else if(lowerCommand=="chdir")
        {
            cout<<string(tempCommand[1])<<endl;
            chdir(tempCommand[1]);
        }

        else
            cout<<"Can't recognize \'"<<string(tempCommand[0])<<"\' as an internal or external command, or batch script."<<endl;
    }
    return 0;
}

chdir.cpp:

#include <cstdlib>
#include <string>
#include <unistd.h>

void chdir(std::string path)
{
    //Changes the current working directory to path
    chdir(path);
}

奇怪的是,使用 cout 获取 chdir 的路径工作得很好。我该如何解决这个问题?

您的代码中存在递归的、未终止的行为。这会溢出堆栈。

尝试在 void chdir(std::string path) 中插入断点,看看会发生什么。

您将看到函数 chdir 调用自身,然后又一次又一次地调用自身......好吧,分段错误。

此外,尝试查看调试器中的 "call stack",这个问题在那里很明显。

您应该使用

调用底层 chdir 函数
::chdir(path.c_str());

或者您将再次调用您自己的方法。

在unistd.h中,chdir定义为:

int chdir(const char *);

因此您必须使用 const char* 参数调用它,否则编译器将搜索另一个名为 "chdir" 的函数,该函数接受 std::string 参数并使用它。