Web   ·   Wiki   ·   Activities   ·   Blog   ·   Lists   ·   Chat   ·   Meeting   ·   Bugs   ·   Git   ·   Translate   ·   Archive   ·   People   ·   Donate
summaryrefslogtreecommitdiffstats
path: root/data/GSOC examples/file writing and reading
blob: bc01e01ac625dee2ae25ad906671ed87f291e4eb (plain)
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
import time
import os
import sys

print "This example demonstrates how to create a text file, write something to it and then read what we wrote."

print "What shall we call the file?"
filename = raw_input()

print "Where would you like to store the file? (can be left empty)"
# Practice: Where does the file get stored if we leave this empty?
directory = raw_input()
if len(directory) != 0 and directory[-1] != "/":
    directory = directory + "/"

full_name = directory + filename
if os.path.exists(full_name):
    print "Warning: That file already exists, will be overwritten if you continue!"
    print "Continue? (yes/no)"
    cont = raw_input()
    if cont == "no":
        print "Aborting..."
        sys.exit()
    elif cont != "yes" and cont != "no":
        print "Wrong input, aborting..."
        sys.exit()
    
print "Please enter the text you would like to store."
text = raw_input()

# Let's also write the current time to that file.
# \n is the way of saying "i'm finished with that line, move to the next one."
current_time = time.ctime()

try:
    # Open the file in the "w"rite mode.
    my_file = open(full_name, "w")
    # Write the current time:
    my_file.write("The following text was written at: " + current_time + "\n")
    # Write our text:
    my_file.write(text)
    my_file.write("\n")
    # Close the file.
    my_file.close()
except:
    print "An error occured in the writing phase!"

try:
    # Now lets read from that same file. This is how reading is done.
    # First: Open the file in "r"ead mode.
    my_file = open(full_name, "r")
    # Second: Read from it.
    from_file = my_file.read()
    # Third: Close the file.
    my_file.close()
except:
    print "An error occured in the reading phase!"


# Print what we've read.
print from_file