我有一个可以通过编写自定义扩展来自定义的应用程序。所有这些都在proj\Extensions
文件夹中。在运行时,我的Core
项目从文件夹加载每个扩展并执行代码。问题是当其中一个扩展使用其他库时,因为Core
项目找不到对这些附加库的引用。
例如,在我的Core
项目中,我有:
public void Preview(IFileDescription fileDescription)
{
var extension = Path.GetExtension(fileDescription.FilePath);
var reader = _readerFactory.Get(extension);
Data = reader.GetPreview(fileDescription);
}
在我的一个扩展中,我有
public DataTable GetPreview(IFileDescription options)
{
var data = new DataTable();
using (var stream = new StreamReader(options.FilePath))
{
var reader = new CsvReader(stream); // <- This is from external library and because of this Core throws IO exception
}
/*
...
*/
return data;
}
Core
只知道界面,因此当其中一位读者使用例如CsvHelper.dll
时,我会FileNotFound
例外,因为Core
无法找到CsvHelper.dll
。有没有办法告诉编译器在特定文件夹中查找其他库?我使用Reference Paths
,但它没有解决问题。它仍然抛出相同的例外。
答案 0 :(得分:1)
是的,这是可能的。您可以附加到AppDomain.AssemblyResolve事件并从加载项目录中手动加载所需的DLL。在执行任何加载项代码之前执行以下代码:
var addinFolder = ...;
AppDomain.CurrentDomain.AssemblyResolve += (sender, e) =>
{
var missing = new AssemblyName(e.Name);
var missingPath = Path.Combine(addinFolder, missing.Name + ".dll");
// If we find the DLL in the add-in folder, load and return it.
if (File.Exists(missingPath))
return Assembly.LoadFrom(missingPath);
// nothing found, let .NET search the common folders
return null;
};