我为我的安装程序所做的是使用 App.Config 中的“file”属性。appSettings 块取一个“file”属性,就像这样:
<appSettings file="user.config">
<add key="foo" value="some value unchanged by setup"/>
</appSettings>
"file"属性有点像CSS,因为最具体的设置会胜出。如果在user.config和App.config中都定义了"foo",则使用user.config中的值。
然后,我有一个配置生成器,使用字典中的值将第二个appSettings块写入user.config(或您想要的任何名称)。
using System.Collections.Generic;
using System.Text;
using System.Xml;
namespace Utils
{
public class ConfigGenerator
{
public static void WriteExternalAppConfig(string configFilePath, IDictionary<string, string> userConfiguration)
{
using (XmlTextWriter xw = new XmlTextWriter(configFilePath, Encoding.UTF8))
{
xw.Formatting = Formatting.Indented;
xw.Indentation = 4;
xw.WriteStartDocument();
xw.WriteStartElement("appSettings");
foreach (KeyValuePair<string, string> pair in userConfiguration)
{
xw.WriteStartElement("add");
xw.WriteAttributeString("key", pair.Key);
xw.WriteAttributeString("value", pair.Value);
xw.WriteEndElement();
}
xw.WriteEndElement();
xw.WriteEndDocument();
}
}
}
}
在您的安装程序中,只需在安装方法中添加以下内容:
string configFilePath = string.Format("{0}{1}User.config", targetDir, Path.DirectorySeparatorChar);
IDictionary<string, string> userConfiguration = new Dictionary<string, string>();
userConfiguration["Server"] = Context.Parameters["Server"];
userConfiguration["Port"] = Context.Parameters["Port"];
ConfigGenerator.WriteExternalAppConfig(configFilePath, userConfiguration);
我们用它来管理我们的测试、培训和生产服务器,所以我们只需在安装过程中指定机器名和密码,一切都为我们搞定了。以前这是一个三小时的过程,要通过多个配置文件设置密码。现在几乎全部自动化了。
希望这可以帮到您。