所以这是交易。我有我的解决方案,其中有几个项目:
- 包装器项目 - 这只是一个控制台应用程序,当前在调试期间代表 Windows 服务。
- 一个工作项目 - 这包含代码的核心。这样我就可以轻松地调试 Windows 服务的代码而不会头疼。
- 插件库项目 - 这包含一个插件工厂,用于新建插件的具体实例。
- 插件项目 - 这包含我的插件的具体实现。
我的包装应用程序包含我的 app.config,我的插件应该直接引用它以进行自我配置。这样,我的包装应用程序除了需要调用适配器工厂来新建插件实例外,不需要知道任何其他信息。
<configuration>
<appSettings>
<add key="Plugin" value="Prototypes.BensPlugin" />
<add key="Prototypes.BensPlugin.ServiceAddress" value="http://localhost/WebServices/Plugin.asmx" />
<add key="Prototypes.BensPlugin.Username" value="TestUserName" />
<add key="Prototypes.BensPlugin.Password" value="TestPassword" />
</appSettings>
</configuration>
包装项目:
using Worker;
public class Program
{
public static void Main()
{
var serviceProc = new ServiceProcess();
serviceProc.DoYourStuff();
}
}
工人项目:
using PluginLibrary;
namespace Worker
{
public class ServiceProcess
{
public string GetRequiredAppSetting(string settingName)
{
/* Code to get a required configuration setting */
}
public void DoYourStuff()
{
string pluginTypeName = GetRequiredAppSetting("Plugin");
//At this point, pluginTypeName = "Prototypes.BensPlugin"
Type type = Type.GetType(pluginTypeName); //type == null, wth!?
//string testTypeName = new BensPlugin().GetType().ToString();
///At this point, testTypeName = "Prototypes.BensPlugin"
//Type testType = Type.GetType(testTypeName)
///And testType still equals null!
if (type != null)
{
IPlugin plugin = PluginFactory.CreatePlugin(type);
if (plugin != null)
plugin.DoWork();
}
}
}
}
插件库:
namespace PluginLibrary
{
public interface IPlugin
{
void DoWork();
}
public class PluginFactory
{
public IPlugin CreatePlugin(Type pluginType)
{
return (IPlugin)Activator.CreateInstance(pluginType);
}
}
}
插入:
using PluginLibrary;
namespace Prototypes
{
public class BensPlugin : IPlugin
{
public string ServiceAddress { get; protected set; }
public string username { get; protected set; }
public string password { get; protected set; }
public void DoWork()
{
Trace.WriteLine("Ben's plugin is working.");
}
public BensPlugin()
{
/* Code to self configure from app.config */
}
}
}
好的,这样就设置好了舞台。当我参考Type.GetType(pluginTypeName)
. MypluginTypeName
被正确地从配置中拉出,但Type.GetType(pluginTypeName)
返回null
. 我已经尝试直接在代码中的同一位置更新我的插件实例:
var obj = new BensPlugin();
这工作得很好,并obj.GetType().ToString()
返回与我在app.config
.
谁能告诉我为什么我可以在代码中的那一点新建一个具体对象,但Type.GetType(pluginTypeName)
会失败?