嗯。好吧,在重新访问了PInvoke之后,我确信我不太明白:-/ (只是问了this question)
让我来演示一下我需要处理的代码。当我使用"Add Reference --> COM --> Microsoft Shell Controls and Automatation“...但遗憾的是,它在我的项目中放置了一个类似于"C:\Users\Tim\Documents\Visual Studio 2008\Projects\Wing\FileWing\obj\Debug\Interop.Shell32.dll“”的引用
我翻遍了回收站,寻找一件我想要回收的东西。有没有办法不通过PInvoke来完成这件事呢?或者获取一个对system32/shell32.dll的引用,让我在运行时使用这段代码?
private void recoverRecyclerBinEntry(string fileName, int size)
{
try
{
Shell Shl = new Shell();
Folder Recycler = Shl.NameSpace(10);
// scans through all the recyclers entries till the one to recover has been found
for (int i = 0; i < Recycler.Items().Count; i++)
{
FolderItem FI = Recycler.Items().Item(i);
string FileName = Recycler.GetDetailsOf(FI, 0);
if (Path.GetExtension(FileName) == "")
FileName += Path.GetExtension(FI.Path);
//Necessary for systems with hidden file extensions.
string FilePath = Recycler.GetDetailsOf(FI, 1);
string combinedPath = Path.Combine(FilePath, FileName);
if (size == FI.Size && fileName == combinedPath)
{
Debug.Write("Match found. Restoring " + combinedPath + "...");
Undelete(FI);
Debug.WriteLine("done.");
}
else
{
Debug.WriteLine("No match");
}
}
}
catch (Exception ex)
{
Debug.WriteLine(ex.Message);
Debug.WriteLine(ex.StackTrace);
}
}
private bool Undelete(FolderItem Item)
{
try
{
foreach (FolderItemVerb FIVerb in Item.Verbs())
{
if (
(FIVerb.Name.ToUpper().Contains("WIEDERHERSTELLEN")) ||
(FIVerb.Name.ToUpper().Contains("ESTORE")) ||
(FIVerb.Name.ToUpper().Contains("NDELETE"))
)
{
FIVerb.DoIt();
return true;
}
}
//execute the first one:
Item.Verbs().Item(0).DoIt();
return true;
}
catch (Exception)
{
Debug.WriteLine("ERROR undeleting");
return false;
}
}发布于 2010-01-26 00:29:20
现在,您混合了两个不同的概念: PInvoke和COM Interop。
PInvoke允许您从托管代码中访问本机C函数。它的工作方式是在托管代码中定义本机方法的封送兼容签名,并用DllImport属性对其进行标记。它需要且不能具有对本机DLL的元数据引用。该动态链接库是在运行时使用Win32动态链接库的正常加载规则发现的。
COM Interop允许您从托管代码访问与COM兼容的对象。这是通过获取COM接口的封送兼容的托管定义,然后以多种方式之一获取对对象的引用来实现的。获取托管定义通常是通过向COM组件的PIA (主互操作程序集)添加元数据引用来完成的。在C# 4.0之前,如果不做大量工作,就不能删除此引用,必须将其与应用程序一起部署。
在此特定示例中,您使用的是COM互操作,而不是PInvoke。
https://stackoverflow.com/questions/2133703
复制相似问题