我在c#中执行一个windows应用程序,在那里我读取文件夹中的web.config文件并加载应用程序设置,用户可以在其中编辑它们并应用更改。
我将设置"key"one_answers"value"存储在字典中,并将受影响的值存储在单独的字典中。它运行良好,但应用更改需要花费大量时间。
我怎样才能加快速度?
这是我的代码
public List<AppSettings> OldAppSetting;
public List<AppSettings> NewAppSetting;
foreach (var oldSetList in OldAppSetting)
{
Document = Document = XDocument.Load(@oldSetList.FilePathProp);
var appSetting = Document.Descendants("add").Select(add => new
{
Key = add.Attribute("key"),
Value = add.Attribute("value")
}).ToArray();
foreach (var oldSet in appSetting)
{
foreach (var newSet in NewAppSetting)
{
if (oldSet.Key != null)
{
if (oldSet.Key.Value == newSet.AppKey)
{
oldSet.Value.Value = newSet.AppValue;
}
}
Document.Save(@oldSetList.FilePathProp);
}
}
}
这是应用程序设置类
public class AppSettings
{
public string AppKey { get; set; }
public string AppValue { get; set; }
public string FilePathProp{ get; set; }
}
我认为您主要关心的速度问题是在检查完每一项之后保存文档。似乎您可以更改代码以减少调用save的次数。例如:
foreach (var oldSetList in OldAppSetting)
{
Document = Document = XDocument.Load(@oldSetList.FilePathProp);
var appSetting = Document.Descendants("add").Select(add => new
{
Key = add.Attribute("key"),
Value = add.Attribute("value")
}).ToArray();
foreach (var oldSet in appSetting)
{
foreach (var newSet in NewAppSetting)
{
if (oldSet.Key != null)
{
if (oldSet.Key.Value == newSet.AppKey)
{
oldSet.Value.Value = newSet.AppValue;
}
}
}
}
Document.Save(@oldSetList.FilePathProp);
}
此外,您可以使用Dictionary<string, AppSetting>
而不是appSetting
的数组。如果项目数量很大,这将大大加快速度。这需要对代码进行一些重组。我不知道你所有的类型是什么,所以我不能给你确切的代码,但它看起来像这样:
var appSetting = Document.Descendants("add")
.ToDictionary(add => add.Attribute("key"));
foreach (var newSet in NewAppSetting)
{
if (appSetting.ContainsKey(newSet.AppKey))
{
var oldSet = appSetting[newSet.AppKey];
oldSet.Value.Value = newSet.AppValue;
}
}
您的代码有点令人困惑,但我认为这是对的。这里的想法是建立一个旧值的字典,这样我们可以在扫描新值时直接查找它们。它将你的O(n^2)算法变成O(n)算法,如果有很多设置,这将产生影响。此外,代码更小,更易于遵循。
放入
Document.Save(@oldSetList.FilePathProp);
循环外!