是否可以从我的C#app获取当前在Windows资源管理器中选择的文件列表?
我已经对从C#等托管语言与Windows资源管理器交互的不同方法做了大量研究。最初,我正在研究shell扩展的实现(例如here和here),但显然这是托管代码中的一个坏主意,并且无论如何对我的情况可能有点过分。
接下来,我查看了PInvoke / COM解决方案,找到了this article,这使我得到了这段代码:
SHDocVw.ShellWindows shellWindows = new SHDocVw.ShellWindows();
string filename;
ArrayList windows = new ArrayList();
foreach(SHDocVw.InternetExplorer ie in shellWindows)
{
filename = Path.GetFileNameWithoutExtension(ie.FullName).ToLower();
if(filename.Equals("explorer"))
{
Console.WriteLine("Hard Drive: {0}", ie.LocationURL);
windows.Add(ie);
var shell = new Shell32.Shell();
foreach (SHDocVw.InternetExplorerMedium sw in shell.Windows())
{
Console.WriteLine(sw.LocationURL);
}
}
}
...但是单个InternetExplorer
对象没有获取当前文件选择的方法,尽管它们可用于获取有关窗口的信息。
然后我发现this article正是我所需要的,但是在C ++中。以此为出发点,我试图通过在项目中添加shell32.dll
作为参考来进行一些翻译。我最终得到了以下内容:
SHDocVw.ShellWindows shellWindows = new SHDocVw.ShellWindows();
string filename;
ArrayList windows = new ArrayList();
foreach(SHDocVw.InternetExplorer ie in shellWindows)
{
filename = Path.GetFileNameWithoutExtension(ie.FullName).ToLower();
if(filename.Equals("explorer"))
{
Console.WriteLine("Hard Drive: {0}", ie.LocationURL);
windows.Add(ie);
var shell = (Shell32.IShellDispatch4)new Shell32.Shell();
Shell32.Folder folder = shell.NameSpace(ie.LocationURL);
Shell32.FolderItems items = folder.Items();
foreach (Shell32.FolderItem item in items)
{
...
}
}
}
这稍微接近一点,因为我能够为窗口和每个项目获得一个Folder
对象,但我仍然看不到获取当前选择的方法。
我可能完全看错了地方,但我一直在关注我所拥有的唯一线索。有人能指出我适当的PInvoke / COM解决方案吗?
答案 0 :(得分:7)
最后找到了一个解决方案,感谢这个问题:Get selected items of folder with WinAPI。
我最终得到以下内容,以获取当前所选文件的列表:
IntPtr handle = GetForegroundWindow();
List<string> selected = new List<string>();
var shell = new Shell32.Shell();
foreach(SHDocVw.InternetExplorer window in shell.Windows())
{
if (window.HWND == (int)handle)
{
Shell32.FolderItems items = ((Shell32.IShellFolderViewDual2)window.Document).SelectedItems();
foreach(Shell32.FolderItem item in items)
{
selected.Add(item.Path);
}
}
}
显然window.Document
对应于资源管理器窗口中的实际文件夹视图,这不是很直观。但除了误导性的变量/方法名称之外,这种方法也很完美。