我有两个文件夹,一个文件夹有文件,另一个文件夹有DLL文件,我不知道DLL文件目录中有哪些或多少个DLL(模块化使用)。 在每个DLL文件中都有一个函数将FileInfo作为参数。 我怎么能从文件目录中运行每个文件的DLL中的所有函数?
例如,其中一个DLL文件:
using System;
using System.IO;
namespace DLLTest
{
public class DLLTestClass
{
public bool DLLTestFunction(FileInfo file)
{
return file.Exists;
}
}
}
主:
DirectoryInfo filesDir = new DirectoryInfo(path_to_files_Directory);
DirectoryInfo dllsDir = new DirectoryInfo(path_to_dlls_Directory);
foreach(FileInfo file in filesDir.getFiles())
{
//How do I run each one of the dll funtions on each one of the files?
}
非常感谢。
答案 0 :(得分:2)
C#是静态类型语言,因此如果要从多个程序集中调用特定函数,第一步是使用这个函数的接口定义一个项目。
您必须使用一个界面创建一个项目(称为 ModuleInterface 或其他任何内容):
public interface IDllTest
{
bool DLLTestFunction(FileInfo file);
}
然后所有的Dll项目必须至少有一个实现此接口的classe:
public class DLLTestClass : IDllTest
{
public bool DLLTestFunction(FileInfo file)
{
return file.Exists;
}
}
请注意上面 IDllTest 的实现(您必须添加对项目 ModuleInterface 的引用)。
最后,在您的主项目中,您必须从目录中加载所有程序集:
DirectoryInfo dllsDir = new DirectoryInfo(path_to_dlls_Directory);
foreach(FileInfo file in dllsDir.getFiles())
{
//Load the assembly
Assembly assembly = Assembly.LoadFile (file.FullName);
//Get class which implements the interface IDllTest
Type modules = assembly.GetTypes ().SingleOrDefault(x => x.GetInterfaces().Contains(typeof(IDllTest)));
//Instanciate
IDllTest module = (IDllTest)Activator.CreateInstance (modules);
//Call DllTestFunction (you have to define anyFileInfo)
module.DLLTestFunction(anyFileInfo);
}
可能需要一些调整,因为我没有测试它! 但是我确信这是要遵循的步骤。
参考文献(法文):http://www.lab.csblo.fr/implementer-un-systeme-de-plugin-framework-net-c/
我希望我的英语可以理解,随时纠正我。
答案 1 :(得分:2)
Niels提出了一个非常好的解决方案,界面清晰。如果您不想创建界面,或者您无法迭代所有类型和方法以查找已知签名:
var definedTypes = Assembly.LoadFile("file").DefinedTypes;
foreach(var t in definedTypes)
{
foreach(var m in t.GetMethods())
{
var parameters = m.GetParameters();
if (parameters.Length ==1 && parameters[0].ParameterType == typeof(FileInfo))
{
var instanse = Activator.CreateInstance(t);
m.Invoke(instanse, new[] { fileInfo });
}
}
}
为此你需要所有类都有一个无参数构造函数来实现它。作为Invoke
方法的参数,您可以为fileInfo对象提供。
答案 2 :(得分:0)
您必须加载程序集,动态查找其中的函数并调用它。所有步骤均描述为here