我正在尝试替换文本文件中与字典中的模式匹配的所有字符串,但我不知道为什么我只是替换了最后一个匹配。
我有一个字典,其中第一个值是模式,第二个值是替换值。
任何人都可以帮助我吗?
这是xml文件的一部分。我正在尝试替换匹配的行:
<book id="bk101">
<author> ABC</author>
<title> DEF</title>
<genre> GHI</genre>
</book>
这是我到目前为止所做的事情:
public static void Update()
{
Dictionary<string, string> items = new Dictionary<string,string>();
items.Add("<book id=\"bk([0-9]{3})\">", "<TEST 01>");
items.Add("<author>.+</author>", "<TEST 2>");
items.Add("<genre>.*</genre>", "");
string contentFile;
string replacedContent = null;
try
{
using (StreamReader sr = new StreamReader(@"C:\Users\acrif\Desktop\log\gcf.xml"))
{
contentFile = sr.ReadToEnd();
foreach (KeyValuePair<string, string> entry in items)
{
replacedContent = Regex.Replace(contentFile, entry.Key, entry.Value);
}
if (replacedContent != null)
{
WriteLine("Ok.");
}
}
using (StreamWriter sw = new StreamWriter(@"C:\Users\acrif\Desktop\log\gcf2.xml"))
{
sw.Write(replacedContent);
}
}
catch (Exception e)
{
}
}
答案 0 :(得分:1)
在你的循环中
foreach (KeyValuePair<string, string> entry in items)
{
replacedContent = Regex.Replace(contentFile, entry.Key, entry.Value);
}
您在每次迭代中将结果分配给replacedContent
。先前存储在replacedContent
中的替换结果将在下一次迭代中被覆盖,因为您不会重复使用先前的结果。您必须重用在foreach
循环中存储字符串的变量:
replacedContent = sr.ReadToEnd();
foreach (KeyValuePair<string, string> entry in items)
{
replacedContent = Regex.Replace(replacedContent, entry.Key, entry.Value);
}