0% found this document useful (0 votes)
2 views14 pages

Python Unit - 2

File objects in Python represent files and allow operations like reading, writing, and modifying file contents via methods such as .read(), .write(), and .close(). The open() function is used to create file objects, with parameters defining the file path and mode (e.g., read, write, append). Python also provides modules for file system interaction, persistent storage, exception handling, and organizing code into modules and packages.

Uploaded by

charanxwb
Copyright
© © All Rights Reserved
Available Formats
Download as DOCX, PDF, TXT or read online on Scribd
Download as docx, pdf, or txt
0% found this document useful (0 votes)
2 views14 pages

Python Unit - 2

File objects in Python represent files and allow operations like reading, writing, and modifying file contents via methods such as .read(), .write(), and .close(). The open() function is used to create file objects, with parameters defining the file path and mode (e.g., read, write, append). Python also provides modules for file system interaction, persistent storage, exception handling, and organizing code into modules and packages.

Uploaded by

charanxwb
Copyright
© © All Rights Reserved
Available Formats
Download as DOCX, PDF, TXT or read online on Scribd
Download as docx, pdf, or txt
Download as docx, pdf, or txt
You are on page 1/ 14

1.

What are file objects in Python and how do they interact with

files? Answer:

 File objects in Python are representations of files that allow interaction with files on the file
system. When a file is opened using Python's built-in open() function, it returns a file
object.

 File objects enable the user to perform various operations like reading, writing,
and modifying the contents of a file.

 File objects provide an abstraction layer between Python code and the underlying
file system, allowing Python programs to manipulate file contents without needing
to understand the file system’s low-level details.

 There are several methods associated with file objects that make it easier to
perform common tasks.

Key Methods:

o .read(size): Reads the entire file or the specified number of bytes from the file.

o .readline(): Reads the next line from the file, useful for line-by-line file reading.

o .write(data): Writes a string or bytes to the file.

o .seek(offset): Moves the file pointer to the given position.

o .tell(): Returns the current position of the file pointer.

o .flush(): Forces the internal buffer to be written to the file.

File Modes:

o r: Opens the file in read mode (default).

o w: Opens the file in write mode, creating a new file or truncating an existing one.

o a: Opens the file in append mode, adding data to the end of the file.

o rb: Opens the file in binary read mode.

o wb: Opens the file in binary write mode.

Code Example:

python

CopyEdit

# Opening a file in write mode

file = open("example.txt", "w")

file.write("Hello, Python!") # Writing to the file


file.close() # Closing the file after writing

 In the code example above, the file "example.txt" is opened in write mode (w). The
write() method writes the string to the file, and close() ensures that the file is properly
closed to save changes.

2. What is the open() function, and what are its

parameters? Answer:

 The open() function is used to open a file and returns a corresponding file object. It
is essential for interacting with files in Python.

Syntax of open():

python

CopyEdit

open(file, mode, buffering, encoding, errors, newline, closefd, opener)

o file: Specifies the path to the file (either relative or absolute path).

o mode: Defines the mode in which the file should be opened. Common
modes include:

 'r': Read (default mode, opens a file for reading).

 'w': Write (opens a file for writing, creates it if it doesn’t exist).

 'a': Append (opens a file for appending, creates it if it doesn’t exist).

 'b': Binary (used in conjunction with other modes like 'rb' for reading
binary files).

 'x': Exclusive creation (opens a file for exclusive creation, failing if the
file already exists).

o buffering: Determines if buffering is used, typically set to -1 for default


buffering behavior.

o encoding: Specifies the encoding to be used, such as 'utf-8'.

o errors: Defines how encoding errors are handled (e.g., 'ignore' or 'strict').

o newline: Controls the handling of newlines. If not specified, Python uses


default platform-specific behavior.

o closefd: This is a boolean argument (defaults to True), which controls whether


the underlying file descriptor is closed when the file object is closed.

o opener: This is an advanced argument used to specify a custom file opener.

Code Example:

python
CopyEdit

# Opening a file in read mode

file = open("example.txt", "r")

content = file.read() # Reading the entire file

print(content)

file.close() # Always close the file after use

o In this example, open() is used with mode 'r' (read mode) to open "example.txt".
The read() method reads the entire contents of the file into the variable content.
Finally, close() is called to ensure the file is properly closed, preventing potential file
leaks or issues.

3. What are the built-in methods and attributes for file objects in

Python? Answer:

 File objects have several useful methods that make working with files efficient. Below
are the most commonly used file methods:

o read(size): Reads up to the specified number of bytes. If no size is provided, it


reads the entire file.

o readline(): Reads one line at a time from the file. This method is useful
for processing large files line by line.

o write(data): Writes data to the file. It can write strings or binary data, depending
on the mode.

o writelines(lines): Writes a list of lines to the file. Each line in the list must include
the newline character \n.

o seek(offset): Moves the file pointer to a specific position (offset) in the file. This
is useful for reading or writing at specific points in the file.

o tell(): Returns the current position of the file pointer, useful for determining
how much of the file has been read or written.

o flush(): Forces the internal buffer to be written to the disk, useful for
ensuring changes are saved immediately.

o close(): Closes the file object, ensuring all resources are released and any
buffered content is written to the file.

File Object Attributes:

o name: Returns the name of the file.

o mode: Returns the mode in which the file was opened.

o closed: Returns True if the file is closed, False otherwise.


Code Example:

python

CopyEdit

# Opening a file to read and print attributes file =

open("example.txt", "r") print(file.name) #

Prints the file name print(file.mode) # Prints

the file mode (r)

print(file.closed) # Prints False because the file is still open

file.close() # Closing the file

Output:

python

CopyEdit

example.txt

False

o Explanation: The name, mode, and closed attributes provide metadata about the
file object. These can help in debugging or tracking the file state during execution.

4. Explain command-line arguments and how Python handles them.

Answer:

 Command-line arguments allow users to pass information to Python scripts when


executing them from the terminal or command prompt. Python provides the sys module to
access these arguments.

Accessing Command-line Arguments:

o Command-line arguments are passed as a list in sys.argv, where:

 sys.argv[0]: The script name.

 sys.argv[1:]: Additional arguments passed by the user.

sys.argv is a list that stores all the command-line arguments. By default, the first element (sys.argv[0]) is
the name of the script itself. Any other arguments passed in the terminal are stored as elements in
the list.

Example Command:

bash CopyEdit
python script.py arg1 arg2

Code Example:

python

CopyEdit

import sys

# Accessing command-line arguments

if len(sys.argv) > 1:

print(f"Arguments passed:

{sys.argv[1:]}") else:

print("No arguments passed.")

Example Output:

bash

CopyEdit

Arguments passed: ['arg1', 'arg2']

o This program checks if any arguments are passed; if so, it prints them. Otherwise,
it prints a message stating that no arguments were passed.

5. Explain how Python handles file systems and

directories. Answer:

 Python provides several built-in modules for working with file systems, such as os,
os.path, and shutil, which enable users to interact with the file system and directories.

Common File System Operations:

o os.getcwd(): Returns the current working directory.

o os.chdir(path): Changes the current working directory to the specified path.

o os.listdir(path): Lists all files and directories in the specified directory.

o os.mkdir(path): Creates a new directory.

o os.remove(path): Removes a file.

o os.rmdir(path): Removes a directory (must be empty).

shutil module provides higher-level operations:

o shutil.copy(src, dst): Copies a file from source to destination.

o shutil.move(src, dst): Moves a file or directory.

o shutil.rmtree(path): Recursively removes a directory and its contents.


Code Example:

python

CopyEdit

import os

# Get current working directory

print(os.getcwd())

# List files in a directory

print(os.listdir('.')) # List files in the current directory

o These functions allow easy manipulation of the file system, such as


creating, removing, and navigating directories or copying files.

6. What are persistent storage modules in Python, and which are commonly

used? Answer:

 Persistent storage refers to saving data that outlives the program’s execution. Python
provides several modules to work with persistent storage, allowing data to be stored
and retrieved later, even after a program terminates.

Common Persistent Storage Modules:

o pickle: Allows Python objects to be serialized (converted into a byte stream) and
saved to a file. It also provides functionality to load the data back from the file into
the program. This is useful for saving objects like dictionaries, lists, and other
custom data structures.

o json: Works similarly to pickle but stores data in a human-readable format (JSON).
It is often used for exchanging data between different systems, such as web APIs.

o shelve: A high-level module that combines dictionary-like storage with the ability
to persistently store objects. It's part of the dbm module and is best used for
simple database-like functionality.

Code Example Using pickle:

python CopyEdit

import pickle

# Save data to a file


data = {'name': 'Alice', 'age': 25}

with open('data.pkl', 'wb') as file:

pickle.dump(data, file)

# Load data from the file

with open('data.pkl', 'rb') as file:

loaded_data = pickle.load(file)

print(loaded_data) # Output: {'name': 'Alice', 'age': 25}

Code Example Using json:

python

CopyEdit

import json

# Save data to a file

data = {'name': 'Bob', 'age': 30}

with open('data.json', 'w') as file:

json.dump(data, file)

# Load data from the file

with open('data.json', 'r') as file:

loaded_data = json.load(file)

print(loaded_data) # Output: {'name': 'Bob', 'age': 30}

Explanation:

o pickle: This method is useful when you want to store Python-specific objects
(like dictionaries or lists) and retrieve them later.

o json: Ideal for saving data that may be exchanged with other
programming languages or systems, as JSON is widely supported.

7. Explain the concept of exceptions in Python and how Python handles

them. Answer:
 Exceptions are runtime errors that occur during program execution. Python uses
exceptions to handle errors in a way that allows the program to continue running or fail
gracefully, rather than crashing outright.

o Types of Exceptions:

 Built-in exceptions: Python has a range of built-in exceptions


like FileNotFoundError, ValueError, IndexError, etc.

 User-defined exceptions: You can create custom exceptions by


inheriting from the base Exception class.

Handling Exceptions:

o Try-Except Block: In Python, exceptions are handled using the try-except block,
which attempts to execute code in the try block, and if an error occurs, it is caught
by the except block.

Syntax:

python

CopyEdit

try:

# code that may raise an exception

except ExceptionType as e:

# code to handle the exception

o Else and Finally:

 The else block runs if no exception is raised.

 The finally block runs regardless of whether an exception was raised or


not, typically used for cleanup operations.

Code Example:

python

CopyEdit

try:

num = int(input("Enter a number: "))

print(f"Number entered: {num}")

except ValueError:

print("Invalid input! Please enter a valid number.")

o In this example, if the user enters a non-numeric input, a ValueError is raised,


and the except block catches it and prints an error message.

Raising Exceptions:
o Python also allows you to raise exceptions manually using the raise keyword.

python

CopyEdit

raise ValueError("This is a custom error message.")

o This is useful when you want to enforce specific conditions or validate inputs in
your programs.

8. What are assertions in Python, and how are they

used? Answer:

 Assertions are a debugging tool in Python used to test if a condition in the code evaluates
to True. If the condition evaluates to False, the program will raise an AssertionError,
providing an optional error message.

Syntax:

python

CopyEdit

assert condition, "Error message"

o Assertions are typically used for sanity checks and validation during development.

Code Example:

python

CopyEdit

age = -5

assert age >= 0, "Age cannot be negative" # This will raise an AssertionError

o If the age is less than 0, the program raises an AssertionError with the message
"Age cannot be negative".

Use Case:

o Assertions are typically used for conditions that should always be true during
development, helping detect bugs early. However, assertions are disabled if
Python is run with the -O (optimize) flag.

Important Note: While assertions can be useful, they are not a substitute for proper exception
handling and should not be used to manage expected errors in production code.

9. What are standard exceptions in Python, and how are they

handled? Answer:
 Standard exceptions are predefined errors in Python that occur when something goes
wrong during program execution. These are part of the built-in exception hierarchy in
Python.

Common Standard Exceptions:

o IndexError: Raised when trying to access an index that is out of range in a list
or other indexable object.

o KeyError: Raised when trying to access a dictionary with a key that doesn't exist.

o TypeError: Raised when an operation or function is applied to an object


of inappropriate type.

o ValueError: Raised when a function receives an argument of the correct type but
an inappropriate value.

o FileNotFoundError: Raised when attempting to open a file that doesn't exist.

Handling Standard Exceptions: Standard exceptions are handled using the try-except block, where
specific exception types are caught and handled accordingly.

Code Example:

python

CopyEdit

try:

num = int(input("Enter a number: "))

result = 10 / num

except ZeroDivisionError:

print("Error: Cannot divide by zero.")

except ValueError:

print("Error: Invalid input. Please enter a valid number.")

o In this example, we handle two standard exceptions: ZeroDivisionError (if the


user enters zero) and ValueError (if the input is not a number).

10. What is the purpose of modules and packages in Python, and how are they

used? Answer:

 Modules in Python are files containing Python code that define functions, classes, and
variables. Modules help organize code logically and can be reused across multiple
programs.

o Creating a Module: A Python file (.py) can be considered a module, and


the functions or classes inside the file can be imported into other Python
files.

Example of Creating a Module:

python
CopyEdit

# mymodule.py

def greet(name):

print(f"Hello, {name}!")

 Importing Modules:

o Modules can be imported using the import statement. The imported


module becomes available in the current namespace.

Code Example:

python

CopyEdit

import mymodule # Importing a module

mymodule.greet("Alice") # Calling a function from the module

 Packages are collections of related modules. A package is simply a directory


containing multiple modules and an init .py file, which can contain initialization
code for the package.

Creating a Package:

plaintext

CopyEdit

mypackage/

├── init .py

├── module1.py

└── module2.py

o Packages allow for organizing large codebases by grouping related functionality.

Code Example for Importing from a Package:

python

CopyEdit

from mypackage import module1

module1.function_from_module1()

o Packages and modules are essential for code reusability, maintainability,


and structuring larger projects.
Buffer Question 1: How do Python modules and file objects work together to provide functionality
for reading from and writing to files?

Answer: In Python, modules and file objects work together to handle file operations efficiently. The
core module for file handling is open(), which is used to create a file object. This file object allows for
reading, writing, and other file operations.

 open() function: Opens a file and returns a file object. The function requires parameters
such as the file path and mode ('r', 'w', 'a').

Code Example:

python

CopyEdit

file = open("example.txt", "w") # Opens file in write mode

file.write("Hello, world!") # Write data

file.close() # Close the file

 File Object Methods: Once the file is opened, methods like .read(), .write(), and
.readline() are used to read or write data.

Code Example:

python

CopyEdit

file = open("example.txt", "r") # Opens file in read mode content =

file.read() # Read all content

print(content)

file.close()

 Persistence with pickle or json: For saving Python objects or structured data, modules
like pickle or json can be used to store data in a file and retrieve it later.

Code Example (pickle):

python CopyEdit

import pickle

data = {'name': 'Alice', 'age': 30}

with open('data.pkl', 'wb') as f:

pickle.dump(data, f)

 File System Management with os and shutil: The os module helps with file path
manipulation and checking file existence, while shutil aids in file copying, moving,
and deleting.
Code Example (shutil):

python CopyEdit

import shutil

shutil.copy("example.txt", "backup.txt")

In essence, Python provides a combination of functions and modules to handle file operations,
ensuring flexibility, persistence, and file system manipulation.

Buffer Question 2: What role do exceptions play in Python, and why is it important to handle them
properly in a file-handling context?

Answer: Exceptions in Python handle runtime errors, allowing the program to manage unexpected
situations without crashing. Proper handling is crucial, especially in file operations where issues
like missing files, permission errors, or reading/writing issues can arise.

 Purpose of Exceptions: They allow the program to detect and handle errors gracefully. In
file handling, exceptions prevent the program from abruptly terminating when issues like
missing files (FileNotFoundError) or permission issues (PermissionError) occur.

Code Example:

python

CopyEdit

try:

file = open("example.txt", "r")

content = file.read()

except FileNotFoundError:

print("File does not exist.")

except PermissionError:

print("No permission to open the file.")

finally:

file.close()

 Common Exceptions:

o FileNotFoundError: Raised when trying to open a non-existent file.

o PermissionError: Raised when the program lacks access rights.

o IOError: For I/O operations that fail during reading or writing.


 Raising Exceptions: You can manually raise exceptions when custom conditions aren’t
met (using raise), ensuring that the program stops or handles errors at specific points.

Code Example:

python

CopyEdit

if not os.path.exists("example.txt"):

raise FileNotFoundError("The file doesn't exist.")

 Why Handling is Important: If errors are not properly handled, the program may crash,
leading to data loss or unhandled failures. For example, in file handling, forgetting to close
a file after an operation can lead to resource leakage, and proper exception handling
ensures that resources are freed in case of errors.

Handling exceptions properly allows the program to operate smoothly and handle problems like
missing files or permission issues without unexpected crashes, making it critical in file operations.

You might also like