我正在使用 VS 2008 创建一个安装程序,其中包含一个桌面应用程序和一个作为类库项目创建的 BHO 插件。手动,我可以使用此命令注册 myPlugin.dll [regasm /codebase "myPlugin.dll" register],但我不知道如何在安装项目中实现这一点。请问有什么想法吗?
1 回答
最简单和最安全的方法是创建您自己的安装程序类,该类接受要注册的 DLL 的名称,并使用RegistrationServices安装或卸载您的 dll。
创建Installer时,它可以通过自定义操作的 CustomActionData 属性接受来自自定义操作的参数。这些参数中的每一个都存储在 Installer.Context.Parameters 集合中。这意味着通过使用一些安装程序属性,您可以将完整的安装路径传递给 DLL,然后 RegistrationServices 可以使用它来执行与 Regasm 相同的操作。
实施这是一个多步骤的过程:
第 1 步是创建安装程序类。因为这是可重用的代码,我建议创建一个单独的 DLL 项目来保存这个类。
using System;
using System.Text;
using System.ComponentModel;
using System.Configuration.Install;
using System.Collections;
using System.IO;
using System.Reflection;
using System.Runtime.InteropServices;
[RunInstaller(true)]
public partial class AssemblyRegistrationInstaller : Installer
{
public AssemblyRegistrationInstaller()
{
}
public override void Install(IDictionary stateSaver)
{
base.Install(stateSaver);
RegisterAssembly(true);
}
public override void Rollback(IDictionary savedState)
{
base.Rollback(savedState);
RegisterAssembly(false);
}
public override void Uninstall(IDictionary savedState)
{
base.Rollback(savedState);
RegisterAssembly(false);
}
private void RegisterAssembly(bool fDoRegistration)
{
string sAssemblyFileName = base.Context.Parameters["AssemblyFileName"];
if (string.IsNullOrEmpty(sAssemblyFileName))
{
throw new InstallException("AssemblyFileName must be specified");
}
if (!File.Exists(sAssemblyFileName))
{
if (fDoRegistration)
{
throw new InstallException(string.Format("AssemblyFileName {0} is missing", sAssemblyFileName));
}
else
{
// Just bail if we are uninstalling and the file doesn't exist
return;
}
}
var oServices = new RegistrationServices();
var oAssembly = Assembly.LoadFrom(sAssemblyFileName);
if (fDoRegistration)
{
oServices.RegisterAssembly(oAssembly, AssemblyRegistrationFlags.SetCodeBase);
}
else
{
try
{
oServices.UnregisterAssembly(oAssembly);
}
catch
{
// Just eat the exception so that uninstall succeeds even if there is an error
}
}
}
}
第 2 步是将新的 DLL 添加到安装项目中。由于我们需要为 DLL 配置设置,所以不要添加项目本身;直接从项目的发布目录添加 DLL。
第 3 步是将新的 DLL 添加为自定义操作。为此,请右键单击安装项目并选择View
,然后选择Custom Actions
。
右键单击Custom Actions
菜单,然后在弹出对话框中选择新的安装程序 DLL。这将自动将 DLL 添加到所有 4 个部分。右键单击添加到该Commit
部分的那个并将其删除。
对于其他 3 个部分中的每一个,执行以下操作:
右键单击 DLL 条目并选择Properties Window
.
确保InstallerClass
属性网格中的条目设置为 true(应该是)。
将以下条目添加到CustomActionData
属性中,以将要注册的 dll 的名称传递给自定义安装程序类:
/AssemblyFileName="[TARGETDIR]\myplugin.dll"