如何从本机 Win32 应用程序中选择现有文件夹(或创建新文件夹)?
这是一个类似的问题。它为 C#/.NET 提供了一个很好的答案。但我想为原生 Win32 做同样的事情。
有人知道解决方案,免费代码等吗?
更新:
我尝试了答案中的功能。一切都按预期工作,除了需要调用该SHGetPathFromIDList
函数来检索所选目录的名称。这是一个示例屏幕截图:
帮您的用户一个忙,并至少设置BIF_NEWDIALOGSTYLE
标志。
要设置初始文件夹,请添加以下代码:
static int CALLBACK BrowseFolderCallback(
HWND hwnd, UINT uMsg, LPARAM lParam, LPARAM lpData)
{
if (uMsg == BFFM_INITIALIZED) {
LPCTSTR path = reinterpret_cast<LPCTSTR>(lpData);
::SendMessage(hwnd, BFFM_SETSELECTION, true, (LPARAM) path);
}
return 0;
}
// ...
BROWSEINFO binf = { 0 };
...
binf.lParam = reinterpret_cast<LPARAM>(initial_path_as_lpctstr);
binf.lpfn = BrowseFolderCallback;
...
并提供合适的路径(例如记住上次选择、您的应用程序数据文件夹或类似内容)
作为未来用户的参考,这篇文章对我在 C++ 中获取目录对话框帮助很大
http://www.codeproject.com/Articles/2604/Browse-Folder-dialog-search-folder-and-all-sub-fol
这是我的代码(大量基于/取自文章)
注意:您应该能够将其复制/粘贴到文件中/编译它(g ++,请参阅下面的 VS in ninja 编辑)并且它会起作用。
#include <windows.h>
#include <string>
#include <shlobj.h>
#include <iostream>
#include <sstream>
static int CALLBACK BrowseCallbackProc(HWND hwnd,UINT uMsg, LPARAM lParam, LPARAM lpData)
{
if(uMsg == BFFM_INITIALIZED)
{
std::string tmp = (const char *) lpData;
std::cout << "path: " << tmp << std::endl;
SendMessage(hwnd, BFFM_SETSELECTION, TRUE, lpData);
}
return 0;
}
std::string BrowseFolder(std::string saved_path)
{
TCHAR path[MAX_PATH];
const char * path_param = saved_path.c_str();
BROWSEINFO bi = { 0 };
bi.lpszTitle = ("Browse for folder...");
bi.ulFlags = BIF_RETURNONLYFSDIRS | BIF_NEWDIALOGSTYLE;
bi.lpfn = BrowseCallbackProc;
bi.lParam = (LPARAM) path_param;
LPITEMIDLIST pidl = SHBrowseForFolder ( &bi );
if ( pidl != 0 )
{
//get the name of the folder and put it in path
SHGetPathFromIDList ( pidl, path );
//free memory used
IMalloc * imalloc = 0;
if ( SUCCEEDED( SHGetMalloc ( &imalloc )) )
{
imalloc->Free ( pidl );
imalloc->Release ( );
}
return path;
}
return "";
}
int main(int argc, const char *argv[])
{
std::string path = BrowseFolder(argv[1]);
std::cout << path << std::endl;
return 0;
}
编辑:我更新了代码,向人们展示如何记住最后选择的路径并使用它。
此外,对于 VS,使用 Unicode 字符集。替换这一行:
const char * path_param = saved_path.c_str();
有了这个:
std::wstring wsaved_path(saved_path.begin(),saved_path.end());
const wchar_t * path_param = wsaved_path.c_str();
我上面的测试代码是用 g++ 编译的,但是这样做在 VS 中为我修复了它。
对于 Windows Vista 及更高版本,最好使用正确打开对话框IFileOpenDialog
的FOS_PICKFOLDERS
选项而不是此树形对话框。有关详细信息,请参阅MSDN 上的Common Item Dialog。