获取可执行文件的路径


114

我知道以前曾问过这个问题,但是我仍然没有看到满意的答案,也没有明确的“不,这不能完成”,所以我再问一次!

我要做的就是以独立于平台的方式获取当前正在运行的可执行文件的路径,可以是绝对路径,也可以是相对于调用可执行文件的位置的路径。虽然我boost :: filesystem :: initial_path是我的麻烦的答案,但这似乎只能处理问题的“与平台无关”的部分-它仍然返回从中调用应用程序的路径。

出于某种背景,这是一个使用Ogre的游戏,我正在尝试使用Very Sleepy进行概要分析,该应用程序从其自己的目录中运行目标可执行文件,因此,当然,在加载时,游戏找不到任何配置文件等,并立即崩溃。我希望能够将其传递给配置文件的绝对路径,我知道它将始终与可执行文件一起存在。在Visual Studio中进行调试也是如此-我希望能够在不必设置工作目录的情况下运行$(TargetPath)。



9
请注意,不可能证明没有答案,因此您无法获得确定的 NO。我很乐意为您提供权威性的否:)
MSalters


在加载时,游戏找不到任何配置文件等。 ”那么游戏会在当前目录中搜索配置文件吗?这是一个坏主意,并且可能是一个安全漏洞。配置文件应存储在标准位置。
curiousguy

1
我在这里发布一个相关问题的答案,该问题也可以回答您的问题,使用boost跨平台工作
jtbr 2015年

Answers:


86

我知道没有跨平台的方式。

对于Linux:readlink / proc / self / exe

Windows:GetModuleFileName


9
平台独立性只是隐藏平台依赖性的问题。在这种情况下,使用predef.sourceforge.net/preos.html中详细介绍的预定义OS宏来选择方法很简单。
克利福德,

4
那么这是每个人想要在C ++中查找可执行文件路径时所做的事情吗?我希望听起来很简单,因为它已经可以在boost这样的库中实现了。
Ben Hymers,

2
@curiousguy我不确定我是否理解你;我很确定这是问题的全部内容:)
Ben Hymers

6
@curiousguy:例如,如果您的程序可能安装在用户选择的目录中,则需要这样做。您需要能够以某种方式
greyfade12年

1
@Duck您会通过指向我的lib的链接来更新您的答案吗?我的评论已列入清单。
格雷戈里·帕科斯

35

升压:: DLL :: program_location功能是获取运行可执行程序,我知道的路径的最好的跨平台的方法之一。DLL库已添加到1.61.0版的Boost中。

以下是我的解决方案。我已经在Windows,Mac OS X,Solaris,Free BSD和GNU / Linux上对其进行了测试。

它要求Boost 1.55.0或更高。它直接使用Boost.Filesystem库,间接使用Boost.Locale库和Boost.System库。

src / executable_path.cpp

#include <cstdio>
#include <cstdlib>
#include <algorithm>
#include <iterator>
#include <string>
#include <vector>

#include <boost/filesystem/operations.hpp>
#include <boost/filesystem/path.hpp>
#include <boost/predef.h>
#include <boost/version.hpp>
#include <boost/tokenizer.hpp>

#if (BOOST_VERSION > BOOST_VERSION_NUMBER(1,64,0))
#  include <boost/process.hpp>
#endif

#if (BOOST_OS_CYGWIN || BOOST_OS_WINDOWS)
#  include <Windows.h>
#endif

#include <boost/executable_path.hpp>
#include <boost/detail/executable_path_internals.hpp>

namespace boost {

#if (BOOST_OS_CYGWIN || BOOST_OS_WINDOWS)

std::string executable_path(const char* argv0)
{
  typedef std::vector<char> char_vector;
  typedef std::vector<char>::size_type size_type;
  char_vector buf(1024, 0);
  size_type size = buf.size();
  bool havePath = false;
  bool shouldContinue = true;
  do
  {
    DWORD result = GetModuleFileNameA(nullptr, &buf[0], size);
    DWORD lastError = GetLastError();
    if (result == 0)
    {
      shouldContinue = false;
    }
    else if (result < size)
    {
      havePath = true;
      shouldContinue = false;
    }
    else if (
      result == size
      && (lastError == ERROR_INSUFFICIENT_BUFFER || lastError == ERROR_SUCCESS)
      )
    {
      size *= 2;
      buf.resize(size);
    }
    else
    {
      shouldContinue = false;
    }
  } while (shouldContinue);
  if (!havePath)
  {
    return detail::executable_path_fallback(argv0);
  }
  // On Microsoft Windows, there is no need to call boost::filesystem::canonical or
  // boost::filesystem::path::make_preferred. The path returned by GetModuleFileNameA
  // is the one we want.
  std::string ret = &buf[0];
  return ret;
}

#elif (BOOST_OS_MACOS)

#  include <mach-o/dyld.h>

std::string executable_path(const char* argv0)
{
  typedef std::vector<char> char_vector;
  char_vector buf(1024, 0);
  uint32_t size = static_cast<uint32_t>(buf.size());
  bool havePath = false;
  bool shouldContinue = true;
  do
  {
    int result = _NSGetExecutablePath(&buf[0], &size);
    if (result == -1)
    {
      buf.resize(size + 1);
      std::fill(std::begin(buf), std::end(buf), 0);
    }
    else
    {
      shouldContinue = false;
      if (buf.at(0) != 0)
      {
        havePath = true;
      }
    }
  } while (shouldContinue);
  if (!havePath)
  {
    return detail::executable_path_fallback(argv0);
  }
  std::string path(&buf[0], size);
  boost::system::error_code ec;
  boost::filesystem::path p(
    boost::filesystem::canonical(path, boost::filesystem::current_path(), ec));
  if (ec.value() == boost::system::errc::success)
  {
    return p.make_preferred().string();
  }
  return detail::executable_path_fallback(argv0);
}

#elif (BOOST_OS_SOLARIS)

#  include <stdlib.h>

std::string executable_path(const char* argv0)
{
  std::string ret = getexecname();
  if (ret.empty())
  {
    return detail::executable_path_fallback(argv0);
  }
  boost::filesystem::path p(ret);
  if (!p.has_root_directory())
  {
    boost::system::error_code ec;
    p = boost::filesystem::canonical(
      p, boost::filesystem::current_path(), ec);
    if (ec.value() != boost::system::errc::success)
    {
      return detail::executable_path_fallback(argv0);
    }
    ret = p.make_preferred().string();
  }
  return ret;
}

#elif (BOOST_OS_BSD)

#  include <sys/sysctl.h>

std::string executable_path(const char* argv0)
{
  typedef std::vector<char> char_vector;
  int mib[4]{0};
  size_t size;
  mib[0] = CTL_KERN;
  mib[1] = KERN_PROC;
  mib[2] = KERN_PROC_PATHNAME;
  mib[3] = -1;
  int result = sysctl(mib, 4, nullptr, &size, nullptr, 0);
  if (-1 == result)
  {
    return detail::executable_path_fallback(argv0);
  }
  char_vector buf(size + 1, 0);
  result = sysctl(mib, 4, &buf[0], &size, nullptr, 0);
  if (-1 == result)
  {
    return detail::executable_path_fallback(argv0);
  }
  std::string path(&buf[0], size);
  boost::system::error_code ec;
  boost::filesystem::path p(
    boost::filesystem::canonical(
      path, boost::filesystem::current_path(), ec));
  if (ec.value() == boost::system::errc::success)
  {
    return p.make_preferred().string();
  }
  return detail::executable_path_fallback(argv0);
}

#elif (BOOST_OS_LINUX)

#  include <unistd.h>

std::string executable_path(const char *argv0)
{
  typedef std::vector<char> char_vector;
  typedef std::vector<char>::size_type size_type;
  char_vector buf(1024, 0);
  size_type size = buf.size();
  bool havePath = false;
  bool shouldContinue = true;
  do
  {
    ssize_t result = readlink("/proc/self/exe", &buf[0], size);
    if (result < 0)
    {
      shouldContinue = false;
    }
    else if (static_cast<size_type>(result) < size)
    {
      havePath = true;
      shouldContinue = false;
      size = result;
    }
    else
    {
      size *= 2;
      buf.resize(size);
      std::fill(std::begin(buf), std::end(buf), 0);
    }
  } while (shouldContinue);
  if (!havePath)
  {
    return detail::executable_path_fallback(argv0);
  }
  std::string path(&buf[0], size);
  boost::system::error_code ec;
  boost::filesystem::path p(
    boost::filesystem::canonical(
      path, boost::filesystem::current_path(), ec));
  if (ec.value() == boost::system::errc::success)
  {
    return p.make_preferred().string();
  }
  return detail::executable_path_fallback(argv0);
}

#else

std::string executable_path(const char *argv0)
{
  return detail::executable_path_fallback(argv0);
}

#endif

}

src / detail / executable_path_internals.cpp

#include <cstdio>
#include <cstdlib>
#include <algorithm>
#include <iterator>
#include <string>
#include <vector>

#include <boost/filesystem/operations.hpp>
#include <boost/filesystem/path.hpp>
#include <boost/predef.h>
#include <boost/version.hpp>
#include <boost/tokenizer.hpp>

#if (BOOST_VERSION > BOOST_VERSION_NUMBER(1,64,0))
#  include <boost/process.hpp>
#endif

#if (BOOST_OS_CYGWIN || BOOST_OS_WINDOWS)
#  include <Windows.h>
#endif

#include <boost/executable_path.hpp>
#include <boost/detail/executable_path_internals.hpp>

namespace boost {
namespace detail {

std::string GetEnv(const std::string& varName)
{
  if (varName.empty()) return "";
#if (BOOST_OS_BSD || BOOST_OS_CYGWIN || BOOST_OS_LINUX || BOOST_OS_MACOS || BOOST_OS_SOLARIS)
  char* value = std::getenv(varName.c_str());
  if (!value) return "";
  return value;
#elif (BOOST_OS_WINDOWS)
  typedef std::vector<char> char_vector;
  typedef std::vector<char>::size_type size_type;
  char_vector value(8192, 0);
  size_type size = value.size();
  bool haveValue = false;
  bool shouldContinue = true;
  do
  {
    DWORD result = GetEnvironmentVariableA(varName.c_str(), &value[0], size);
    if (result == 0)
    {
      shouldContinue = false;
    }
    else if (result < size)
    {
      haveValue = true;
      shouldContinue = false;
    }
    else
    {
      size *= 2;
      value.resize(size);
    }
  } while (shouldContinue);
  std::string ret;
  if (haveValue)
  {
    ret = &value[0];
  }
  return ret;
#else
  return "";
#endif
}

bool GetDirectoryListFromDelimitedString(
  const std::string& str,
  std::vector<std::string>& dirs)
{
  typedef boost::char_separator<char> char_separator_type;
  typedef boost::tokenizer<
    boost::char_separator<char>, std::string::const_iterator,
    std::string> tokenizer_type;
  dirs.clear();
  if (str.empty())
  {
    return false;
  }
#if (BOOST_OS_WINDOWS)
  const std::string os_pathsep(";");
#else
  const std::string os_pathsep(":");
#endif
  char_separator_type pathSep(os_pathsep.c_str());
  tokenizer_type strTok(str, pathSep);
  typename tokenizer_type::iterator strIt;
  typename tokenizer_type::iterator strEndIt = strTok.end();
  for (strIt = strTok.begin(); strIt != strEndIt; ++strIt)
  {
    dirs.push_back(*strIt);
  }
  if (dirs.empty())
  {
    return false;
  }
  return true;
}

std::string search_path(const std::string& file)
{
  if (file.empty()) return "";
  std::string ret;
#if (BOOST_VERSION > BOOST_VERSION_NUMBER(1,64,0))
  {
    namespace bp = boost::process;
    boost::filesystem::path p = bp::search_path(file);
    ret = p.make_preferred().string();
  }
#endif
  if (!ret.empty()) return ret;
  // Drat! I have to do it the hard way.
  std::string pathEnvVar = GetEnv("PATH");
  if (pathEnvVar.empty()) return "";
  std::vector<std::string> pathDirs;
  bool getDirList = GetDirectoryListFromDelimitedString(pathEnvVar, pathDirs);
  if (!getDirList) return "";
  std::vector<std::string>::const_iterator it = pathDirs.cbegin();
  std::vector<std::string>::const_iterator itEnd = pathDirs.cend();
  for ( ; it != itEnd; ++it)
  {
    boost::filesystem::path p(*it);
    p /= file;
    if (boost::filesystem::exists(p) && boost::filesystem::is_regular_file(p))
    {
      return p.make_preferred().string();
    }
  }
  return "";
}

std::string executable_path_fallback(const char *argv0)
{
  if (argv0 == nullptr) return "";
  if (argv0[0] == 0) return "";
#if (BOOST_OS_WINDOWS)
  const std::string os_sep("\\");
#else
  const std::string os_sep("/");
#endif
  if (strstr(argv0, os_sep.c_str()) != nullptr)
  {
    boost::system::error_code ec;
    boost::filesystem::path p(
      boost::filesystem::canonical(
        argv0, boost::filesystem::current_path(), ec));
    if (ec.value() == boost::system::errc::success)
    {
      return p.make_preferred().string();
    }
  }
  std::string ret = search_path(argv0);
  if (!ret.empty())
  {
    return ret;
  }
  boost::system::error_code ec;
  boost::filesystem::path p(
    boost::filesystem::canonical(
      argv0, boost::filesystem::current_path(), ec));
  if (ec.value() == boost::system::errc::success)
  {
    ret = p.make_preferred().string();
  }
  return ret;
}

}
}

包含/提升/executable_path.hpp

#ifndef BOOST_EXECUTABLE_PATH_HPP_
#define BOOST_EXECUTABLE_PATH_HPP_

#pragma once

#include <string>

namespace boost {
std::string executable_path(const char * argv0);
}

#endif // BOOST_EXECUTABLE_PATH_HPP_

包含/提升/细节/executable_path_internals.hpp

#ifndef BOOST_DETAIL_EXECUTABLE_PATH_INTERNALS_HPP_
#define BOOST_DETAIL_EXECUTABLE_PATH_INTERNALS_HPP_

#pragma once

#include <string>
#include <vector>

namespace boost {
namespace detail {
std::string GetEnv(const std::string& varName);
bool GetDirectoryListFromDelimitedString(
    const std::string& str,
    std::vector<std::string>& dirs);
std::string search_path(const std::string& file);
std::string executable_path_fallback(const char * argv0);
}
}

#endif // BOOST_DETAIL_EXECUTABLE_PATH_INTERNALS_HPP_

我有一个完整的项目,包括可在SnKOpen-/ cpp / executable_path / trunk上找到的测试应用程序和CMake构建文件。该版本比我在此处提供的版本更完整。它还支持更多平台。

我已经在以下四种情况下在所有受支持的操作系统上测试了该应用程序。

  1. 相对路径,可在当前目录中执行:即./executable_path_test
  2. 相对路径,可在另一个目录中执行:即./build/executable_path_test
  3. 完整路径:即/ some / dir / executable_path_test
  4. 可执行文件路径,仅文件名:即:executable_path_test

在所有四种情况下,executable_path和executable_path_fallback函数均起作用并返回相同的结果。

笔记

这是此问题的更新答案。我更新了答案,以考虑用户的评论和建议。我还在SVN信息库中添加了一个项目链接。


1
这看起来是一个非常合理的后备解决方案。+1!但是,有一个问题:用固定的char [1024]缓冲区替换为vector <char>之类的东西是否有意义,如果路径超过初始大小,可以重新调整大小?
Daniel Wolf

是。这是一个极好的建议。当然,还需要进行一些其他更改,例如检查错误,调整缓冲区大小并重试。
Ben Key

1
我认为回退是不正确的。argv[0]也可以只是可执行文件名,在这种情况下,有必要PATH在* nix系统上进行搜索。
—MichałGórny16年

1
我尝试使用此。但是需要提升,对吗?我认为它是独立的
manatttta '18

1
您在“ boost :: dll :: program_location”遇到了我
Thomas

31

这种方式使用boost + argv。您提到这可能不是跨平台的,因为它可能包含也可能不包含可执行文件名称。那么下面的代码应该可以解决此问题。

#include <boost/filesystem/operations.hpp>

#include <boost/filesystem/path.hpp>

#include <iostream>

namespace fs = boost::filesystem;


int main(int argc,char** argv)
{
    fs::path full_path( fs::initial_path<fs::path>() );

    full_path = fs::system_complete( fs::path( argv[0] ) );

    std::cout << full_path << std::endl;

    //Without file name
    std::cout << full_path.stem() << std::endl;
    //std::cout << fs::basename(full_path) << std::endl;

    return 0;
}

以下代码获取当前的工作目录,该目录可能会满足您的需求

#include <boost/filesystem/operations.hpp>
#include <boost/filesystem/path.hpp>

#include <iostream>

namespace fs = boost::filesystem;


int main(int argc,char** argv)
{
    //current working directory
    fs::path full_path( fs::current_path<fs::path>() );

    std::cout << full_path << std::endl;

    std::cout << full_path.stem() << std::endl;
    //std::cout << fs::basepath(full_path) << std::endl;

    return 0;
}

注意刚意识到basename()已弃用,因此必须切换到.stem()


茎似乎只是给我可执行文件,而不是Windows上的路径和扩展名,但这是一个小问题。我想知道这是如何解决argv [0]可能不正确的?它对我在Windows上进行测试有效,但是argv [0]实际上是作为可执行文件的绝对路径传递的,这使得system_complete的工作非常容易:)
Ben Hymers,2009年

1
不,他不需要工作目录。而且没有argv并没有帮助。argv 包含可执行文件名称时该怎么办?通过符号链接调用程序时该怎么办?
Ichthyo'2

4
“ //没有文件名”-您想要.parent_path(),不是.stem(),不是吗?
Claudiu

2
这在我的平台(macOS El Capitan)上似乎不起作用。我得到了当前的工作目录。另外,@Claudiu如上所述,我认为应该是.parent_path()
samvv '17

20

我不确定Linux,但可以在Windows上尝试使用:

#include <windows.h>
#include <iostream>

using namespace std ;

int main()
{
     char ownPth[MAX_PATH]; 

     // When NULL is passed to GetModuleHandle, the handle of the exe itself is returned
     HMODULE hModule = GetModuleHandle(NULL);
     if (hModule != NULL)
     {
         // Use GetModuleFileName() with module handle to get the path
         GetModuleFileName(hModule, ownPth, (sizeof(ownPth))); 
         cout << ownPth << endl ;
         system("PAUSE");
         return 0;
     }
     else
     {
         cout << "Module handle is NULL" << endl ;
         system("PAUSE");
         return 0;
     }
}

3
需要注意的是必须使用WCHAR ownPth..,一个缠#ifdef UNICODE在事件一个编译支持Unicode。如果没有,请使用提供的代码。
Dr1Ku

1
仅出于记录目的,我只是遇到一个有趣的情况,其中GetModuleDirectory返回其中包含“ ..”部分的路径,就像从命令行大声笑中获取纯字符串一样。实际上,在这种情况下,Visual Studio正在启动该过程,而..是调试路径的一部分。类似于$(projectDir)../ some.exe,我从Shwlib使用PathCanonicalize,但是需要链接到此lib。这可能不是理想的。
v.oddou 2014年

1
我也建议使用TCHAR而不是char作为ownPath。但是反正还是不错的答案。
anhoppe 2015年

甚至有可能失败吗?乍一看似乎不太可能...HMODULE hModule = GetModuleHandle(NULL);
kayleeFrye_onDeck

1
如果GetModuleFileName的第一个参数为NULL,它将检索当前进程的可执行文件的路径。
lsalamon

12

对于Windows:

GetModuleFileName -返回exe路径+ exe文件名

删除文件名
PathRemoveFileSpec


1
路径注释文件说明文档This function is deprecated. We recommend the use of the PathCchRemoveFileSpec function in its place
javs

12

C ++ 17,Windows,Unicode,使用文件系统新API:

#include "..\Project.h"
#include <filesystem>
using namespace std;
using namespace filesystem;

int wmain(int argc, wchar_t** argv)
{
    auto dir = weakly_canonical(path(argv[0])).parent_path();
    printf("%S", dir.c_str());
    return 0;
}

怀疑该解决方案应该是可移植的,但是不知道如何在其他操作系统上实现unicode。

仅当将上层文件夹引用('..')用作输出目录以简化路径时,才需要weakly_canonical。如果您不使用它-删除它。

如果您是从动态链接库(.dll /.so)运行的,则可能没有argv,则可以考虑以下解决方案:

application.h:

#pragma once

//
// https://en.cppreference.com/w/User:D41D8CD98F/feature_testing_macros
//
#ifdef __cpp_lib_filesystem
#include <filesystem>
#else
#include <experimental/filesystem>

namespace std {
    namespace filesystem = experimental::filesystem;
}
#endif

std::filesystem::path getexepath();

application.cpp:

#include "application.h"
#ifdef _WIN32
#include <windows.h>    //GetModuleFileNameW
#else
#include <limits.h>
#include <unistd.h>     //readlink
#endif

std::filesystem::path getexepath()
{
#ifdef _WIN32
    wchar_t path[MAX_PATH] = { 0 };
    GetModuleFileNameW(NULL, path, MAX_PATH);
    return path;
#else
    char result[PATH_MAX];
    ssize_t count = readlink("/proc/self/exe", result, PATH_MAX);
    return std::string(result, (count > 0) ? count : 0);
#endif
}

标头中的防护措施不能正确测试文件系统的存在。cppreference显示功能测试宏的值是在文件系统标头本身中定义的,因此在包含之前无法进行测试。__has_include()是更好的标准测试。
Meteorhead

8

QT为此提供了操作系统抽象,如QCoreApplication :: applicationDirPath()


获得此:QCoreApplication::applicationDirPath: Please instantiate the QApplication object first。知道如何解决吗?
GuySoft '16

@GuySoft:只需创建的实例,QCoreApplication像这样QApplication application(argc, argv);(做你的main(argc, argv),并确保你没有修改argc/argv,因为这些需要留在QCoreApplication的寿命有效(检查文档
泰德

5

这是Windows特定的方式,但这至少是您答案的一半。

GetThisPath.h

/// dest is expected to be MAX_PATH in length.
/// returns dest
///     TCHAR dest[MAX_PATH];
///     GetThisPath(dest, MAX_PATH);
TCHAR* GetThisPath(TCHAR* dest, size_t destSize);

GetThisPath.cpp

#include <Shlwapi.h>
#pragma comment(lib, "shlwapi.lib")

TCHAR* GetThisPath(TCHAR* dest, size_t destSize)
{
    if (!dest) return NULL;
    if (MAX_PATH > destSize) return NULL;

    DWORD length = GetModuleFileName( NULL, dest, destSize );
    PathRemoveFileSpec(dest);
    return dest;
}

mainProgram.cpp

TCHAR dest[MAX_PATH];
GetThisPath(dest, MAX_PATH);

我建议使用平台检测作为预处理器指令来更改调用GetThisPath每个平台的包装器函数的实现。


3

使用args [0]并查找“ /”(或“ \\”):

#include <string>
#include <iostream> // to show the result

int main( int numArgs, char *args[])
{
    // Get the last position of '/'
    std::string aux(args[0]);

    // get '/' or '\\' depending on unix/mac or windows.
#if defined(_WIN32) || defined(WIN32)
    int pos = aux.rfind('\\');
#else
    int pos = aux.rfind('/');
#endif

    // Get the path and the name
    std::string path = aux.substr(0,pos+1);
    std::string name = aux.substr(pos+1);
    // show results
    std::cout << "Path: " << path << std::endl;
    std::cout << "Name: " << name << std::endl;
}

编辑:如果不存在'/',则pos ==-1,因此结果正确。


如果路径中不存在“ /”怎么办?没有检查这种情况,我相信这很有可能-Windows将使用反斜杠,args[0]实际上根本就不是路径。
本·海默斯

如果'/'不存在,则rfind返回-1,因此“ path” = aux.substr(0,0)和“ name” = aux.substr(0):结果正确。与Windows相关,您是对的,'/'必须更改为'\\',我也将更改为允许Windows。我也用'/'测试了文件名,但这最后一个已编码,不会造成问题。
阿德里安·梅尔

1
更多的是关于args[0]不一定是困扰我的可执行路径。不过,感谢您为Windows修正了您的答案:)
Ben Hymers 2014年

1
如果命令在运行时未给出路径(即通过位于PATH env var中指定的目录中找到),则args [0]将只是可执行文件的名称,而没有路径。
凯文(Kevin)

@Kevin:您(和其他人)是对的,这是一个简单的解决方案,对于小工具来说,在大约95%的情况下都有效。对于严肃的软件,配置文件和/或环境变量可能更好。而且,这种需求通常意味着设计不是很好(甚至是错误的)。
阿德里安·梅尔


1

以下是一种快速而又肮脏的解决方案,但是请注意,它远非万无一失:

#include <iostream>

using namespace std ;

int main( int argc, char** argv)
{
    cout << argv[0] << endl ;
    return 0;
}

17
我在其他SO问题上看到这并不总是有效,并且argv [0]可以包含可执行文件的绝对路径,仅包含可执行文件的文件名或任何其他垃圾。
本·海默斯

7
如果他们试图打开“支持文件”或类似文件,则永远不要信任argv [0]。Argv可能会更改,任何邪恶的调用者都可以更改此值。除非您将其用于日志记录等,否则应避免使用,而不要用于构造用于打开文件的路径。
Qix-蒙尼卡(Monica)

这在Windows上不起作用。argv [0]没有完整路径。仅.exe文件。请不要在bash shell中尝试,请在标准控制台中尝试它,并使用cout << argv [0]进行复制。
Freddy Martinez Garcia

@FreddyMartinezGarcia好吧,我会在Windows中测试它,所以YMMV。它是用来启动代码的任何东西。如果您在CWD中找到可执行文件,请确保仅获取文件名。
克利福德

0

如果您需要处理Windows的unicode路径:

#include <Windows.h>
#include <iostream>

int wmain(int argc, wchar_t * argv[])
{
    HMODULE this_process_handle = GetModuleHandle(NULL);
    wchar_t this_process_path[MAX_PATH];

    GetModuleFileNameW(NULL, this_process_path, sizeof(this_process_path));

    std::wcout << "Unicode path of this app: " << this_process_path << std::endl;

    return 0;
}

0

对于Windows,您有一个问题,如何从的结果中剥离可执行文件GetModuleFileName()PathRemoveFileSpec()Nate为此目的使用的Windows API调用在Windows 8及其以前的版本之间进行了更改。那么如何保持两者的兼容性和安全性呢?幸运的是,这里有C ++ 17(如果使用的是较旧的编译器,则为Boost)。我这样做:

#include <windows.h>
#include <string>
#include <filesystem>
namespace fs = std::experimental::filesystem;

// We could use fs::path as return type, but if you're not aware of
// std::experimental::filesystem, you probably handle filenames
// as strings anyway in the remainder of your code.  I'm on Japanese
// Windows, so wide chars are a must.
std::wstring getDirectoryWithCurrentExecutable()
{
    int size = 256;
    std::vector<wchar_t> charBuffer;
    // Let's be safe, and find the right buffer size programmatically.
    do {
        size *= 2;
        charBuffer.resize(size);
        // Resize until filename fits.  GetModuleFileNameW returns the
        // number of characters written to the buffer, so if the
        // return value is smaller than the size of the buffer, it was
        // large enough.
    } while (GetModuleFileNameW(NULL, charBuffer.data(), size) == size);
    // Typically: c:/program files (x86)/something/foo/bar/exe/files/win64/baz.exe
    // (Note that windows supports forward and backward slashes as path
    // separators, so you have to be careful when searching through a path
    // manually.)

    // Let's extract the interesting part:
    fs::path path(charBuffer.data());  // Contains the full path including .exe
    return path.remove_filename()  // Extract the directory ...
               .w_str();           // ... and convert to a string.
}

0

正如其他人提到的那样,这argv[0]是一个很好的解决方案,只要平台实际通过了可执行路径,那么肯定不会比Windows操作系统(WinAPI可以帮助找到可执行路径)的可能性低。如果您要剥离字符串以仅包含可执行文件所在目录的路径,则使用该路径查找其他应用程序文件(例如,如果您的程序是游戏,则是游戏资产)非常合适,因为打开文件是相对于工作目录,或者根目录(如果提供的话)。


0

这就是我最终得到的

头文件如下所示:

#pragma once

#include <string>
namespace MyPaths {

  std::string getExecutablePath();
  std::string getExecutableDir();
  std::string mergePaths(std::string pathA, std::string pathB);
  bool checkIfFileExists (const std::string& filePath);

}

实作


#if defined(_WIN32)
    #include <windows.h>
    #include <Shlwapi.h>
    #include <io.h> 

    #define access _access_s
#endif

#ifdef __APPLE__
    #include <libgen.h>
    #include <limits.h>
    #include <mach-o/dyld.h>
    #include <unistd.h>
#endif

#ifdef __linux__
    #include <limits.h>
    #include <libgen.h>
    #include <unistd.h>

    #if defined(__sun)
        #define PROC_SELF_EXE "/proc/self/path/a.out"
    #else
        #define PROC_SELF_EXE "/proc/self/exe"
    #endif

#endif

namespace MyPaths {

#if defined(_WIN32)

std::string getExecutablePath() {
   char rawPathName[MAX_PATH];
   GetModuleFileNameA(NULL, rawPathName, MAX_PATH);
   return std::string(rawPathName);
}

std::string getExecutableDir() {
    std::string executablePath = getExecutablePath();
    char* exePath = new char[executablePath.length()];
    strcpy(exePath, executablePath.c_str());
    PathRemoveFileSpecA(exePath);
    std::string directory = std::string(exePath);
    delete[] exePath;
    return directory;
}

std::string mergePaths(std::string pathA, std::string pathB) {
  char combined[MAX_PATH];
  PathCombineA(combined, pathA.c_str(), pathB.c_str());
  std::string mergedPath(combined);
  return mergedPath;
}

#endif

#ifdef __linux__

std::string getExecutablePath() {
   char rawPathName[PATH_MAX];
   realpath(PROC_SELF_EXE, rawPathName);
   return  std::string(rawPathName);
}

std::string getExecutableDir() {
    std::string executablePath = getExecutablePath();
    char *executablePathStr = new char[executablePath.length() + 1];
    strcpy(executablePathStr, executablePath.c_str());
    char* executableDir = dirname(executablePathStr);
    delete [] executablePathStr;
    return std::string(executableDir);
}

std::string mergePaths(std::string pathA, std::string pathB) {
  return pathA+"/"+pathB;
}

#endif

#ifdef __APPLE__
    std::string getExecutablePath() {
        char rawPathName[PATH_MAX];
        char realPathName[PATH_MAX];
        uint32_t rawPathSize = (uint32_t)sizeof(rawPathName);

        if(!_NSGetExecutablePath(rawPathName, &rawPathSize)) {
            realpath(rawPathName, realPathName);
        }
        return  std::string(realPathName);
    }

    std::string getExecutableDir() {
        std::string executablePath = getExecutablePath();
        char *executablePathStr = new char[executablePath.length() + 1];
        strcpy(executablePathStr, executablePath.c_str());
        char* executableDir = dirname(executablePathStr);
        delete [] executablePathStr;
        return std::string(executableDir);
    }

    std::string mergePaths(std::string pathA, std::string pathB) {
        return pathA+"/"+pathB;
    }
#endif


bool checkIfFileExists (const std::string& filePath) {
   return access( filePath.c_str(), 0 ) == 0;
}

}

0

SDL2(https://www.libsdl.org/)库具有在多种平台上实现的两个功能:

  • SDL_GetBasePath
  • SDL_GetPrefPath

因此,如果您不想重新发明轮子……可悲的是,这意味着包括整个库,尽管它具有相当宽松的许可,而且也可以只复制代码。此外,它还提供了许多其他跨平台功能。


0

这可能是最自然的方法,同时涵盖了大多数主要的台式机平台。我不确定,但是我相信,如果您更改平台宏检查以覆盖所有BSD,那么它应该适用于所有BSD,而不仅仅是FreeBSD。如果我愿意安装Solaris,请确保将该平台添加到受支持的列表中。

在Windows上具有完整的UTF-8支持,并不是每个人都足够在意这点。

procinfo / win32 / procinfo.cpp

#ifdef _WIN32
#include "../procinfo.h"
#include <windows.h>
#include <tlhelp32.h>
#include <cstddef>
#include <vector>
#include <cwchar>

using std::string;
using std::wstring;
using std::vector;
using std::size_t;

static inline string narrow(wstring wstr) {
  int nbytes = WideCharToMultiByte(CP_UTF8, 0, wstr.c_str(), (int)wstr.length(), NULL, 0, NULL, NULL);
  vector<char> buf(nbytes);
  return string{ buf.data(), (size_t)WideCharToMultiByte(CP_UTF8, 0, wstr.c_str(), (int)wstr.length(), buf.data(), nbytes, NULL, NULL) };
}

process_t ppid_from_pid(process_t pid) {        
  process_t ppid;       
  HANDLE hp = CreateToolhelp32Snapshot(TH32CS_SNAPPROCESS, 0);      
  PROCESSENTRY32 pe = { 0 };        
  pe.dwSize = sizeof(PROCESSENTRY32);       
  if (Process32First(hp, &pe)) {        
    do {        
      if (pe.th32ProcessID == pid) {        
        ppid = pe.th32ParentProcessID;      
        break;      
      }     
    } while (Process32Next(hp, &pe));       
  }     
  CloseHandle(hp);      
  return ppid;      
}

string path_from_pid(process_t pid) {
  string path;
  HANDLE hm = CreateToolhelp32Snapshot(TH32CS_SNAPMODULE, pid);
  MODULEENTRY32W me = { 0 };
  me.dwSize = sizeof(MODULEENTRY32W);
  if (Module32FirstW(hm, &me)) {
    do {
      if (me.th32ProcessID == pid) {
        path = narrow(me.szExePath);
        break;
      }
    } while (Module32NextW(hm, &me));
  }
  CloseHandle(hm);
  return path;
}
#endif

procinfo / macosx / procinfo.cpp

#if defined(__APPLE__) && defined(__MACH__)
#include "../procinfo.h"
#include <libproc.h>

using std::string;

string path_from_pid(process_t pid) {
  string path;
  char buffer[PROC_PIDPATHINFO_MAXSIZE];
  if (proc_pidpath(pid, buffer, sizeof(buffer)) > 0) {
    path = string(buffer) + "\0";
  }
  return path;
}
#endif

procinfo / linux / procinfo.cpp

#ifdef __linux__
#include "../procinfo.h"
#include <cstdlib>

using std::string;
using std::to_string;

string path_from_pid(process_t pid) {
  string path;
  string link = string("/proc/") + to_string(pid) + string("/exe");
  char *buffer = realpath(link.c_str(), NULL);
  path = buffer ? : "";
  free(buffer);
  return path;
}
#endif

procinfo / freebsd / procinfo.cpp

#ifdef __FreeBSD__
#include "../procinfo.h"
#include <sys/sysctl.h>
#include <cstddef>

using std::string;
using std::size_t;

string path_from_pid(process_t pid) {
  string path;
  size_t length;
  // CTL_KERN::KERN_PROC::KERN_PROC_PATHNAME(pid)
  int mib[4] = { CTL_KERN, KERN_PROC, KERN_PROC_PATHNAME, pid };
  if (sysctl(mib, 4, NULL, &length, NULL, 0) == 0) {
    path.resize(length, '\0');
    char *buffer = path.data();
    if (sysctl(mib, 4, buffer, &length, NULL, 0) == 0) {
      path = string(buffer) + "\0";
    }
  }
  return path;
}
#endif

procinfo / procinfo.cpp

#include "procinfo.h"
#ifdef _WiN32
#include <process.h>
#endif
#include <unistd.h>
#include <cstddef>

using std::string;
using std::size_t;

process_t pid_from_self() {
  #ifdef _WIN32
  return _getpid();
  #else
  return getpid();
  #endif
}

process_t ppid_from_self() {
  #ifdef _WIN32
  return ppid_from_pid(pid_from_self());
  #else
  return getppid();
  #endif
}

string dir_from_pid(process_t pid) {
  string fname = path_from_pid(pid);
  size_t fp = fname.find_last_of("/\\");
  return fname.substr(0, fp + 1);
}

string name_from_pid(process_t pid) {
  string fname = path_from_pid(pid);
  size_t fp = fname.find_last_of("/\\");
  return fname.substr(fp + 1);
}

procinfo / procinfo.h

#ifdef _WiN32
#include <windows.h>
typedef DWORD process_t;
#else
#include <sys/types.h>
typedef pid_t process_t;
#endif
#include <string>

/* windows-only helper function */
process_t ppid_from_pid(process_t pid);

/* get current process process id */
process_t pid_from_self();

/* get parent process process id */
process_t ppid_from_self();

/* std::string possible_result = "C:\\path\\to\\file.exe"; */
std::string path_from_pid(process_t pid);

/* std::string possible_result = "C:\\path\\to\\"; */
std::string dir_from_pid(process_t pid);

/* std::string possible_result = "file.exe"; */
std::string name_from_pid(process_t pid);

这样就可以获取几乎所有进程id的可执行文件的完整路径,除了Windows上的某些进程具有安全属性而根本不允许这样做,因此,所见即所得,该解决方案并不完美。

为了更准确地解决问题,您可以执行以下操作:

procinfo.cpp

#include "procinfo/procinfo.h"
#include <iostream>

using std::string;
using std::cout;
using std::endl;

int main() {
  cout << dir_from_pid(pid_from_self()) << endl;
  return 0;
}

使用以下命令构建以上文件结构:

procinfo.sh

cd "${0%/*}"
g++ procinfo.cpp procinfo/procinfo.cpp procinfo/win32/procinfo.cpp procinfo/macosx/procinfo.cpp procinfo/linux/procinfo.cpp procinfo/freebsd/procinfo.cpp -o procinfo.exe

要下载上面列出的文件的副本:

git clone git://github.com/time-killer-games/procinfo.git

为了获得更多与跨平台过程相关的优势:

https://github.com/time-killer-games/enigma-dev

有关所包含的大多数功能的列表,请参见自述文件。


0

如果使用C ++ 17,则可以执行以下操作以获取可执行文件的路径。

#include <filesystem>

std::filesystem::path getExecutablePath()
{
    return std::filesystem::canonical("/proc/self/exe");
}

以上答案已经在使用G ++ 9.3.0的Debian 10上进行了测试


请注意,这仅在/ proc / self / exe存在且可访问时才有效。您可能应该检查是否是这种情况。
Zrin

-1

从C ++ 17开始:

确保包括std文件系统。

#include <filesystem>

现在您可以执行此操作。

std::filesystem::current_path().string()

boost文件系统成为标准库的一部分。

如果找不到,请尝试查看以下内容:

std::experimental::filesystem

10
这不是二进制文件的路径,而是当前的工作目录。
Zitrax

-2

这是我在Windows中的解决方案。它被这样称呼:

std::wstring sResult = GetPathOfEXE(64);

您认为路径的最小大小为64。GetPathOfEXE递归调用自身,每次将缓冲区的大小加倍,直到它获得足够大的缓冲区以获取整个路径而不会被截断。

std::wstring GetPathOfEXE(DWORD dwSize)
{
    WCHAR* pwcharFileNamePath;
    DWORD dwLastError;
    HRESULT hrError;
    std::wstring wsResult;
    DWORD dwCount;

    pwcharFileNamePath = new WCHAR[dwSize];

    dwCount = GetModuleFileNameW(
        NULL,
        pwcharFileNamePath,
        dwSize
    );

    dwLastError = GetLastError();

    if (ERROR_SUCCESS == dwLastError)
    {
        hrError = PathCchRemoveFileSpec(
            pwcharFileNamePath,
            dwCount
        );

        if (S_OK == hrError)
        {
            wsResult = pwcharFileNamePath;

            if (pwcharFileNamePath)
            {
                delete pwcharFileNamePath;
            }

            return wsResult;
        }
        else if(S_FALSE == hrError)
        {
            wsResult = pwcharFileNamePath;

            if (pwcharFileNamePath)
            {
                delete pwcharFileNamePath;
            }

            //there was nothing to truncate off the end of the path
            //returning something better than nothing in this case for the user
            return wsResult;
        }
        else
        {
            if (pwcharFileNamePath)
            {
                delete pwcharFileNamePath;
            }

            std::ostringstream oss;
            oss << "could not get file name and path of executing process. error truncating file name off path. last error : " << hrError;
            throw std::runtime_error(oss.str().c_str());
        }
    }
    else if (ERROR_INSUFFICIENT_BUFFER == dwLastError)
    {
        if (pwcharFileNamePath)
        {
            delete pwcharFileNamePath;
        }

        return GetPathOfEXE(
            dwSize * 2
        );
    }
    else
    {
        if (pwcharFileNamePath)
        {
            delete pwcharFileNamePath;
        }

        std::ostringstream oss;
        oss << "could not get file name and path of executing process. last error : " << dwLastError;
        throw std::runtime_error(oss.str().c_str());
    }
}

使用new和(错误)的原因是什么delete?如果您使用std::vector,则您的代码不会表现出未定义的行为。
IInspectable

此外,GetModuleFileNameW在成功的情况下不设置最后的错误代码。该代码以多种方式被破坏。如果您碰巧发现了这一点,请不要使用。
IInspectable

-3
char exePath[512];
CString strexePath;
GetModuleFileName(NULL,exePath,512);
strexePath.Format("%s",exePath);
strexePath = strexePath.Mid(0,strexePath.ReverseFind('\\'));

2
那是仅Windows操作系统,并且使用MFC,所以距离跨平台还很远,对不起!
Ben Hymers 2014年

1
Windows也不是这样做的。看看PathRemoveFileSpec()和相关功能。
雷米·勒博

-4

在Unix(包括Linux)中,尝试使用“ where”,在Windows中,尝试使用“ where”。

#include <stdio.h>

#define _UNIX

int main(int argc, char** argv)
{
        char cmd[128];
        char buf[128];
        FILE* fp = NULL;
#if defined(_UNIX)
        sprintf(cmd, "which %s > my.path", argv[0]);
#else
        sprintf(cmd, "where %s > my.path", argv[0]);
#endif
        system(cmd);
        fp = fopen("my.path", "r");
        fgets(buf, sizeof(buf), fp);
        fclose(fp);

        printf("full path: %s\n", buf);
        unlink("my.path");

        return 0;
}

-4

此方法适用于Windows和Linux:

#include <stdio.h>
#include <string>
#ifdef _WIN32
#include <direct.h>
#define GetCurrentDir _getcwd
#elif __linux__
#include <unistd.h>
#define GetCurrentDir getcwd
#endif

std::string GetCurrentWorkingDir() 
{
    char buff[FILENAME_MAX];
    GetCurrentDir(buff, FILENAME_MAX);
    std::string current_working_dir(buff);
    return current_working_dir;
}

2
这将返回当前的工作目录,而不是可执行文件的路径,而可执行文件的路径可能并不相同。
戴夫·德宾
By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.