blob: a1a3fc60f0fb341497f05487ab9466554a003f36 (
plain) (
blame)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
|
using System;
using System.Collections.Generic;
using System.Text;
using System.IO;
namespace CustomerMaintenance
{
public static class CustomerDB
{
private const string dir = @"C:\C#\Files\";
private const string path = dir + "Customers.txt";
public static void SaveCustomers(List<Customer> customers)
{
// create the output stream for a text file that exists
StreamWriter textOut =
new StreamWriter(
new FileStream(path, FileMode.Create, FileAccess.Write));
// write each customer
foreach (Customer customer in customers)
{
textOut.Write(customer.FirstName + "|");
textOut.Write(customer.LastName + "|");
textOut.WriteLine(customer.Email);
}
// write the end of the document
textOut.Close();
}
public static List<Customer> GetCustomers()
{
// if the directory doesn't exist, create it
if (!Directory.Exists(dir))
Directory.CreateDirectory(dir);
// create the object for the input stream for a text file
StreamReader textIn =
new StreamReader(
new FileStream(path, FileMode.OpenOrCreate, FileAccess.Read));
// create the array list for customers
List<Customer> customers = new List<Customer>();
// read the data from the file and store it in the ArrayList
while (textIn.Peek() != -1)
{
string row = textIn.ReadLine();
string[] columns = row.Split('|');
Customer customer = new Customer();
customer.FirstName = columns[0];
customer.LastName = columns[1];
customer.Email = columns[2];
customers.Add(customer);
}
textIn.Close();
return customers;
}
}
}
|