Objective
In this unit, we will explore file operations in Python, including reading and writing data to files in various formats, such as plain text and CSV (Comma Separated Values). By the end of this unit, you will understand how to handle files in Python, read and write data, and work with CSV files.
Understanding File Operations: Read, Write, Append
File operations are essential for many applications, as they allow programs to
persist data between sessions, share data with other programs, and more. Python
provides built-in functions to handle file operations, including reading
(read
), writing (write
), and appending (append
).
Reading Data from a File
To read data from a file, you first need to open the file using the open
function, specifying the file's path and the mode 'r'
for reading.
Here's an example:
file = open('myfile.txt', 'r')
content = file.read()
print(content)
file.close()
Writing Data to a File
To write data to a file, you can use the open
function with the mode
'w'
for writing. If the file does not exist, it will be created. If it does
exist, the existing content will be overwritten:
file = open('myfile.txt', 'w')
file.write('Hello, World!')
file.close()
Appending Data to a File
To add data to an existing file without overwriting its content, you can use
the mode 'a'
for appending:
file = open('myfile.txt', 'a')
file.write('\nAppended text.')
file.close()
What are CSV Files?
CSV files are a common format for storing tabular data, where each line represents a row, and values are separated by commas. CSV files are widely used for data exchange between applications that use different data formats.
Reading CSV Files
Python provides the csv
module to work with CSV files.
Here's an example of reading a CSV file:
import csv
with open('data.csv', 'r') as file:
reader = csv.reader(file)
for row in reader:
print(row)
Writing Data to a CSV File
You can also write data to a CSV file using the csv.writer
object:
import csv
data = [['Name', 'Age'], ['Alice', 30], ['Bob', 25]]
with open('data.csv', 'w', newline='') as file:
writer = csv.writer(file)
writer.writerows(data)
Project: Create a Turtle Program with Save and Restore Functionality
In this project, you'll create a program where the turtle moves in response to
user events such as key presses and mouse clicks. The program will save the
drawing when s
is pressed and loads the last saved drawing when l
is
pressed.
import turtle
import csv
# Create a new turtle screen and set its background color
screen = turtle.Screen()
screen.bgcolor("white")
# Initialize a turtle object
t = turtle.Turtle()
# List to store coordinates
coordinates = []
# Functions to move the turtle
def move_forward():
t.forward(100)
coordinates.append((t.xcor(), t.ycor()))
def move_backward():
t.backward(100)
coordinates.append((t.xcor(), t.ycor()))
def turn_left():
t.left(90)
def turn_right():
t.right(90)
def move_to(x, y):
t.goto(x, y)
coordinates.append((x, y))
def save_coordinates():
with open('drawing.csv', 'w', newline='') as file:
writer = csv.writer(file)
writer.writerows(coordinates)
print("Coordinates saved!")
def load_drawing():
t.reset()
coordinates.clear()
with open('drawing.csv', 'r') as file:
reader = csv.reader(file)
for row in reader:
x, y = map(float, row)
t.goto(x, y)
coordinates.append((x, y))
print("Drawing loaded!")
# Bind the functions to the arrow keys
screen.onkey(move_forward, "Up")
screen.onkey(move_backward, "Down")
screen.onkey(turn_left, "Left")
screen.onkey(turn_right, "Right")
screen.onkey(save_coordinates, "s")
screen.onkey(load_drawing, "l")
# Bind the function to mouse clicks
screen.onscreenclick(move_to)
# Start listening for key presses and mouse clicks
screen.listen()
# Wait until the window is closed
turtle.done()
The code begins by setting up the turtle environment, including the screen and
the turtle object itself. It also initializes an empty list called coordinates
to store the x and y coordinates of the turtle's path. The main part of the code
defines several functions to control the turtle's movement, including moving
forward, backward, turning left, and turning right. Each of these functions
also appends the current coordinates of the turtle to the coordinates
list,
allowing the program to keep track of the turtle's path.
In addition to the movement functions, the code also includes two functions for
saving and loading the turtle's drawing. The save_coordinates
function writes
the contents of the coordinates
list to a CSV file (called "drawing.csv"),
effectively saving the drawing. The load_drawing
function reads the coordinates
from the CSV file and uses the turtle's goto
method to recreate the drawing
on the screen. The turtle's drawing can be saved at any time by pressing
the "s" key, and a previously saved drawing can be loaded by pressing the "l" key.
Finally, the code binds the various functions to specific keys and mouse events
using the turtle library's onkey
and onscreenclick
methods. This allows the
user to control the turtle using the arrow keys and mouse, and to save and load
drawings using the "s" and "l" keys. The screen.listen()
method is called to
start listening for these events, and the program continues running until the
turtle window is closed, allowing the user to create, save, and load drawings
as desired.
In the next unit, we'll delve into the basics of Object-Oriented Programming (OOP), a powerful programming paradigm that allows you to create reusable and maintainable code.