-------------------------------------------------------------------------------- code1: using System; using System.IO; class Test { public static void Main() { FileInfo fi = new FileInfo(@"c:\temp\MyTest.txt"); // This text is added only once to the file. if (!fi.Exists) { //Create a file to write to. using (StreamWriter sw = fi.CreateText()) { sw.WriteLine("Hello"); sw.WriteLine("And"); sw.WriteLine("Welcome"); } } // This text will always be added, making the file longer over time // if it is not deleted. using (StreamWriter sw = fi.AppendText()) { sw.WriteLine("This"); sw.WriteLine("is Extra"); sw.WriteLine("Text"); } //Open the file to read from. using (StreamReader sr = fi.OpenText()) { string s = ""; while ((s = sr.ReadLine()) != null) { Console.WriteLine(s); } } } } -------------------------------------------------------------------------------- code2: using System; using System.IO; public class AppendTextTest { public static void Main() { // Create a reference to a file, which might or might not exist. // If it does not exist, it is not yet created. FileInfo fi = new FileInfo("temp.txt"); // Create a writer, ready to add entries to the file. StreamWriter sw = fi.AppendText(); sw.WriteLine("Add as many lines as you like..."); sw.WriteLine("Add another line to the output..."); sw.Flush(); sw.Close(); // Get the information out of the file and display it. // Remember that the file might have other lines if it already existed. StreamReader sr = new StreamReader(fi.OpenRead()); while (sr.Peek() != -1) Console.WriteLine( sr.ReadLine() ); } }