让Qt 具有多选文件夹和记忆上一次打开位置的文件对话框

最近要做一个可以多选文件夹的功能,在网上查阅了多个资料,发现github有一段代码可以实现该功能,于是将其收入进行改造。另外qt自带的 getExistingDirectory 和 getOpenFileNames 不具有记忆上一次打开的文件夹位置。要实现多选文件夹和记忆上一次打开位置能用到的就只有IFileOpenDialog 接口了。
原代码如下
出处:https://gist.github.com/0xF5T9/3f3203950f480d348aa6d99850a26016

#include <iostream>
#include <windows.h>
#include <shobjidl.h>
#include <string>
#include <vector>/*** @brief Open a dialog to select item(s) or folder(s).* @param paths Specifies the reference to the string vector that will receive the file or folder path(s). [IN]* @param selectFolder Specifies whether to select folder(s) rather than file(s). (optional)* @param multiSelect Specifies whether to allow the user to select multiple items. (optional)* @note If no item(s) were selected, the function still returns true, and the given vector is unmodified.* @note `<windows.h>`, `<string>`, `<vector>`, `<shobjidl.h>`* @return Returns true if all the operations are successfully performed, false otherwise.*/
bool OpenFileDialog(std::vector<std::wstring> &paths, bool selectFolder = false, bool multiSelect = false)
{IFileOpenDialog *p_file_open = nullptr;bool are_all_operation_success = false;while (!are_all_operation_success){HRESULT hr = CoCreateInstance(CLSID_FileOpenDialog, NULL, CLSCTX_ALL,IID_IFileOpenDialog, reinterpret_cast<void **>(&p_file_open));if (FAILED(hr))break;if (selectFolder || multiSelect){FILEOPENDIALOGOPTIONS options = 0;hr = p_file_open->GetOptions(&options);if (FAILED(hr))break;if (selectFolder)options |= FOS_PICKFOLDERS;if (multiSelect)options |= FOS_ALLOWMULTISELECT;hr = p_file_open->SetOptions(options);if (FAILED(hr))break;}hr = p_file_open->Show(NULL);if (hr == HRESULT_FROM_WIN32(ERROR_CANCELLED)) // No items were selected.{are_all_operation_success = true;break;}else if (FAILED(hr))break;IShellItemArray *p_items;hr = p_file_open->GetResults(&p_items);if (FAILED(hr))break;DWORD total_items = 0;hr = p_items->GetCount(&total_items);if (FAILED(hr))break;for (int i = 0; i < static_cast<int>(total_items); ++i){IShellItem *p_item;p_items->GetItemAt(i, &p_item);if (SUCCEEDED(hr)){PWSTR path;hr = p_item->GetDisplayName(SIGDN_FILESYSPATH, &path);if (SUCCEEDED(hr)){paths.push_back(path);CoTaskMemFree(path);}p_item->Release();}}p_items->Release();are_all_operation_success = true;}if (p_file_open)p_file_open->Release();return are_all_operation_success;
}/*** @brief Open a dialog to save an item.* @param path Specifies the reference to the string that will receive the target save path. [IN]* @param defaultFileName Specifies the default save file name. (optional)* @param pFilterInfo Specifies the pointer to the pair that contains filter information. (optional)* @note If no path was selected, the function still returns true, and the given string is unmodified.* @note `<windows.h>`, `<string>`, `<vector>`, `<shobjidl.h>`* @return Returns true if all the operations are successfully performed, false otherwise.*/
bool SaveFileDialog(std::wstring &path, std::wstring defaultFileName = L"", std::pair<COMDLG_FILTERSPEC *, int> *pFilterInfo = nullptr)
{IFileSaveDialog *p_file_save = nullptr;bool are_all_operation_success = false;while (!are_all_operation_success){HRESULT hr = CoCreateInstance(CLSID_FileSaveDialog, NULL, CLSCTX_ALL,IID_IFileSaveDialog, reinterpret_cast<void **>(&p_file_save));if (FAILED(hr))break;if (!pFilterInfo){COMDLG_FILTERSPEC save_filter[1];save_filter[0].pszName = L"All files";save_filter[0].pszSpec = L"*.*";hr = p_file_save->SetFileTypes(1, save_filter);if (FAILED(hr))break;hr = p_file_save->SetFileTypeIndex(1);if (FAILED(hr))break;}else{hr = p_file_save->SetFileTypes(pFilterInfo->second, pFilterInfo->first);if (FAILED(hr))break;hr = p_file_save->SetFileTypeIndex(1);if (FAILED(hr))break;}if (!defaultFileName.empty()){hr = p_file_save->SetFileName(defaultFileName.c_str());if (FAILED(hr))break;}hr = p_file_save->Show(NULL);if (hr == HRESULT_FROM_WIN32(ERROR_CANCELLED)) // No item was selected.{are_all_operation_success = true;break;}else if (FAILED(hr))break;IShellItem *p_item;hr = p_file_save->GetResult(&p_item);if (FAILED(hr))break;PWSTR item_path;hr = p_item->GetDisplayName(SIGDN_FILESYSPATH, &item_path);if (FAILED(hr))break;path = item_path;CoTaskMemFree(item_path);p_item->Release();are_all_operation_success = true;}if (p_file_save)p_file_save->Release();return are_all_operation_success;
}int main()
{HRESULT hr = CoInitializeEx(NULL, COINIT_APARTMENTTHREADED | COINIT_DISABLE_OLE1DDE);if (FAILED(hr)){std::cout << "Failed to initialize COM library.\n";return -1;}// Select an example.std::cout << "1. Select an item.\n";std::cout << "2. Select a folder.\n";std::cout << "3. Select multiple items.\n";std::cout << "4. Save an item.\n";std::cout << "5. Save an item with filters.\n";std::cout << "Select an example: ";int choice = 0;std::cin >> choice;switch (choice){// Example: Select an item.case 1:{std::vector<std::wstring> paths;if (OpenFileDialog(paths)){if (!paths.empty()){std::cout << "Total items: " << paths.size() << "\n";for (int i = 0; i < static_cast<int>(paths.size()); ++i)std::wcout << L"Path " << std::to_wstring(i + 1) << L": " << paths[i] << L"\n";}elsestd::cout << "No item were selected.\n";}break;}// Example: Select a folder.case 2:{std::vector<std::wstring> paths;if (OpenFileDialog(paths, true)){if (!paths.empty()){std::cout << "Total items: " << paths.size() << "\n";for (int i = 0; i < static_cast<int>(paths.size()); ++i)std::wcout << L"Path " << std::to_wstring(i + 1) << L": " << paths[i] << L"\n";}elsestd::cout << "No item were selected.\n";}break;}// Example: Select multiple items.case 3:{std::vector<std::wstring> paths;if (OpenFileDialog(paths, false, true)){if (!paths.empty()){std::cout << "Total items: " << paths.size() << "\n";for (int i = 0; i < static_cast<int>(paths.size()); ++i)std::wcout << L"Path " << std::to_wstring(i + 1) << L": " << paths[i] << L"\n";}elsestd::cout << "No item were selected.\n";}break;}// Example: Save an item.case 4:{std::wstring path = L"";if (SaveFileDialog(path, L"Some file.txt")){if (!path.empty()){std::wcout << L"Selected save path:  " << path << L"\n";}elsestd::cout << "No item were selected.\n";}break;}// Example: Save an item with filters.case 5:{std::wstring path = L"";const unsigned int total_filters = 3;COMDLG_FILTERSPEC filters[total_filters];filters[0].pszName = L"All files. (*.*)";filters[0].pszSpec = L"*.*";filters[1].pszName = L"Image files. (.bmp, .jpg, .png)";filters[1].pszSpec = L"*.bmp;*.jpg;*.png";filters[2].pszName = L"Specific file. (unique_file.txt)";filters[2].pszSpec = L"unique_file.txt";std::pair<COMDLG_FILTERSPEC *, int> filter_info = std::make_pair<COMDLG_FILTERSPEC *, int>(filters, total_filters);if (SaveFileDialog(path, L"", &filter_info)){if (!path.empty()){std::wcout << L"Selected save path: " << path << L"\n";}elsestd::cout << "No item were selected.\n";}break;}}CoUninitialize();return 0;
}std::vector<std::pair<std::wstring, std::wstring>> filters = {{L"文件类型(*.txt)", L"*.txt"},        // 过滤 .txt 文件};		if (auto files = GetOpenFileNames(L"导入转换的TXT文件", true, filters);files.has_value()){for (const auto& filename : files.value()){...}}

于是将其中的OpenFileDialog函数拿来进行改造:分别是选择文件 GetOpenFileNames 和文件夹 GetExistingDirectorys

使用时需要加入以下几个头文件:

#include <windows.h>
#include <shobjidl.h>
#include <string>
#include <vector>
#include<optional>

GetOpenFileNames 函数定义如下:

std::optional<std::vector <std::wstring>> GetOpenFileNames(const std::wstring& dialogTitle, bool multiSelect, const std::vector<std::pair<std::wstring, std::wstring>>& filters)
{IFileOpenDialog* p_file_open = nullptr;bool are_all_operation_success = false;std::optional<std::vector <std::wstring>>files;while (!are_all_operation_success){// Create the file dialog instanceHRESULT hr = CoCreateInstance(CLSID_FileOpenDialog, NULL, CLSCTX_ALL,IID_IFileOpenDialog, reinterpret_cast<void**>(&p_file_open));if (FAILED(hr))break;// Set dialog title if specifiedif (!dialogTitle.empty()){hr = p_file_open->SetTitle(dialogTitle.c_str());if (FAILED(hr))break;}// Handle folder selection and multi-select optionsif ( multiSelect){FILEOPENDIALOGOPTIONS options = 0;hr = p_file_open->GetOptions(&options);if (FAILED(hr))break;					options |= FOS_ALLOWMULTISELECT;hr = p_file_open->SetOptions(options);if (FAILED(hr))break;}if (!filters.empty()){std::vector<COMDLG_FILTERSPEC> filterSpecs;for (const auto& filter : filters){COMDLG_FILTERSPEC spec;spec.pszName = filter.first.c_str();  // Filter name as LPCWSTRspec.pszSpec = filter.second.c_str(); // File spec (e.g. "*.txt") as LPCWSTRfilterSpecs.push_back(spec);}// Now, we correctly call SetFileTypes to set the filterhr = p_file_open->SetFileTypes(static_cast<UINT>(filterSpecs.size()), filterSpecs.data());if (FAILED(hr)){// If it failed, we break the loopbreak;}}// Show the dialoghr = p_file_open->Show(NULL);if (hr == HRESULT_FROM_WIN32(ERROR_CANCELLED)) // No items were selected.{are_all_operation_success = true;break;}else if (FAILED(hr))break;// Retrieve the selected itemsIShellItemArray* p_items;hr = p_file_open->GetResults(&p_items);if (FAILED(hr))break;DWORD total_items = 0;hr = p_items->GetCount(&total_items);if (FAILED(hr))break;// Iterate over the selected items and add their paths to the vectorfor (int i = 0; i < static_cast<int>(total_items); ++i){IShellItem* p_item;p_items->GetItemAt(i, &p_item);if (SUCCEEDED(hr)){PWSTR path;hr = p_item->GetDisplayName(SIGDN_FILESYSPATH, &path);if (SUCCEEDED(hr)){if(!files.has_value()){files.emplace();}files->emplace_back(path);				CoTaskMemFree(path);}p_item->Release();}}p_items->Release();are_all_operation_success = true;}if (p_file_open)p_file_open->Release();CoUninitialize();return  files ;
}

GetExistingDirectorys函数定义如下:

std::optional<std::vector<std::wstring>> GetExistingDirectorys(const std::wstring& dialogTitle, bool multiSelect)
{IFileOpenDialog* p_file_open = nullptr;bool are_all_operation_success = false;std::optional<std::vector<std::wstring>> paths;while (!are_all_operation_success){// Create the file dialog instanceHRESULT hr = CoCreateInstance(CLSID_FileOpenDialog, NULL, CLSCTX_ALL,IID_IFileOpenDialog, reinterpret_cast<void**>(&p_file_open));if (FAILED(hr))break;// Set dialog title if specifiedif (!dialogTitle.empty()){hr = p_file_open->SetTitle(dialogTitle.c_str());if (FAILED(hr))break;}// Handle folder selection and multi-select optionsif ( multiSelect){FILEOPENDIALOGOPTIONS options = 0;hr = p_file_open->GetOptions(&options);if (FAILED(hr))break;			options |= FOS_ALLOWMULTISELECT|FOS_PICKFOLDERS;hr = p_file_open->SetOptions(options);if (FAILED(hr))break;}	// Show the dialoghr = p_file_open->Show(NULL);if (hr == HRESULT_FROM_WIN32(ERROR_CANCELLED)) // No items were selected.{are_all_operation_success = true;break;}else if (FAILED(hr))break;// Retrieve the selected itemsIShellItemArray* p_items;hr = p_file_open->GetResults(&p_items);if (FAILED(hr))break;DWORD total_items = 0;hr = p_items->GetCount(&total_items);if (FAILED(hr))break;// Iterate over the selected items and add their paths to the vectorfor (int i = 0; i < static_cast<int>(total_items); ++i){IShellItem* p_item;p_items->GetItemAt(i, &p_item);if (SUCCEEDED(hr)){PWSTR path;hr = p_item->GetDisplayName(SIGDN_FILESYSPATH, &path);if (SUCCEEDED(hr)){if(!paths.has_value()){paths.emplace();}paths->emplace_back(path);CoTaskMemFree(path);}p_item->Release();}}p_items->Release();are_all_operation_success = true;}if (p_file_open)p_file_open->Release();CoUninitialize();return paths;}//使用例子:
std::wstring dialogTitle = L"选择资料的文件夹";	
if (auto selectedPaths = GetExistingDirectorys(dialogTitle, true); selectedPaths.has_value())
{for (const auto& dir : selectedPaths.value()){...}				
}	

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/bicheng/66636.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

【杂谈】-50+个生成式人工智能面试问题(一)

50个生成式人工智能面试问题 文章目录 50个生成式人工智能面试问题1、生成式人工智能面试问题与神经网络相关Q1. 什么是Transformers&#xff1f;Q2. 什么是注意力机制&#xff1f;有哪些类型的注意力机制&#xff1f;Q3. 为什么Transformer比RNN架构更好&#xff1f;Q4. Trans…

【FlutterDart】 拖动边界线改变列宽类似 vscode 那种拖动改变编辑框窗口大小(11 /100)

【Flutter&Dart】 拖动改变 widget 的窗口尺寸大小GestureDetector&#xff5e;简单实现&#xff08;10 /100&#xff09; 【Flutter&Dart】 拖动边界线改变列宽并且有边界高亮和鼠标效果&#xff08;12 /100&#xff09; 上效果&#xff1a; 这个在知乎里找到的效果&…

原型模式详解与实践

在软件开发的奇妙世界里&#xff0c;我们常常面临重复创建相似对象的任务。如果每次创建都要从头开始设置各种属性和状态&#xff0c;不仅繁琐&#xff0c;还可能降低效率。原型模式就像一位神奇的魔法师&#xff0c;为我们提供了一种通过复制现有对象来创建新对象的优雅方式。…

比较procfs 、 sysctl和Netlink

procfs 文件系统和 sysctl 的使用: procfs 文件系统(/proc) procfs 文件系统是 Linux 内核向用户空间暴露内核数据结构以及配置信息的一种方式。`procfs` 的挂载点是 /proc 目录,这个目录中的文件和目录呈现内核的运行状况和配置信息。通过读写这些文件,可以查看和控制内…

【Rust自学】11.1. 编写和运行测试

喜欢的话别忘了点赞、收藏加关注哦&#xff0c;对接下来的教程有兴趣的可以关注专栏。谢谢喵&#xff01;(&#xff65;ω&#xff65;) 11.1.1. 什么是测试 在Rust里一个测试就是一个函数&#xff0c;它被用于验证非测试代码的功能是否和预期一致。 在一个测试的函数体里通…

数据分析思维(八):分析方法——RFM分析方法

数据分析并非只是简单的数据分析工具三板斧——Excel、SQL、Python&#xff0c;更重要的是数据分析思维。没有数据分析思维和业务知识&#xff0c;就算拿到一堆数据&#xff0c;也不知道如何下手。 推荐书本《数据分析思维——分析方法和业务知识》&#xff0c;本文内容就是提取…

有关Redis的相关概述

一、Redis概述 1.1 Redis简介 Redis是一个开源的高性能键值对数据库&#xff0c;使用C语言编写&#xff0c;支持多种数据结构&#xff0c;如字符串&#xff08;String&#xff09;、列表&#xff08;List&#xff09;、哈希&#xff08;Hash&#xff09;、集合&#xff08;Set…

_controller_validate

在 controller 中我们首先对所有的请求进行日志记录&#xff0c;身份校验&#xff0c;参数校验之后直接把过滤后的数据丢给 logic(serviceImpl) 。这样子一来 controller 只是充当了 路由 过滤器 的作用&#xff0c;如果之后修改 API &#xff0c;前端的请求地址不需要修改&am…

57. Three.js案例-创建一个带有聚光灯和旋转立方体的3D场景

57. Three.js案例-创建一个带有聚光灯和旋转立方体的3D场景 实现效果 该案例实现了使用Three.js创建一个带有聚光灯和旋转立方体的3D场景。 知识点 WebGLRenderer&#xff08;WebGL渲染器&#xff09; THREE.WebGLRenderer 是 Three.js 中用于将场景渲染为 WebGL 内容的核…

Idea-离线安装SonarLint插件地址

地址&#xff1a; SonarQube for IDE - IntelliJ IDEs Plugin | Marketplace 选择Install Plugin from Disk..&#xff0c;选中下载好的插件&#xff0c;然后重启idea

MyBatis面试-1

1、什么是MyBatis&#xff1f; MyBatis是一个半ORM框架(对象关系映射)。---》Hibernate全ORM框架 ---》基于JDBC封装的框架 专注于SQL语句&#xff0c;不用关心JDBC操作的其他流程 2、MyBatis有什么优点 基于SQL语句的编程&#xff0c;相对来说会更加的灵活和JDBC相比&#…

Unity:删除注册表内的项目记录

然后WinR按键输入regedit 打开注册表 在注册表 HKEY CURRENT USER—>SOFTWARE—>Unity—>UnityEditor—>DefaultCompany —>language_Test 中&#xff0c;删除我们的之前存储的语言环境数据。在 “ 三、文本调用和替换 ” 测试时已经将语言环境存储到注册表中了…

历代iPhone运行内存大小和电池容量信息

系列设备名称充电端口标配充电线PD快充无线充电 (W)标配充电器电池容量 (mAh)发布时间RAM运存iPhone 16iPhone 16 Pro MaxUSB Type-CUSB-C to USB-C支持25无47472024/9/108GB LPDDR5XiPhone 16 ProUSB Type-CUSB-C to USB-C支持25无35772024/9/108GB LPDDR5XiPhone 16 PlusUSB …

JAVA学习记录3

文章为个人学习记录&#xff0c;仅供参考&#xff0c;如有错误请指出。 上期说到使用记事本编写Java程序太过繁琐&#xff0c;所以我们后面都将使用IDEA进行代码的编写、编译和运行。 如何下载安装IDEA&#xff1f; 这个的下载途径也很多&#xff0c;我还是推荐去官网下载(h…

CSS——22.静态伪类(伪类是选择不同元素状态)

<!DOCTYPE html> <html><head><meta charset"UTF-8"><title>静态伪类</title> </head><body><a href"#">我爱学习</a></body> </html>单击链接前的样式 左键单击&#xff08;且…

如何在 Hive SQL 中处理复杂的数据类型?

目录 一、复杂数据类型简介 二、创建表时使用复杂数据类型 三、插入数据到复杂数据类型的表 四、查询复杂数据类型

Mysql 性能优化:索引条件下推(ICP)

MySQL 索引下推&#xff08;Index Condition Pushdown&#xff0c;ICP&#xff09;是一种查询优化技术&#xff0c;旨在提高使用索引的查询效率。它是在 MySQL 5.6 中引入的&#xff0c;通过将部分 WHERE 子句的过滤条件下推到索引扫描阶段来减少不必要的回表操作&#xff0c;从…

Linux 环境(Ubuntu)部署 Hadoop 环境

前置准备 准备三台机器 cat /etc/hosts 192.168.1.7 hadoop-master 192.168.1.11 hadoop-slave01 192.168.1.12 hadoop-slave02Linux 环境 cat /etc/os-release PRETTY_NAME"Ubuntu 24.10" NAME"Ubuntu" VERSION_ID"24.10" VERSION"24.…

IDEA中Maven依赖包导入失败报红的潜在原因

在上网试了别人的八个问题总结之后依然没有解决&#xff1a; IDEA中Maven依赖包导入失败报红问题总结最有效8种解决方案_idea导入依赖还是报红-CSDN博客https://blog.csdn.net/qq_43705131/article/details/106165960 江郎才尽之后突然想到一个原因&#xff1a;<dep…

JavaScrip中对于数组的操作的方法(!!是否改变原数组)

1. push() 功能&#xff1a;向数组的末尾添加一个或多个元素&#xff0c;并返回新数组的长度。&#xff08;改变原数组&#xff09;示例&#xff1a; let arr [1, 2, 3]; arr.push(4); // [1, 2, 3, 4] 2. pop() 功能&#xff1a;移除数组的最后一个元素&#xff0c;并返回…