KEMBAR78
Python Module 4 | PDF | Computer File | Filename
0% found this document useful (0 votes)
161 views12 pages

Python Module 4

Uploaded by

ghthanushkumar
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
161 views12 pages

Python Module 4

Uploaded by

ghthanushkumar
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
You are on page 1/ 12

Introduction to Python Programming (BPLCK205B)

MODULE 4
ORGANIZING FILES
4.1 The shutil Module
1. Explain the functions with example [June/July 2023 (10M)]
i. Shutil.copy ()
ii. Shutil.move()
iii. Shutil.rmtree()
iv. Shutil.copytree()
i. Shutil.copy ()
➢ The shutil module provides functions for copying files, as well as entire folders. Calling
shutil.copy(source, destination) will copy the file at the path source to the folder at the path
destination.
➢ If destination is a filename, it will be used as the new name of the copied file. This function
returns a string of the path of the copied file.

Program:
>>> import shutil, os
>>> os.chdir('C:\\')
u>>> shutil.copy('C:\\spam.txt', 'C:\\delicious')
'C:\\delicious\\spam.txt'
>>> shutil.copy('eggs.txt', 'C:\\delicious\\eggs2.txt')
'C:\\delicious\\eggs2.txt'
➢ The first shutil.copy() call copies the file at C:\spam.txt to the folder C:\delicious. The
return value is the path of the newly copied file. Note that since a folder was specified as the
destination
➢ The original spam.txt filename is used for the new, copied file’s filename. The second
shutil.copy()call also copies the file at C:\eggs.txt to the folder C:\delicious but gives the
copied file the name eggs2.txt.

ii. Shutil.move()
➢ Calling shutil.move(source, destination) will move the file or folder at the path source to
the path destination and will return a string of the absolute path of the new location.

If destination points to a folder, the source file gets moved into destination and keeps
Prof. Jillian Rufus & Prof. Jeevika Mary.A , Dr.TTIT, KGF 4-1
Introduction to Python Programming (BPLCK205B)

its current filename


>>> import shutil
>>> shutil.move('C:\\bacon.txt', 'C:\\eggs')
'C:\\eggs\\bacon.txt'

➢ Assuming a folder named eggs already exists in the C:\ directory, this shutil.move() calls
says, “Move C:\bacon.txt into the folder C:\eggs.”
➢ The destination path can also specify a filename

>>> shutil.move('C:\\bacon.txt', 'C:\\eggs\\new_bacon.txt')


'C:\\eggs\\new_bacon.txt'

iii. Shutil.rmtree()
➢ Calling shutil.rmtree(path) will remove the folder at path, and all files and folders it
contains will also be deleted.
import os
for filename in os.listdir():
if filename.endswith('.rxt'):
os.unlink(filename)
If you had any important files ending with .rxt, they would have been accidentally,
permanently deleted
iv. Shutil.copytree()
➢ The first shutil.copy() call copies the file at C:\spam.txt to the folder C:\delicious. The
return value is the path of the newly copied file. Note that since a folder was specified as the
destination.
➢ The original spam.txt filename is used for the new, copied file’s filename. The second
shutil.copy()call also copies the file at C:\eggs.txt to the folder C:\delicious but gives the
copied file the name eggs2.txt.
Program:
>>> import shutil, os
>>> os.chdir('C:\\')
>>> shutil.copytree('C:\\bacon', 'C:\\bacon_backup')
'C:\\bacon_backup'

Prof. Jillian Rufus & Prof. Jeevika Mary.A , Dr.TTIT, KGF 4-2
Introduction to Python Programming (BPLCK205B)

➢ The shutil.copytree() call creates a new folder named bacon_backup with the same content
as the original bacon folder

2. How to organize a file using shutil.module [Makeup paper Aug 2023-6 M]


➢ The shutil (or shell utilities) module has functions to let you copy, move, rename, and
delete files in your Python programs
Copying Files and Folders
➢ The shutil module provides functions for copying files, as well as entire folders. Calling
shutil.copy(source, destination) will copy the file at the path source to the folder at the path
destination.
➢ If destination is a filename, it will be used as the new name of the copied file. This function
returns a string of the path of the copied file.

Program:
>>> import shutil, os
>>> os.chdir('C:\\')
u>>> shutil.copy('C:\\spam.txt', 'C:\\delicious')
'C:\\delicious\\spam.txt'
>>> shutil.copy('eggs.txt', 'C:\\delicious\\eggs2.txt')
'C:\\delicious\\eggs2.txt'
➢ The first shutil.copy() call copies the file at C:\spam.txt to the folder C:\delicious. The
return value is the path of the newly copied file. Note that since a folder was specified as the
destination
➢ The original spam.txt filename is used for the new, copied file’s filename. The second
shutil.copy() call also copies the file at C:\eggs.txt to the folder C:\delicious but gives the
copied file the name eggs2.txt.

Program:
>>> import shutil, os
>>> os.chdir('C:\\')
>>> shutil.copytree('C:\\bacon', 'C:\\bacon_backup')
'C:\\bacon_backup'
➢ The shutil.copytree() call creates a new folder named bacon_backup with the same content
as the original bacon folder

Prof. Jillian Rufus & Prof. Jeevika Mary.A , Dr.TTIT, KGF 4-3
Introduction to Python Programming (BPLCK205B)

Moving and Renaming Files and Folders


➢ Calling shutil.move (source, destination) will move the file or folder at the path source to
the path destination and will return a string of the absolute path of the new location.
➢ If destination points to a folder, the source file gets moved into destination and keeps its
current filename
>>> import shutil
>>> shutil.move('C:\\bacon.txt', 'C:\\eggs')
'C:\\eggs\\bacon.txt'
➢ Assuming a folder named eggs already exists in the C:\ directory, this shutil.move() calls
says, “Move C:\bacon.txt into the folder C:\eggs.”
➢ The destination path can also specify a filename

4.2 Permanently Deleting Files and Folders


3. Explain permanent delete and safe delete with a suitable python program
[Makeup paper Aug 2023-10M]
➢ You can delete a single file or a single empty folder with functions in the os module,
Where as to delete a folder and all of its contents, you use the shutil module. Calling
os.unlink(path) will delete the file at path.
➢ Calling os.rmdir(path) will delete the folder at path. This folder must be empty of any
files or folders
➢ Calling shutil.rmtree(path) will remove the folder at path, and all files and folders it
contains will also be deleted.

import os
for filename in os.listdir():
if filename.endswith('.rxt'):
os.unlink(filename)

Safe Deletes with the send2trash Module


➢ Since Python’s built-in shutil.rmtree() function irreversibly deletes files and folders, it can
be dangerous to use.
➢ A much better way to delete files and folders is with the third-party send2trash Module.
➢ You can install this module by running pip install send2trash from a Terminal Window

Prof. Jillian Rufus & Prof. Jeevika Mary.A , Dr.TTIT, KGF 4-4
Introduction to Python Programming (BPLCK205B)

➢ Using send2trash is much safer than Python’s regular delete functions, because it will
send folders and files to your computer’s trash or recycle bin instead of permanently deleting
them.

>>> import send2trash


>>> baconFile = open('bacon.txt', 'a') # creates the file
>>> baconFile.write('Bacon is not a vegetable.')
25
>>> baconFile.close()
>>> send2trash.send2trash('bacon.txt')

4.3 Assertions
4. Explain the role of assertions in python with a suitable program
[June/July 2023 (5M)]
➢ An assertion is a sanity check to make sure your code isn’t doing something obviously
wrong.
➢ These sanity checks are performed by assert statements. If the sanity check fails, then an
AssertionError exception is raised.
➢ Assert statement consists of the following:
➢ The assert keyword
• A condition (that is, an expression that evaluates to True or False)
• A comma
• A string to display when the condition is False

➢ For example,
>>>ages=[26,57,92,54,22,15,17,80,47,73]
>>>ages.sort()
>>>ages
[15, 17, 22, 26, 47, 54, 57, 73, 80, 92]
>>>assert
ages[0]<=ages[-1] # assert that the first age is <= the last age
The assert statement here asserts that the first item is ages should be less than or equal to last one

Prof. Jillian Rufus & Prof. Jeevika Mary.A , Dr.TTIT, KGF 4-5
Introduction to Python Programming (BPLCK205B)

4.4 Logging

5. Explain the support for logging with logging module [June/July 2023 (6 M)]
➢ Logging is a great way to understand what’s happening in your program and in what order
its happening.
➢ Python’s logging module makes it easy to create a record of custom messages that you
write.
➢ These log messages will describe when the program execution has reached the logging
function call and list any variables you have specified at that point in time.
➢ On the other hand, a missing log message indicates a part of the code was skipped and
never executed.

Using the logging Module

➢ To enable the logging module to display log messages on your screen as your program
runs, import logging

logging.basic Config(level=logging.DEBUG, format='%(asctime)s-%(levelname)s


%(message)s')
➢ when Python logs an event, it creates a LogRecord object that holds information about
that event
➢ The logging module’s basicConfig() function lets you specify what details about the Log
Record object you want to see and how you want those details displayed

6. Describe the concept of logging. Also discuss the levels of logging


[Makeup paper Aug 2023-7 M]
➢ Logging levels provide a way to categorize your log messages by importance. There are
five logging levels Messages can be logged at each level using a different logging function.

Prof. Jillian Rufus & Prof. Jeevika Mary.A , Dr.TTIT, KGF 4-6
Introduction to Python Programming (BPLCK205B)

Level Logging Function Description


The lowest level. Used for small details. Usually you care
DEBUG logging.debug()
about these messages only when diagnosing problems.
Used to record information on general events in your
INFO logging.info() program or confirm that things are working at their point
in the program.
Used to indicate a potential problem that doesn’t prevent
WARNING logging.warning()
the program from working but might do so in the future.
Used to record an error that caused the program to fail to
ERROR logging.error()
do something.
The highest level. Used to indicate a fatal error that has
CRITICAL logging.critical() caused or is about to cause the program to stop running
entirely.

4.5 Getting the Traceback as a String


7. What is traceback? Explain with example [June/July 2023 (6 M)]
➢ When Python encounters an error, it produces a treasure trove of error information called
the traceback.
➢ The traceback includes the error message, the line number of the line that caused the error,
and the sequence of the function calls that led to the error.
def sp
bacon()
def bacon():
raise Exception('This is the error message.')
spam()
Output:
Traceback (most recent call last):
File "errorExample.py", line 7, in <module>
spam()
File "errorExample.py", line 2, in spam
bacon()
File "errorExample.py", line 5, in bacon
raise Exception('This is the error message.')
Exception: Thisisthe error message.
Prof. Jillian Rufus & Prof. Jeevika Mary.A , Dr.TTIT, KGF 4-7
Introduction to Python Programming (BPLCK205B)

➢ The traceback is displayed by Python whenever a raised exception goes unhandled


➢ But you can also obtain it as a string by calling traceback.format_exc(). This function is
useful if you want the information from an exception’s traceback but also want an except
statement to gracefully handle the exception.

➢ For example,
>>> import traceback
>>> try:
raise Exception('This is the error message.')
except:
errorFile = open('errorInfo.txt', 'w')
errorFile.write(traceback.format_exc())
errorFile.close()
print('The traceback info was written to errorInfo.txt.')
116

The traceback info was written to errorInfo.txt. The 116 is the return value from the write()
method, since 116 characters were written to the file
Traceback
File "<pyshell#28>", line 2, in <mo
Exception: This is the error message.

4.6 Walking a Directory Tree

8. Explain a directory tree in detail and write python program to display all the folders,
subfolders, subfolders and file names [June/July 2023 (10 M)]

➢ If you want to rename every file in some folder and also every file in every subfolder of
that folder.
➢ That is, you want to walk through the directory tree, touching each file as you go.
➢ Writing a program to do this could get tricky; fortunately, Python provides a function to
handle this process for you.

Prof. Jillian Rufus & Prof. Jeevika Mary.A , Dr.TTIT, KGF 4-8
Introduction to Python Programming (BPLCK205B)

Fig.4.1 : An example folder that contains three folders and four file
import os
for folderName, subfolders, filenames in os.walk('C:\\delicious'):
print('The current folder is ' + folderName)
for subfolder in subfolders:
print('SUBFOLDER OF ' + folderName + ': ' + subfolder)
for filename in filenames:
print('FILE INSIDE ' + folderName + ': '+ filename)
print('')
➢ The os.walk() function is passed a single string value: the path of a folder. You can use
os.walk() in a for loop statement to walk a directory tree, much like how you can use the
range() function to walk over a range of numbers.
➢ Unlike range(), the os.walk() function will return three values on each iteration through
the loop:
1. A string of the current folder’s name
2. A list of strings of the folders in the current folder
3. A list of strings of the files in the current folder

9. Develop a program to backing up a given folder into a zip file by using relevant
modules and suitable methods [June/July 2023 (10 M)]

Prof. Jillian Rufus & Prof. Jeevika Mary.A , Dr.TTIT, KGF 4-9
Introduction to Python Programming (BPLCK205B)

Program
import zipfile, os
def backupToZip(folder):
folder = os.path.abspath(folder)
number = 1
while True:
zipFilename = os.path.basename(folder) + '_' + str(number) + '.zip'
if not os.path.exists(zipFilename):
break
number = number + 1
print('Creating %s...' % (zipFilename))
backupZip = zipfile.ZipFile(zipFilename, 'w')
for foldername, subfolders, filenames in os.walk(folder):
print('Adding files in %s...' % (foldername))
backupZip.write(foldername)
for filename in filenames:
newBase = os.path.basename(folder)
if filename.startswith(newBase) and filename.endswith('.zip'):
continue
backupZip.write(os.path.join(foldername, filename))
backupZip.close()
print('Done.')
# Main Program
backupToZip(r'C:\Users\Sathish\Desktop\bb')

Output:
Done.

10. Write a function named DivExp which takes TWO parameters a, b and returns a
value c (c=a/b). Write suitable assertion for a>0 in function DivExp and raise an
exception for when b=0. Develop a suitable program which reads two values from the
console and calls a function DivExp. [June/July 2023 (10 M)]

Prof. Jillian Rufus & Prof. Jeevika Mary.A , Dr.TTIT, KGF 4-10
Introduction to Python Programming (BPLCK205B)

Program:
def DivExp(a,b):
try:
c=a/b
except ZeroDivisionError:
print('Error: Division by zero')
else:
return c
a = int(input('Enter the Divident value of \'a\': '))
b = int(input('Enter the Divisor value of \'b\': '))
d=DivExp(a,b)
if d is not None:
print('The result of division is: ', d)
else:
print('The result of division is: infinity')
Output:
Enter the Divident value of 'a': 10
Enter the Divisor value of 'b': 0
Error: Division by zero
The result of division is: infinity

Prof. Jillian Rufus & Prof. Jeevika Mary.A , Dr.TTIT, KGF 4-11
Introduction to Python Programming (BPLCK205B)

Question Bank
1. Explain the functions with example (8M)
i. Shutil.copy ()
ii. Shutil.move()
iii. Shutil.rmtree()
iv. Shutil.copytree()
2. How to organize a file using shutil.module? (5M)
3. Explain permanent delete and safe delete with a suitable python program (6M)
4. Explain the role of assertions in python with a suitable program (6M)
5. Explain the support for logging with logging module (5M)
6. Describe the concept of logging. Also discuss the levels of logging(6M)
7. What is traceback? Explain with example (5M)
8. Explain a directory tree in detail and write python program to display all the folders,
subfolders, subfolders and file names (10M)
9. Develop a program to backing up a given folder into a zip file by using relevant modules
and suitable methods (10M)
10. Write a function named DivExp which takes TWO parameters a, b and returns a value c
(c=a/b). Write suitable assertion for a>0 in function DivExp and raise an exception for
when b=0. Develop a suitable program which reads two values from the console and calls
a function DivExp. (10M)

Prof. Jillian Rufus & Prof. Jeevika Mary.A , Dr.TTIT, KGF 4-12

You might also like