我编写了一种方法,该方法将通过所有文本文件,替换文本并使用上述更改更新文本框。它在我第一次运行后起作用,但是随后的执行似乎推断文件没有第一次更改。
private void changeText(string searchString, string newString, FileInfo[] listOfFiles)
{
foreach (FileInfo tempfi in listOfFiles)//Foreach File
{
string fileToBeEdited = tempfi.FullName;
File.SetAttributes(fileToBeEdited, File.GetAttributes(fileToBeEdited) & ~FileAttributes.ReadOnly); //Remove ReadOnly Property
string strFile = System.IO.File.ReadAllText(fileToBeEdited); //Reads In Text File
if(strFile.Contains(newString))//If the replacement string is contained in the text file
{
strFile = strFile.Replace(searchString, newString);
System.IO.File.WriteAllText(fileToBeEdited, strFile); //Write changes to File
myTextBox.Text = "File Changed: " + fileTobeEdited.ToString() + Environment.NewLine; //Notify User
}
}
}
如果我运行了1次或100倍的文本文件,则可以更新。如果我第二次运行此操作,则我的文本框会更新,说它更新了新文件。
我希望这种方法第一次运行后不会找到任何文本。
变量fileToBeEdited
未初始化。
您必须查找包含searchString
不newString
的文件!
private void changeText(string searchString, string newString, FileInfo[] listOfFiles)
{
foreach (FileInfo tempfi in listOfFiles) {
string fileToBeEdited = tempfi.FullName; // <== This line was missing
File.SetAttributes(tempfi.FullName, File.GetAttributes(fileToBeEdited) &
~FileAttributes.ReadOnly);
string strFile = System.IO.File.ReadAllText(fileToBeEdited);
if (strFile.Contains(searchString)) { // <== replaced newString by searchString
strFile = strFile.Replace(searchString, newString);
System.IO.File.WriteAllText(fileToBeEdited, strFile);
myTextBox.Text = "File Changed: " + fileToBeEdited.ToString() +
Environment.NewLine;
}
}
}
也许我正在误读代码,但是您似乎缺少替换!
string strFile = System.IO.File.ReadAllText(fileToBeEdited); //Reads In Text File
if(strFile.Contains(searchString))//If the replacement string is contained in the text file
{
strFile = strFile.Replace(searchString, newString);
....
还请注意我如何检查文件是否包含搜索串,而不是新闻串。
看起来您实际上并不是在更改文件。您正在检查文件中是否包含一个字符串,然后如果是,则将该文件写回。您必须做这样的事情:
private void changeText(string searchString, string newString, FileInfo[] listOfFiles)
{
foreach (FileInfo tempfi in listOfFiles)//Foreach File
{
File.SetAttributes(fileToBeEdited, File.GetAttributes(fileToBeEdited) & ~FileAttributes.ReadOnly); //Remove ReadOnly Property
string strFile = System.IO.File.ReadAllText(fileToBeEdited); //Reads In Text File
if(strFile.Contains(newString))//If the replacement string is contained in the text file
{
strFile = strFile.Replace(searchString,newString); // make the changes
System.IO.File.WriteAllText(fileToBeEdited, strFile); //Write changes to File
myTextBox.Text = "File Changed: " + fileTobeEdited.ToString() + Environment.NewLine; //Notify User
}
}
}
然后,您将能够将更改实际保存到文件中,并且在第一次运行后,新文件将被编写。