Hello, There are many amazing things you can do with an application,
but one of the most useful is to interact with the user's files. Most programs
store data in files, and this can be used for numerous reasons.
Here we are using the .NET Framework (I use v3.5). First, add the following statement to the top of the code file, next to the other "using" statements:
Here we are using the .NET Framework (I use v3.5). First, add the following statement to the top of the code file, next to the other "using" statements:
Code:
using
System.IO;
The .NET Framework provides a
namespace for working with the data - System.IO (short for Input/Output). Now -
on to reading the most basic of files - the text file!
Writing Data
It is easier to write data to a file. Here's what you do:
We use a StreamWriter class (in the System.IO namespace) to write the data:
Writing Data
It is easier to write data to a file. Here's what you do:
We use a StreamWriter class (in the System.IO namespace) to write the data:
Code:
string
path = @"C:\myfile.txt";
StreamWriter
sw = new StreamWriter(path)
The object is not static - you
create a new object (which we here call "sw"), and use the
constructor to choose a file. Replace the string "path" with your
desired path - and don't forget to include the @ symbol, otherwise C#
interprets the backslashes as escape sequences. Next, is the easy part:
Code:
string
bufferOne = "This is text 1.";
string
bufferTwo = "This is text 2.";
sw.Write(bufferOne);
sw.Write(bufferTwo);
This writes the following text to the text file:
This is text 1.This is text 2.
If we wanted to have the text on
separate lines, we could instead use:
Code:
sw.WriteLine(bufferOne);
sw.WriteLine(bufferTwo);
This produces the following result in the text file:
This is text 1.
This is text 2.
This is text 2.
It depends on the situation as to
which method to use. However, you must use whichever one is most appropriate
for the situation.
At the end, we must finish off by closing and unreferencing the StreamWriter object. If you do not call Close(), the code may not work:
At the end, we must finish off by closing and unreferencing the StreamWriter object. If you do not call Close(), the code may not work:
Code:
sw.Close();
sw.Dispose();
And that's
all there is to it! Remember that you do not have to pass a string in to the
Write() or WriteLine() - the method is overloaded, so you can use many data
types, including char, byte, int and even boolean.
No comments:
Post a Comment