Python Programming Main Things
Python Programming Main Things
Comments:
Single-Line Comments:
Example
Multi-Line Comments:
To write multi-line comments you can use ‘#’ at each line or you can use the multiline
string.
Example
p=7
if (p > 5):
else:
2. sep='separator': Specify how to separate the objects, if there is more than one. Default
is ' '
3. end='end': Specify what to print at the end. Default is '\n' (line feed)
(CWH Day 5)
Sequenced data: list, tuple:
list: A list is an ordered collection of data with elements separated by a comma and
enclosed within square brackets. Lists are mutable and can be modified after creation.
Example:
print(list1)
Output:
Example:
print(tuple1)
Output:
Example:
print(dict1)
Output:
(CWH Day 5)
Operators:
n = 15
m=7
ans1 = n+m
ans2 = n-m
ans3 = n*m
ans4 = n/m
ans5 = n%m
ans6 = n//m
(CWH Day 6)
Typecasting in python :
The conversion of one data type into the other data type is known as type casting in python
or type conversion in python.
Python supports a wide variety of functions or methods like: int(), float(), str(), ord(), hex(),
oct(), tuple(), set(), list(), dict(), etc. for the type casting in python.
can be achieved with the help of Python’s built-in type conversion functions such as int(),
float(), hex(), oct(), str(), etc .
string = "15"
number = 7
string_number = int(string) #throws an error if the string is not a valid integer
sum= number + string_number
print("The Sum of both the numbers is: ", sum)
Output:
The Sum of both the numbers is 22
(CWH Day 9)
Syntax:
variable=input()
Example:
variable=int(input())
variable=float(input())
Strings:
Example
name = "Harry"
print("Hello, " + name)
Example 2:
print('He said, "I want to eat an apple".')
Multiline Strings
a = """Lorem ipsum dolor sit amet,
consectetur adipiscing elit,
sed do eiusmod tempor incididunt
ut labore et dolore magna aliqua."""
print(a)
Accessing Characters of a String
print(name[0])
print(name[1])
fruit = "Mango"
len1 = len(fruit)
String as an array
Example:
pie = "ApplePie"
print(pie[:5])
Output:
Apple
Slicing Example:
pie = "ApplePie"
print(pie[:5]) #Slicing from Start
Output:
Apple
Pie
pleP
ApplePie
for i in alphabets:
print(i)
Output:
Example:
str1 = "AbcDEfghIJ"
print(str1.upper())
Output:
ABCDEFGHIJ
lower():
The lower() method converts a string to lower case.
Example:
str1 = "AbcDEfghIJ"
print(str1.lower())
Output:
Abcdefghij
strip() :
The strip() method removes any white spaces before and after the string.
Example:
print(str2.strip)
Output:
Silver Spoon
rstrip() :
the rstrip() removes any trailing characters.
Example:
print(str3.rstrip("!"))
Output:
Hello
replace() :
The replace() method replaces all occurences of a string with another string.
Example:
print(str2.replace("Sp", "M"))
Output:
Silver Moon
split() :
The split() method splits the given string at the specified instance and returns the
separated strings as list items.
Example:
Output:
['Silver', 'Spoon']
There are various other string methods that we can use to modify our strings.
capitalize() :
The capitalize() method turns only the first character of the string to
uppercase and the rest other characters of the string are turned to lowercase.
The string has no effect if the first character is already uppercase.
Example:
str1 = "hello"
capStr1 = str1.capitalize()
print(capStr1)
capStr2 = str2.capitalize()
print(capStr2)
Output:
Hello
Hello world
center() :
The center() method aligns the string to the center as per the parameters given
by the user.
Example:
print(str1.center(50))
Output:
str2 = "Abracadabra"
countStr = str2.count("a")
print(countStr)
Output:
endswith() :
The endswith() method checks if the string ends with a given value. If yes then
return True, else return False.
Example:
print(str1.endswith("!!!"))
Output:
True
Example 2:
print(str1.endswith("to", 4, 10))
Output:
True
find() :
The find() method searches for the first occurrence of the given value and
returns the index where it is present. If given value is absent from the string
then return -1.
Example:
print(str1.find("is"))
Output:
10
index() :
The index() method searches for the first occurrence of the given value and
returns the index where it is present. If given value is absent from the string
then raise an exception.
Example:
print(str1.index("Dan"))
Output:
13
isalnum() :
The isalnum() method returns True only if the entire string only consists of A-Z,
a-z, 0-9. If any other characters or punctuations are present, then it returns
False.
Example:
str1 = "WelcomeToTheConsole"
print(str1.isalnum())
Output:
True
isalpha() :
The isalnum() method returns True only if the entire string only consists of A-Z, a-z. If any
other characters or punctuations or numbers(0-9) are present, then it returns False.
Example:
str1 = "Welcome"
print(str1.isalpha())
Output:
True
islower() :
The islower() method returns True if all the characters in the string are lower
case, else it returns False.
Example:
print(str1.islower())
Output:
True
isprintable() :
The isprintable() method returns True if all the values within the given string
are printable, if not, then return False.
Example:
print(str1.isprintable())
Output:
True
isspace() :
The isspace() method returns True only and only if the string contains white
spaces, else returns False.
Example:
print(str1.isspace())
print(str2.isspace())
Output:
True
True
istitle() :
The istitile() returns True only if the first letter of each word of the string is
capitalized, else it returns False.
Example:
print(str1.istitle())
Output:
True
isupper() :
The isupper() method returns True if all the characters in the string are upper case, else it
returns False.
Example:
print(str1.isupper())
Output:
True
startswith() :
The endswith() method checks if the string starts with a given value. If yes then return True,
else return False.
Example:
print(str1.startswith("Python"))
Output:
True
swapcase() :
The swapcase() method changes the character casing of the string. Upper
case are converted to lower case and lower case to upper case.
Example:
print(str1.swapcase())
Output:
title() :
The title() method capitalizes each letter of the word within the string.
Example:
print(str1.title())
Output:
num = 18
print("Number is negative.")
else:
else:
print("Number is zero")
OUTPUT:
match variable_name:
Example:
x=4
match x:
# if x is 0
case 0:
print("x is zero")
case 4 if x % 2 == 0:
# default case(will only be matched if the above cases were not matched)
case _:
print(x)
Output:
x % 2 == 0 and case is 4
name = 'Abhishek'
for i in name:
Output
A, b, h, i, s, h, e, k,
for x in colors:
print(x)
Output
Red
Green
Blue
Yellow
range():
What if we do not want to iterate over a sequence? What if we want to use for loop for a specific
number of times?
Example:
for k in range(5):
print(k)
Output
0
1
2
3
4
Here, we can see that the loop starts from 0 by default and increments at each iteration.
Example:
for k in range(4,9):
print(k)
Output
4
5
6
7
8
count = 5
print(count)
count = count – 1
Output:
2
1
x=5
print(x)
x=x-1
else:
print('counter is 0')
Output:
counter is 0
The most common technique to emulate a do-while loop in Python is to use an infinite while loop with a break
statement wrapped in an if statement that checks a given condition and breaks the iteration if that condition
becomes true:
Example
while True:
print(number)
break
Output
-1
Example
for i in range(1,101,1):
if(i==50):
break
else:
print("Mississippi")
print("Thank you")
output
1 Mississippi
2 Mississippi
3 Mississippi
4 Mississippi
5 Mississippi
50 Mississippi
Continue Statement
The continue statement skips the rest of the loop statements and causes the next iteration to
occur.
Example:
for i in [2,3,4,6,8,0]:
if (i%2!=0):
continue
print(i)
Output
2
name("Sam", "Wilson")
Output:
Hello, Sam Wilson
• Default Arguments
• Keyword Arguments
• Required Arguments
Default Arguments:
We can provide a default value while creating a function. This way the function assumes a default value even
if a value is not provided in the function call for that argument.
Example:
name("Amy")
Output:
Keyword arguments:
We can provide arguments with key = value, this way the interpreter recognizes the arguments by the
parameter name. Hence, the the order in which the arguments are passed does not matter.
Example:
Output:
In case we don’t pass the arguments with a key = value syntax, then it is necessary to pass the arguments in
the correct positional order and the number of arguments passed should match with actual function
definition.
Example 1:
name("Peter", "Quill")
Output:
name("Peter", "Quill")\
Example 2:
Output:
Variable-length arguments:
Sometimes we may need to pass more arguments than those defined in the actual function. This
can be done using variable-length arguments.
1.Arbitrary Arguments:
While creating a function, pass a * before the parameter name while defining the function. The function
accesses the arguments by processing them in the form of tuple.
Example:
def name(*name):
Output:
While creating a function, pass a * before the parameter name while defining the function. The function
accesses the arguments by processing them in the form of dictionary.
Example:
def name(**name):
Output:
return Statement
def name(fname, mname, lname):
return "Hello, " + fname + " " + mname + " " + lname
Output:
Python Lists
Example 1:
lst1 = [1,2,2,3,5,4,6]
print(lst1)
print(lst2)
Output:
[1, 2, 2, 3, 5, 4, 6]
Example 2:
print(details)
Output:
List Index
Example:
We can access list items by using its index with the square bracket syntax []. For example colors[0] will give
"Red", colors[1] will give "Green" and so on...
Example:
print(colors[2])
print(colors[4])
print(colors[0])
Output:
Blue
Green
Red
Check whether an item in present in the list?
Example:
if "Yellow" in colors:
print("Yellow is present.")
else:
print("Yellow is absent.")
Output:
Yellow is present.
Range of Index:
Syntax:
animals = ["cat", "dog", "bat", "mouse", "pig", "horse", "donkey", "goat", "cow"]
Output:
Output:
Syntax:
Iterable: It can be list, tuples, dictionaries, sets, and even in arrays and strings.
Condition: Condition checks if the item should be added to the new list or not.
Example 1: Accepts items with the small letter “o” in the new list
print(namesWith_O)
Output:
print(namesWith_O)
Output:
Example 1:
colors.sort()
print(colors)
num = [4,2,5,3,6,1,2,1,2,8,9,7]
num.sort()
print(num)
Output:
[1, 1, 2, 2, 2, 3, 4, 5, 6, 7, 8, 9]
Example:
colors.sort(reverse=True)
print(colors)
num = [4,2,5,3,6,1,2,1,2,8,9,7]
num.sort(reverse=True)
print(num)
Output:
[9, 8, 7, 6, 5, 4, 3, 2, 2, 2, 1, 1]
reverse()
Example:
colors.reverse()
print(colors)
num = [4,2,5,3,6,1,2,1,2,8,9,7]
num.reverse()
print(num)
Output:
[7, 9, 8, 2, 1, 2, 1, 6, 3, 5, 2, 4]
index()
Example:
print(colors.index("green"))
num = [4,2,5,3,6,1,2,1,3,2,8,9,7]
print(num.index(3))
Output:
count()
Example:
print(colors.count("green"))
num = [4,2,5,3,6,1,2,1,3,2,8,9,7]
Output:
copy()
Example:
newlist = colors.copy()
print(colors)
print(newlist)
Output:
append():
Example:
colors = ["voilet", "indigo", "blue"]
colors.append("green")
print(colors)
Output:
insert():
Example:
print(colors)
Output:
extend():
Example:
colors.extend(rainbow)
print(colors)
Output:
print(colors + colors2)
Output:
Python Tuples
Example 1:
tuple1 = (1,2,2,3,5,4,6)
print(tuple1)
print(tuple2)
Output:
(1, 2, 2, 3, 5, 4, 6)
Tuple Indexes
Example:
print(country[0])
print(country[1])
print(country[2])
Output:
Spain
Italy
India
if "Germany" in country:
print("Germany is present.")
else:
print("Germany is absent.")
Output:
Germany is present.
Range of Index:
Syntax:
Tuple[start : end : jumpIndex]
Example: Print alternate values
animals = ("cat", "dog", "bat", "mouse", "pig", "horse", "donkey", "goat", "cow")
Output:
Example:
temp = list(countries)
countries = tuple(temp)
print(countries)
Output:
Example:
Output:
Tuple methods
As tuple is immutable type of collection of elements it have limited built in methods.They are
explained below
count() Method
Syntax:
tuple.count(element)
Example:
Tuple1 = (0, 1, 2, 3, 2, 3, 1, 3, 2)
res = Tuple1.count(3)
Output:
index() method
Syntax:
Example:
Tuple = (0, 1, 2, 3, 2, 3, 1, 3, 2)
res = Tuple.index(3)
Output:
print(txt.format(price = 49))
f-strings in python
Example
val = 'Geeks'
name = 'Tushar'
age = 23
Output:
Example
print(f"{2 * 30})"
Output:
60
Tricky Problem :
print(f"We use f-strings like this: Hey my name is {{name}} and I am from {{country}}") # How to add
curly brackets
Output:
print(f"We use f-strings like this: Hey my name is {{name}} and I am from {{country}}")
print(n**2)
square(5)
Output:
25
Here,
'''Takes in a number n, returns the square of n''' is a docstring which will not appear in output
Example 02
def add(num1, num2):
"""
This function simply wraps the ``+`` operator, and does not
Parameters
----------
num1 : int
num2 : int
-------
int
See Also
--------
Examples
--------
>>> add(2, 2)
>>> add(25, 0)
25
"""
Python Comments
Comments are descriptions that help programmers better understand the intent and functionality
of the program. They are completely ignored by the Python interpreter.
Python docstrings
As mentioned above, Python docstrings are strings used right after the definition of a function,
method, class, or module (like in Example 1). They are used to document our code.
Whenever string literals are present just after the definition of a function, module, class or method,
they are associated with the object as their doc attribute. We can later use this attribute to retrieve
this docstring.
Example
def square(n):
return n**2
print(square.__doc__)
Output:
PEP stands for Python Enhancement Proposal, and there are several of them. A PEP is a document
that describes new features proposed for Python and documents aspects of Python, like design
and style, for the community.
Readability counts.
There should be one-- and preferably only one --obvious way to do it.
Although that way may not be obvious at first unless you're Dutch.
Easter egg
import this
Recursion in python
Recursion is the process of defining something in terms of itself.
Example:
def factorial(num):
return 1
else:
num = 7;
print("Number: ",num)
print("Factorial: ",factorial(num))
Output:
number: 7
Factorial: 5040
Python Sets
Sets are unordered collection of data items. They store multiple items in a single variable. Set
items are separated by commas and enclosed within curly brackets {}. Sets are unchangeable,
meaning you cannot change items of the set once created. Sets do not contain duplicate items.
Example:
print(info)
Output:
Quick Quiz: Try to create an empty set. Check using the type() function whether the type of your
variable is a set
Solution
s=set()
print(type(s))
Accessing set items:
Example:
print(item)
Output:
False
Carla
19
5.9
Joining Sets
I. union() and update():
The union() and update() methods prints all items that are present in the two sets. The union() method returns
a new set whereas update() method adds item into the existing set from another set.
Example:
cities3 = cities.union(cities2)
print(cities3)
Output:
Example:
cities.update(cities2)
print(cities)
Output:
Example:
cities3 = cities.intersection(cities2)
print(cities3)
Output:
{'Madrid', 'Tokyo'}
Example:
cities.intersection_update(cities2)
print(cities)
Output:
{'Tokyo', 'Madrid'}
Example:
print(cities3)
Output:
cities3 = cities.difference(cities2)
print(cities3)
Output:
Example:
print(cities.difference(cities2))
Output:
Example:
print(info)
Output:
Example:
print(info['name'])
print(info.get('eligible'))
Output:
Karan
True
Example:
print(info.values())
Output:
Example:
print(info.keys())
Output:
Example:
print(info.items())
Output:
print(info.get("name2")) # But this does not give error This gives None
Live Program:
info = {'name':'Karan', 'age':19, 'eligible':True}
# print(info)
# print(info.keys())
# print(info.values())
# print(info.items())
# print(info["name2"])
print(info.get("name2"))
Dictionary Methods
update()
The update() method updates the value of the key provided to it if the item already exists in the dictionary,
else it creates a new key-value pair.
Example:
print(info)
info.update({'age':20})
info.update({'DOB':2001})
print(info)
Output:
clear():
Example:
info.clear()
print(info)
Output:
{}
pop():
Example:
info.pop('eligible')
print(info)
Output:
popitem():
The popitem() method removes the last key-value pair from the dictionary.
Example:
info.popitem()
print(info)
Output:
del info['age']
print(info)
Output:
If key is not provided, then the del keyword will delete the dictionary entirely.
Example:
del info
print(info)
Output:
Python allows the else keyword to be used with the for and while loops too. The else block appears after the
body of the loop. The statements in the else block will be executed after all iterations are completed. The
program exits the loop only after the else block is executed.
Syntax
else:
Example:
for x in range(5):
print ("iteration no {} in for loop".format(x+1))
else:
Output:
Out of loop
Important Code
i=0
while i<7:
print(i)
i=i+1
# if i == 4:
# break
else:
print("Sorry no i")
for x in range(5):
else:
Exceptions in Python
Python has many built-in exceptions that are raised when your program encounters an error (something in the
program goes wrong).
When these exceptions occur, the Python interpreter stops the current process and passes it to the calling
process until it is handled. If not handled, the program will crash.
Python try...except
try….. except blocks are used in python to handle errors and exceptions. The code in try block runs when
there is no error. If the try block catches the error, then the except block is executed.
Syntax:
try:
#exception
except:
Example:
try:
except ValueError:
Output:
Syntax:
try:
#exception
except:
finally:
Example:
try:
except ValueError:
else:
print("Integer Accepted.")
finally:
Output 1 :
Enter an integer: 19
Integer Accepted.
In the previous tutorial, we learned about different built-in exceptions in Python and why it is
important to handle exceptions. However, sometimes we may need to create our own custom
exceptions that serve our purpose.
class CustomError(Exception):
# code ...
pass
try:
# code ...
except CustomError:
# code...
This is useful because sometimes we might want to do something when a particular exception is
raised. For example, sending an error report to the admin, calling an api, etc.
a = int(input("Enter any value between 5 and 9"))
if(a<5 or a>9):
Quiz
questions = [
"Php", "None", 4
],
"Php", "None", 4
],
"Php", "None", 4
],
"Php", "None", 4
],
"Php", "None", 4
],
[
"Which language was used to create fb?", "Python", "French", "JavaScript",
"Php", "None", 4
],
"Php", "None", 4
],
"Php", "None", 4
],
"Php", "None", 4
],
"Php", "None", 4
],
"Php", "None", 4
],
"Php", "None", 4
],
],
"Php", "None", 4
],
"Php", "None", 4
],
"Php", "None", 4
],
"Php", "None", 4
],
"Php", "None", 4
],
"Php", "None", 4
],
"Php", "None", 4
],
"Php", "None", 4
],
"Php", "None", 4
],
"Php", "None", 4
],
"Php", "None", 4
],
levels = [1000, 2000, 3000, 5000, 10000, 20000, 40000, 80000, 160000, 320000]
money = 0
question = questions[i]
print(f"{question[0]}")
money = levels[i-1]
break
if(reply == question[-1]):
if(i == 4):
money = 10000
elif(i == 9):
money = 320000
elif(i == 14):
money = 10000000
else:
print("Wrong answer!")
break
Coding:
if the word contains atleast 3 characters, remove the first letter and append it at the end now append three
random characters at the starting and the end else: simply reverse the string
Decoding:
if the word contains less than 3 characters, reverse it else: remove 3 random characters from start and end.
Now remove the last letter and append it to the beginning
Example:
a=2
b = 330
You can also have multiple else statements on the same line:
Example:
a = 330
b = 330
Another Example
if condition:
result = value_if_true
else:
result = value_if_false
Conclusion
The shorthand syntax can be a convenient way to write simple if-else statements, especially when you want
to assign a value to a variable based on a condition.
However, it's not suitable for more complex situations where you need to execute multiple statements or
perform more complex logic. In those cases, it's best to use the full if-else syntax.
# Loop over a list and print the index and value of each element
print(index, fruit)
0 apple
1 banana
2 mango
As you can see, the enumerate function returns a tuple containing the index and value of each element in the
sequence. You can use the for loop to unpack these tuples and assign them to variables, as shown in the
example above.
# Loop over a list and print the index (starting at 1) and value of each element
print(index, fruit)
1 apple
2 banana
3 mango
The enumerate function is often used when you need to loop over a sequence and perform some action with
both the index and value of each element. For example, you might use it to loop over a list of strings and print
the index and value of each string in a formatted way:
print(f'{index+1}: {fruit}')
1: apple
2: banana
3: mango
In addition to lists, you can use the enumerate function with any other sequence type in Python, such as
tuples and strings. Here's an example with a tuple:
# Loop over a tuple and print the index and value of each element
print(index, color)
# Loop over a string and print the index and value of each character
s = 'hello'
print(index, c)
Virtual Environment
A virtual environment is a tool used to isolate specific Python environments on a single machine, allowing you
to work on multiple projects with different dependencies and packages without conflicts. This can be
especially useful when working on projects that have conflicting package versions or packages that are not
compatible with each other.
To create a virtual environment in Python, you can use the venv module that comes with Python. Here's an
example of how to create a virtual environment and activate it:
# Create a virtual environment
source myenv/bin/activate
myenv\Scripts\activate.bat
Once the virtual environment is activated, any packages that you install using pip will be installed in the
virtual environment, rather than in the global Python environment. This allows you to have a separate set of
packages for each project, without affecting the packages installed in the global environment.
To deactivate the virtual environment, you can use the deactivate command:
deactivate
To create a requirements.txt file, you can use the pip freeze command, which outputs a list of installed
packages and their versions.
For example:
To install the packages listed in the requirements.txt file, you can use the pip install command with
the -r flag:
Using a virtual environment and a requirements.txt file can help you manage the dependencies for your
Python projects and ensure that your projects are portable and can be easily set up on a new machine.
To import a module in Python, you use the import statement followed by the name of the module. For
example, to import the math module, which contains a variety of mathematical functions, you would use the
following statement:
import math
Once a module is imported, you can use any of the functions and variables defined in the module by using
the dot notation. For example, to use the sqrt function from the math module, you would write:
import math
result = math.sqrt(9)
from keyword
You can also import specific functions or variables from a module using the from keyword. For example, to
import only the sqrt function from the math module, you would write:
result = sqrt(9)
You can also import multiple functions or variables at once by separating them with a comma:
result = sqrt(9)
result = sqrt(9)
Python also allows you to rename imported modules using the as keyword. This can be useful if you want to
use a shorter or more descriptive name for a module, or if you want to avoid naming conflicts with other
modules or variables in your code.
result = m.sqrt(9)
import math
print(dir(math))
This will output a list of all the names defined in the math module, including functions like sqrt and pi, as well
as other variables and constants.
In summary, the import statement in Python allows you to access the functions and variables defined in a
module from within your current script. You can import the entire module, specific functions or variables, or
use the * wildcard to import everything. You can also use the as keyword to rename a module, and the dir
function to view the contents of a module.
In Python, the __name__ variable is a built-in variable that is automatically set to the name of the current
module. When a Python script is run directly, the __name__ variable is set to the string __main__ When the
script is imported as a module into another script, the __name__ variable is set to the name of the module.
def main():
if __name__ == "__main__":
main()
In this example, the main function contains the code that should be run when the script is run directly. The if
statement at the bottom checks whether the __name__ variable is equal to __main__. If it is, the main
function is called.
Why is it useful?
This idiom is useful because it allows you to reuse code from a script by importing it as a module into another
script, without running the code in the original script. For example, consider the following script:
def main():
if __name__ == "__main__":
main()
If you run this script directly, it will output "Running script directly". However, if you import it as a module into
another script and call the main function from the imported module, it will not output anything:
import script
This can be useful if you have code that you want to reuse in multiple scripts, but you only want it to run when
the script is run directly and not when it's imported as a module.
Is it a necessity?
It's important to note that the if __name__ == "__main__" idiom is not required to run a Python script. You can
still run a script without it by simply calling the functions or running the code you want to execute directly.
However, the if __name__ == "__main__" idiom can be a useful tool for organizing and separating code that
should be run directly from code that should be imported and used as a module.
In summary, the if __name__ == "__main__" idiom is a common pattern used in Python scripts to determine
whether the script is being run directly or being imported as a module into another script. It allows you to
reuse code from a script by importing it as a module into another script, without running the code in the
original script.
os Module in Python
The os module in Python is a built-in library that provides functions for interacting with the operating system.
It allows you to perform a wide variety of tasks, such as reading and writing files, interacting with the file
system, and running system commands.
Here are some common tasks you can perform with the os module:
Reading and writing files The os module provides functions for opening, reading, and writing files. For
example, to open a file for reading, you can use the open function:
import os
f = os.open("myfile.txt", os.O_RDONLY)
To open a file for writing, you can use the os.O_WRONLY flag:
import os
f = os.open("myfile.txt", os.O_WRONLY)
os.close(f)
import os
files = os.listdir(".")
You can also use the os.mkdir function to create a new directory:
import os
os.mkdir("newdir")
import os
# Run the "ls" command and print the output
output = os.system("ls")
You can also use the os.popen function to run a command and get the output as a file-like object:
import os
# Run the "ls" command and get the output as a file-like object
f = os.popen("ls")
output = f.read()
f.close()
Current working Directory or change directory or create many folders as you want:
import os
folders = os.listdir("data")
# print(os.getcwd())
# os.chdir("/Users")
# print(os.getcwd())
print(folder)
print(os.listdir(f"data/{folder}"))
In summary, the os module in Python is a built-in library that provides a wide variety of functions for
interacting with the operating system. It allows you to perform tasks such as reading and writing files,
interacting with the file system, and running system commands.
Decoding:
if the word contains less than 3 characters, reverse it else: remove 3 random characters from start and end.
Now remove the last letter and append it to the beginning
print(coding)
if(coding):
nwords = []
if(len(word)>=3):
r1 = "dsf"
r2 = "jkr"
nwords.append(stnew)
else:
nwords.append(word[::-1])
print(" ".join(nwords))
else:
nwords = []
if(len(word)>=3):
stnew = word[3:-3]
nwords.append(stnew)
else:
nwords.append(word[::-1])
print(" ".join(nwords))
With Random:
import random
st = input("Enter message")
print(coding)
if(coding):
nwords = []
if(len(word)>=3):
r1 = "abcdefghijk"
r2= "lmnopqrstuv"
nwords.append(stnew)
else:
nwords.append(word[::-1])
print(" ".join(nwords))
else:
nwords = []
if(len(word)>=3):
stnew = word[3:-3]
nwords.append(stnew)
else:
nwords.append(word[::-1])
print(" ".join(nwords))
A variable is a named location in memory that stores a value. In Python, we can assign values to variables
using the assignment operator =. For example:
x=5
y = "Hello, World!"
A local variable is a variable that is defined within a function and is only accessible within that function. It is
created when the function is called and is destroyed when the function returns.
On the other hand, a global variable is a variable that is defined outside of a function and is accessible from
within any function in your code.
x = 10 # global variable
def my_function():
y = 5 # local variable
print(y)
my_function()
print(x)
print(y) # this will cause an error because y is a local variable and is not accessible outside of the
function
In this example, we have a global variable x and a local variable y. We can access the value of the global
variable x from within the function, but we cannot access the value of the local variable y outside of the
function.
The global keyword is used to declare that a variable is a global variable and should be accessed from the
global scope. Here's an example:
x = 10 # global variable
def my_function():
global x
my_function()
print(x) # prints 5
print(y) # this will cause an error because y is a local variable and is not accessible outside of the
function
In this example, we used the global keyword to declare that we want to modify the global variable x from
within the function. As a result, the value of x is changed to 5.
It's important to note that it's generally considered good practice to avoid modifying global variables from
within functions, as it can lead to unexpected behavior and make your code harder to debug.
I hope this tutorial has helped clarify the differences between local and global variables and how to use the
global keyword in Python.
Opening a File :
Before we can perform any operations on a file, we must first open it. Python provides the open() function to
open a file. It takes two arguments: the name of the file and the mode in which the file should be opened. The
mode can be 'r' for reading, 'w' for writing, or 'a' for appending.
f = open('myfile.txt', 'r')
By default, the open() function returns a file object that can be used to read from or write to the file,
depending on the mode.
Modes in file
There are various modes in which we can open files.
1. read (r): This mode opens the file for reading only and gives an error if the file does not exist. This is
the default mode if no mode is passed as a parameter.
2. write (w): This mode opens the file for writing only and creates a new file if the file does not exist.
3. append (a): This mode opens the file for appending only and creates a new file if the file does not
exist.
4. create (x): This mode creates a file and gives an error if the file already exists.
5. text (t): Apart from these modes we also need to specify how the file must be handled. t mode is used
to handle text files. t refers to the text mode. There is no difference between r and rt or w and wt since
text mode is the default. The default mode is 'r' (open for reading text, synonym of 'rt' ).
The read() method reads the entire contents of the file and returns it as a string.
f = open('myfile.txt', 'r')
contents = f.read()
print(contents)
Writing to a File
To write to a file, we first need to open it in write mode.
f = open('myfile.txt', 'w')
f = open('myfile.txt', 'w')
f.write('Hello, world!')
Keep in mind that writing to a file will overwrite its contents. If you want to append to a file instead of
overwriting it, you can open it in append mode.
f = open('myfile.txt', 'a')
f.write('Hello, world!')
Closing a File
It is important to close a file after you are done with it. This releases the resources used by the file and allows
other programs to access it.
f = open('myfile.txt', 'r')
f.close()
The 'with' statement
Alternatively, you can use the with statement to automatically close the file after you are done with it.
readlines() method
The readline() method reads a single line from the file. If we want to read multiple lines, we can use a loop.
f = open('myfile.txt', 'r')
while True:
line = f.readline()
if not line:
break
print(line)
The readlines() method reads all the lines of the file and returns them as a list of strings.
writelines() method
The writelines() method in Python writes a sequence of strings to a file. The sequence can be any iterable
object, such as a list or a tuple.
f = open('myfile.txt', 'w')
f.writelines(lines)
f.close()
This will write the strings in the lines list to the file myfile.txt. The \n characters are used to add newline
characters to the end of each string.
Keep in mind that the writelines() method does not add newline characters between the strings in the
sequence. If you want to add newlines between the strings, you can use a loop to write each string separately:
f = open('myfile.txt', 'w')
f.write(line + '\n')
f.close()
It is also a good practice to close the file after you are done with it.
#i=0
# while True:
# i=i+1
# line = f.readline()
# if not line:
# break
# m1 = int(line.split(",")[0])
# m2 = int(line.split(",")[1])
# m3 = int(line.split(",")[2])
# print(line)
f = open('myfile2.txt', 'w')
f.writelines(lines)
f.close()
seek() function
The seek() function allows you to move the current position within a file to a specific point. The position is
specified in bytes, and you can move either forward or backward from the current position. For example:
f.seek(10)
data = f.read(5)
tell() function
The tell() function returns the current position within the file, in bytes. This can be useful for keeping track of
your location within the file or for seeking to a specific position relative to the current position. For example:
data = f.read(10)
current_position = f.tell()
f.seek(current_position)
truncate() function
When you open a file in Python using the open function, you can specify the mode in which you want to open
the file. If you specify the mode as 'w' or 'a', the file is opened in write mode and you can write to the file.
However, if you want to truncate the file to a specific size, you can use the truncate function.
f.write('Hello World!')
f.truncate(5)
print(f.read())
Lambda functions are often used in situations where a small function is required for a short period of time.
They are commonly used as arguments to higher-order functions, such as map, filter, and reduce.
def double(x):
return x * 2
lambda x: x * 2
The above lambda function has the same functionality as the double function defined earlier. However, the
lambda function is anonymous, as it does not have a name.
Lambda functions can have multiple arguments, just like regular functions. Here is an example of a lambda
function with multiple arguments:
return x * y
lambda x, y: x * y
Lambda functions can also include multiple statements, but they are limited to a single expression. For
example:
In the above example, the lambda function includes a print statement, but it is still limited to a single
expression.
Lambda functions are often used in conjunction with higher-order functions, such as map, filter, and reduce
which we will look into later.
map
The map function applies a function to each element in a sequence and returns a new sequence containing
the transformed elements. The map function has the following syntax:
map(function, iterable)
The function argument is a function that is applied to each element in the iterable argument. The iterable
argument can be a list, tuple, or any other iterable object.
# List of numbers
numbers = [1, 2, 3, 4, 5]
print(list(doubled))
In the above example, the lambda function lambda x: x * 2 is used to double each element in the numbers
list. The map function applies the lambda function to each element in the list and returns a new list
containing the doubled numbers.
filter
The filter function filters a sequence of elements based on a given predicate (a function that returns a
boolean value) and returns a new sequence containing only the elements that meet the predicate. The filter
function has the following syntax:
filter(predicate, iterable)
The predicate argument is a function that returns a boolean value and is applied to each element in the
iterable argument. The iterable argument can be a list, tuple, or any other iterable object.
# List of numbers
numbers = [1, 2, 3, 4, 5]
print(list(evens))
In the above example, the lambda function lambda x: x % 2 == 0 is used to filter the numbers list and return
only the even numbers. The filter function applies the lambda function to each element in the list and returns
a new list containing only the even numbers.
reduce
The reduce function is a higher-order function that applies a function to a sequence and returns a single
value. It is a part of the functools module in Python and has the following syntax:
reduce(function, iterable)
The function argument is a function that takes in two arguments and returns a single value. The iterable
argument is a sequence of elements, such as a list or tuple.
The reduce function applies the function to the first two elements in the iterable and then applies the function
to the result and the next element, and so on. The reduce function returns the final result.
numbers = [1, 2, 3, 4, 5]
print(sum)
In the above example, the reduce function applies the lambda function lambda x, y: x + y to the elements in
the numbers list. The lambda function adds the two arguments x and y and returns the result. The reduce
function applies the lambda function to the first two elements in the list (1 and 2), then applies the function to
the result (3) and the next element (3), and so on. The final result is the sum of all the elements in the list,
which is 15.
It is important to note that the reduce function requires the functools module to be imported in order to use
it.
The is operator compares the identity of two objects, while the == operator compares the values of the
objects. This means that is will only return True if the objects being compared are the exact same object in
memory, while == will return True if the objects have the same value.
For example:
a = [1, 2, 3]
b = [1, 2, 3]
print(a == b) # True
print(a is b) # False
In this case, a and b are two separate lists that have the same values, so == returns True. However, a and b are
not the same object in memory, so is returns False.
One important thing to note is that, in Python, strings and integers are immutable, which means that once
they are created, their value cannot be changed. This means that, for strings and integers, is and == will
always return the same result:
a = "hello"
b = "hello"
print(a == b) # True
print(a is b) # True
a=5
b=5
print(a == b) # True
print(a is b) # True
In these cases, a and b are both pointing to the same object in memory, so is and == both return True.
For mutable objects such as lists and dictionaries, is and == can behave differently. In general, you should
use == when you want to compare the values of two objects, and use is when you want to check if two objects
are the same object in memory.
The procedure we are following till now is the “Procedural Programming” approach. So, in this session, we will
learn about Object Oriented Programming (OOP). The basic idea of object-oriented programming (OOP) in
Python is to use classes and objects to represent real-world concepts and entities.
A class is a blueprint or template for creating objects. It defines the properties and methods that an object of
that class will have. Properties are the data or state of an object, and methods are the actions or behaviors
that an object can perform.
An object is an instance of a class, and it contains its own data and methods. For example, you could create a
class called "Person" that has properties such as name and age, and methods such as speak() and walk().
Each instance of the Person class would be a unique object with its own name and age, but they would all
have the same methods to speak and walk.
One of the key features of OOP in Python is encapsulation, which means that the internal state of an object is
hidden and can only be accessed or modified through the object's methods. This helps to protect the object's
data and prevent it from being modified in unexpected ways.
Another key feature of OOP in Python is inheritance, which allows new classes to be created that inherit the
properties and methods of an existing class. This allows for code reuse and makes it easy to create new
classes that have similar functionality to existing classes.
Polymorphism is also supported in Python, which means that objects of different classes can be treated as if
they were objects of a common class. This allows for greater flexibility in code and makes it easier to write
code that can work with multiple types of objects.
In summary, OOP in Python allows developers to model real-world concepts and entities using classes and
objects, encapsulate data, reuse code through inheritance, and write more flexible code through
polymorphism.
class Details:
name = "Rohan"
age = 20
Creating an Object:
Object is the instance of the class used to access the properties of the class Now lets create an object of the
class.
Example:
obj1 = Details()
Example:
class Details:
name = "Rohan"
age = 20
obj1 = Details()
print(obj1.name)
print(obj1.age)
Output:
Rohan
20
Constructors
A constructor is a special method in a class used to create and initialize an object of a class. There are
different types of constructors. Constructor is invoked automatically when an object of a class is created.
A constructor is a unique function that gets called automatically when an object is created of a class. The
main purpose of a constructor is to initialize or assign values to the data members of that class. It cannot
return any value other than None.
Syntax of Python Constructor
def __init__(self): # initializations
init is one of the reserved functions in Python. In Object Oriented Programming, it is known as a constructor.
2. Default Constructor
When the constructor accepts arguments along with self, it is known as parameterized constructor.
These arguments can be used inside the class to assign the values to the data members.
Example:
class Details:
self.animal = animal
self.group = group
Output:
Example:
class Details:
def __init__(self):
obj1=Details()
Output:
Python Decorators
Python decorators are a powerful and versatile tool that allow you to modify the behavior of functions and
methods. They are a way to extend the functionality of a function or method without modifying its source
code.
A decorator is a function that takes another function as an argument and returns a new function that modifies
the behavior of the original function. The new function is often referred to as a "decorated" function. The basic
syntax for using a decorator is the following:
@decorator_function
def my_function():
pass
def my_function():
pass
my_function = decorator_function(my_function)
Decorators are often used to add functionality to functions and methods, such as logging, memoization, and
access control.
import logging
def log_function_call(func):
return result
return decorated
@log_function_call
return a + b
In this example, the log_function_call decorator takes a function as an argument and returns a new function
that logs the function call before and after the original function is called.
Conclusion
Decorators are a powerful and flexible feature in Python that can be used to add functionality to functions
and methods without modifying their source code. They are a great tool for separating concerns, reducing
code duplication, and making your code more readable and maintainable.
In conclusion, python decorators are a way to extend the functionality of functions and methods, by
modifying its behavior without modifying the source code. They are used for a variety of purposes, such as
logging, memoization, access control, and more. They are a powerful tool that can be used to make your code
more readable, maintainable, and extendable.
Getters
Getters in Python are methods that are used to access the values of an object's properties. They are used to
return the value of a specific property, and are typically defined using the @property decorator. Here is an
example of a simple class with a getter method:
class MyClass:
self._value = value
@property
def value(self):
return self._value
In this example, the MyClass class has a single property, _value, which is initialized in the init method. The
value method is defined as a getter using the @property decorator, and is used to return the value of the
_value property.
To use the getter, we can create an instance of the MyClass class, and then access the value property as if it
were an attribute:
>>> obj = MyClass(10)
>>> obj.value
10
Setters
It is important to note that the getters do not take any parameters and we cannot set the value through getter
method.For that we need setter method which can be added by decorating method with
@property_name.setter
class MyClass:
self._value = value
@property
def value(self):
return self._value
@value.setter
self._value = new_value
>>> obj.value = 20
>>> obj.value
20
In conclusion, getters are a convenient way to access the values of an object's properties, while keeping the
internal representation of the property hidden. This can be useful for encapsulation and data validation.
class DerivedClass(BaseClass):
Derived class inherits features from the base class where new features can be added to it. This results in re-
usability of code.
Types of inheritance:
1. Single inheritance
2. Multiple inheritance
3. Multilevel inheritance
4. Hierarchical Inheritance
5. Hybrid Inheritance
We will see the explaination and example of each type of inheritance in the later tutorials
Access Specifiers/Modifiers
Access specifiers or access modifiers in python programming are used to limit the access of class variables
and class methods outside of class while implementing the concepts of inheritance.
Example:
class Student:
# constructor is defined
obj = Student(21,"Harry")
print(obj.age)
print(obj.name)
Output:
21
Harry
In Python, there is no strict concept of "private" access modifiers like in some other programming languages.
However, a convention has been established to indicate that a variable or method should be considered
private by prefixing its name with a double underscore (__). This is known as a "weak internal use indicator"
and it is a convention only, not a strict rule. Code outside the class can still access these "private" variables
and methods, but it is generally understood that they should not be accessed or modified.
Example:
class Student:
print(self.y)
class Subject(Student):
pass
obj = Student(21,"Harry")
obj1 = Subject
print(obj.__age)
print(obj.__funName())
print(obj1.__age)
print(obj1.__funName())
Output:
Private members of a class cannot be accessed or inherited outside of class. If we try to access or to inherit
the properties of private members to child class (derived class). Then it will show the error.
Name mangling
Name mangling in Python is a technique used to protect class-private and superclass-private attributes from
being accidentally overwritten by subclasses. Names of class-private and superclass-private attributes are
transformed by the addition of a single leading underscore and a double leading underscore respectively.
Example:
class MyClass:
def __init__(self):
self._nonmangled_attribute = "I am a nonmangled attribute"
my_object = MyClass()
In the example above, the attribute _nonmangled_attribute is marked as nonmangled by convention, but can
still be accessed from outside the class. The attribute __mangled_attribute is private and its name is
"mangled" to _MyClass__mangled_attribute, so it can't be accessed directly from outside the class, but you
can access it by calling _MyClass__mangled_attribute
It's important to note that the single underscore is just a naming convention, and does not actually provide
any protection or restrict access to the member. The syntax we follow to make any variable protected is to
write variable name followed by a single underscore (_) ie. _varName.
Example:
class Student:
def __init__(self):
self._name = "Harry"
return "CodeWithHarry"
pass
obj = Student()
obj1 = Subject()
print(obj._name)
print(obj._funName())
print(obj1._name)
print(obj1._funName())
Output:
Harry
CodeWithHarry
Harry
CodeWithHarry
class Math:
@staticmethod
result = Math.add(1, 2)
print(result) # Output: 3
In this example, the add method is a static method of the Math class. It takes two parameters a and b and
returns their sum. The method can be called on the class itself, without the need to create an instance of the
class.
Class Variables
Class variables are defined at the class level and are shared among all instances of the class. They are
defined outside of any method and are usually used to store information that is common to all instances of
the class. For example, a class variable can be used to store the number of instances of a class that have
been created.
class MyClass:
class_variable = 0
def __init__(self):
MyClass.class_variable += 1
def print_class_variable(self):
print(MyClass.class_variable)
obj1 = MyClass()
obj2 = MyClass()
obj1.print_class_variable() # Output: 2
obj2.print_class_variable() # Output: 2
In the example above, the class_variable is shared among all instances of the class MyClass. When we create
new instances of MyClass, the value of class_variable is incremented. When we call the print_class_variable
method on obj1 and obj2, we get the same value of class_variable.
Instance Variables
Instance variables are defined at the instance level and are unique to each instance of the class. They are
defined inside the init method and are usually used to store information that is specific to each instance of
the class. For example, an instance variable can be used to store the name of an employee in a class that
represents an employee.
class MyClass:
self.name = name
def print_name(self):
print(self.name)
obj1 = MyClass("John")
obj2 = MyClass("Jane")
In the example above, each instance of the class MyClass has its own value for the name variable. When we
call the print_name method on obj1 and obj2, we get different values for name.
Summary :
In summary, class variables are shared among all instances of a class and are used to store information that
is common to all instances. Instance variables are unique to each instance of a class and are used to store
information that is specific to each instance. Understanding the difference between class variables and
instance variables is crucial for writing efficient and maintainable code in Python.
It's also worth noting that, in python, class variables are defined outside of any methods and don't need to be
explicitly declared as class variable. They are defined in the class level and can be accessed via
classname.varibale_name or self.class.variable_name. But instance variables are defined inside the methods
and need to be explicitly declared as instance variable by using self.variable_name.
class ExampleClass:
@classmethod
In this example, the "factory_method" is a class method that takes two arguments, "argument1" and
"argument2." It creates a new instance of the class "ExampleClass" using the "cls" keyword, and returns the
new instance to the caller.
It's important to note that class methods cannot modify the class in any way. If you need to modify the class,
you should use a class level variable instead.
Conclusion
Python class methods are a powerful tool for defining functions that operate on the class as a whole, rather
than on a specific instance of the class. They are useful for creating factory methods, alternative
constructors, and other types of methods that operate at the class level. With the knowledge of how to define
and use class methods, you can start writing more complex and organized code in Python.
However, there are times when you may want to create an object in a different way, or with different initial
values, than what is provided by the default constructor. This is where class methods can be used as
alternative constructors.
A class method belongs to the class rather than to an instance of the class. One common use case for class
methods as alternative constructors is when you want to create an object from data that is stored in a
different format, such as a string or a dictionary. For example, consider a class named "Person" that has two
attributes: "name" and "age". The default constructor for the class might look like this:
class Person:
self.name = name
self.age = age
But what if you want to create a Person object from a string that contains the person's name and age,
separated by a comma? You can define a class method named "from_string" to do this:
class Person:
self.name = name
self.age = age
@classmethod
Now you can create a Person object from a string like this:
Another common use case for class methods as alternative constructors is when you want to create an
object with a different set of default values than what is provided by the default constructor. For example,
consider a class named "Rectangle" that has two attributes: "width" and "height". The default constructor for
the class might look like this:
class Rectangle:
self.width = width
self.height = height
But what if you want to create a Rectangle object with a default width of 10 and a default height of 5? You can
define a class method named "square" to do this:
class Rectangle:
self.width = width
self.height = height
@classmethod
rectangle = Rectangle.square(10)
Example:
>>> x = [1, 2, 3]
>>> dir(x)
Example:
>>> class Person:
...
>>> p.__dict__
OUTPUT:
{'name': 'John', 'age': 30}
Example:
>>> help(str)
class str(object)
| that will be decoded using the given encoding and error handler.
| or repr(object).
In conclusion, dir(), dict, and help() are useful built-in functions in Python that can be used to get information
about objects. They are valuable tools for introspection and discovery.
When a class inherits from a parent class, it can override or extend the methods defined in the parent class.
However, sometimes you might want to use the parent class method in the child class. This is where the
super() keyword comes in handy.
Here's an example of how to use the super() keyword in a simple inheritance scenario:
class ParentClass:
def parent_method(self):
def child_method(self):
super().parent_method()
child_object = ChildClass()
child_object.child_method()
Output:
This is the child method.
In this example, we have a ParentClass with a parent_method and a ChildClass that inherits from
ParentClass and overrides the child_method. When the child_method is called, it first prints "This is the child
method." and then calls the parent_method using the super() keyword.
The super() keyword is also useful when a class inherits from multiple parent classes. In this case, you can
specify the parent class from which you want to call the method.
Here's an example:
class ParentClass1:
def parent_method(self):
class ParentClass2:
def parent_method(self):
def child_method(self):
super().parent_method()
child_object = ChildClass()
child_object.child_method()
Output:
This is the child method.
In this example, the ChildClass inherits from both ParentClass1 and ParentClass2. The child_method calls
the parent_method of the first parent class using the super() keyword.
In conclusion, the super() keyword is a useful tool in Python when you want to call a parent class method in a
child class. It can be used in inheritance scenarios with a single parent class or multiple parent classes.
Magic methods, also known as “dunders” from the double underscores surrounding their names, are
powerful tools that allow you to customize the behaviour of your classes. They are used to implement special
methods such as the addition, subtraction and comparison operators, as well as some more advanced
techniques like descriptors and properties.
Let’s take a look at some of the most commonly used magic methods in Python.
__init__ method
The init method is a special method that is automatically invoked when you create a new instance of a class.
This method is responsible for setting up the object’s initial state, and it is where you would typically define
any instance variables that you need. Also called "constructor", we have discussed this method already
__len__ method
The len method is used to get the length of an object. This is useful when you want to be able to find the size
of a data structure, such as a list or dictionary.
__call__ method
The call method is used to make an object callable, meaning that you can pass it as a parameter to a function
and it will be executed when the function is called. This is an incredibly powerful tool that allows you to create
objects that behave like functions.
These are just a few of the many magic methods available in Python. They are incredibly powerful tools that
allow you to customize the behaviour of your objects, and can make your code much cleaner and easier to
understand. So if you’re looking for a way to take your Python code to the next level, take some time to learn
about these magic methods.
In Python, method overriding is a way to customize the behavior of a class based on its specific needs. For
example, consider the following base class:
class Shape:
def area(self):
pass
In this base class, the area method is defined, but does not have any implementation. If you want to create a
derived class that represents a circle, you can override the area method and provide an implementation that
calculates the area of a circle:
class Circle(Shape):
self.radius = radius
def area(self):
In this example, the Circle class inherits from the Shape class, and overrides the area method. The new
implementation of the area method calculates the area of a circle, based on its radius.
It's important to note that when you override a method, the new implementation must have the same method
signature as the original method. This means that the number and type of arguments, as well as the return
type, must be the same.
Another way to customize the behavior of a class is to call the base class method from the derived class
method. To do this, you can use the super function. The super function allows you to call the base class
method from the derived class method, and can be useful when you want to extend the behavior of the base
class method, rather than replace it.
def area(self):
print("Calculating area...")
In this base class, the area method prints a message indicating that the area is being calculated. If you want
to create a derived class that represents a circle, and you also want to print a message indicating the type of
shape, you can use the super function to call the base class method, and add your own message:
class Circle(Shape):
self.radius = radius
def area(self):
super().area()
In this example, the Circle class overrides the area method, and calls the base class method using the super
function. This allows you to extend the behavior of the base class method, while still maintaining its original
behavior.
In conclusion, method overriding is a powerful feature in Python that allows you to customize the behavior of
a class based on its specific needs. By using method overriding, you can create more robust and reliable
code, and ensure that your classes behave in the way that you need them to. Additionally, by using the super
function, you can extend the behavior of a base class method, rather than replace it, giving you even greater
flexibility and control over the behavior of your classes.
Solutions:
import os
files = os.listdir("clutteredFolder")
i=1
if file.endswith(".png"):
print(file)
os.rename(f"clutteredFolder/{file}", f"clutteredFolder/{i}.png")
i=i+1
pypdf is a free and open-source pure-python PDF library capable of splitting, merging,
cropping, and transforming the pages of PDF files. It can also add custom data, viewing
options, and passwords to PDF files. pypdf can retrieve text and metadata from PDFs as well.
p1 = Point(1, 2)
p2 = Point(3, 4)
p3 = p1 + p2
+ : __add__
- : __sub__
* : __mul__
/ : __truediv__
< : __lt__
> : __gt__
== : __eq__
For example, if you want to overload the + operator to add two instances of a custom class, you would define
the add method:
class Point:
self.x = x
self.y = y
t's important to note that operator overloading is not limited to the built-in operators, you can overload any
user-defined operator as well.
Conclusion
Operator overloading is a powerful feature in Python that allows you to create more readable and intuitive
code. By redefining the behavior of mathematical and comparison operators for custom data types, you can
write code that is both concise and expressive. However, it's important to use operator overloading wisely, as
overloading the wrong operator or using it inappropriately can lead to confusing or unexpected behavior.
Syntax
The syntax for single inheritance in Python is straightforward and easy to understand. To create a new class
that inherits from a parent class, simply specify the parent class in the class definition, inside the
parentheses, like this:
class ChildClass(ParentClass):
# class body
Example
Let's consider a simple example of single inheritance in Python. Consider a class named "Animal" that
contains the attributes and behaviors that are common to all animals.
class Animal:
self.name = name
self.species = species
def make_sound(self):
If we want to create a new class for a specific type of animal, such as a dog, we can create a new class
named "Dog" that inherits from the Animal class.
class Dog(Animal):
self.breed = breed
def make_sound(self):
print("Bark!")
The Dog class inherits all the attributes and behaviors of the Animal class, including the __init__ method and
the make_sound method. Additionally, the Dog class has its own __init__ method that adds a new attribute
for the breed of the dog, and it also overrides the make_sound method to specify the sound that a dog
makes.
Single inheritance is a powerful tool in Python that allows you to create new classes based on existing
classes. It allows you to reuse code, extend it to fit your needs, and make it easier to manage complex
systems. Understanding single inheritance is an important step in becoming proficient in object-oriented
programming in Python.
Syntax
In Python, multiple inheritance is implemented by specifying multiple parent classes in the class definition,
separated by commas.
# class body
In this example, the ChildClass inherits attributes and methods from all three parent
classes: ParentClass1, ParentClass2, and ParentClass3.
It's important to note that, in case of multiple inheritance, Python follows a method resolution order
(MRO) to resolve conflicts between methods or attributes from different parent classes. The MRO determines
the order in which parent classes are searched for attributes and methods.
Example
class Animal:
self.name = name
self.species = species
def make_sound(self):
self.name = name
self.fur_color = fur_color
self.breed = breed
def make_sound(self):
print("Bark!")
In this example, the Dog class inherits from both the Animal and Mammal classes, so it can use attributes
and methods from both parent classes.
In Python, hybrid inheritance can be implemented by creating a class hierarchy, in which a base class is
inherited by multiple derived classes, and one of the derived classes is further inherited by a sub-derived
class.
Syntax
The syntax for implementing Hybrid Inheritance in Python is the same as for implementing Single Inheritance,
Multiple Inheritance, or Hierarchical Inheritance.
class BaseClass1:
Example
Consider the example of a Student class that inherits from the Person class, which in turn inherits from
the Human class. The Student class also has a Program class that it is associated with.
class Human:
self.name = name
self.age = age
def show_details(self):
print("Name:", self.name)
print("Age:", self.age)
class Person(Human):
self.address = address
def show_details(self):
Human.show_details(self)
print("Address:", self.address)
class Program:
self.program_name = program_name
self.duration = duration
def show_details(self):
print("Duration:", self.duration)
class Student(Person):
self.program = program
def show_details(self):
Person.show_details(self)
self.program.show_details()
In this example, the Student class inherits from the Person class, which in turn inherits from
the Human class. The Student class also has an association with the Program class. This is an example
of Hybrid Inheritance in action, as it uses both Single Inheritance and Association to achieve the desired
inheritance structure.
student.show_details()
Output
Name: John Doe
Age: 25
Duration: 4
As we can see from the output, the Student object has access to all the attributes and methods of
the Person and Human classes, as well as the Program class through association.
In this way, hybrid inheritance allows for a flexible and powerful way to inherit attributes and behaviors from
multiple classes in a hierarchy or chain.
Hierarchical Inheritance
Hierarchical Inheritance is a type of inheritance in Object-Oriented Programming where multiple subclasses
inherit from a single base class. In other words, a single base class acts as a parent class for multiple
subclasses. This is a way of establishing relationships between classes in a hierarchical manner.
class Animal:
self.name = name
def show_details(self):
print("Name:", self.name)
class Dog(Animal):
Animal.__init__(self, name)
self.breed = breed
def show_details(self):
Animal.show_details(self)
print("Species: Dog")
print("Breed:", self.breed)
class Cat(Animal):
Animal.__init__(self, name)
self.color = color
def show_details(self):
Animal.show_details(self)
print("Species: Cat")
print("Color:", self.color)
In the above code, the Animal class acts as the base class for two subclasses, Dog and Cat. The Dog class
and the Cat class inherit the attributes and methods of the Animal class. However, they can also add their
own unique attributes and methods.
Here's an example of creating objects of the Dog and Cat classes and accessing their attributes and
methods:
dog.show_details()
cat.show_details()
Output:
Name: Max
Species: Dog
Name: Luna
Species: Cat
Color: Black
As we can see from the outputs, the Dog and Cat classes have inherited the attributes and methods of
the Animal class, and have also added their own unique attributes and methods.
pypdf is a free and open-source pure-python PDF library capable of splitting, merging, cropping, and
transforming the pages of PDF files. It can also add custom data, viewing options, and passwords to
PDF files. pypdf can retrieve text and metadata from PDFs as well.
Solution:
from PyPDF2 import PdfWriter
import os
merger = PdfWriter()
merger.append(pdf)
merger.write("merged-pdf.pdf")
merger.close()
Shoutout to Rahul
Shoutout to Nishant
Shoutout to Harry
Note: If you are not using windows, try to figure out how to do the same thing using some other package
import time
print(time.time())
# Output: 1602299933.233374
As you can see, the function returns the current time as a floating-point number, which can be used for
various purposes, such as measuring the duration of an operation or the elapsed time since a certain point in
time.
time.sleep()
The time.sleep() function suspends the execution of the current thread for a specified number of seconds.
This function can be used to pause the program for a certain period of time, allowing other parts of the
program to run, or to synchronize the execution of multiple threads. Here's an example:
import time
print("Start:", time.time())
time.sleep(2)
print("End:", time.time())
# Output:
# Start: 1602299933.233374
# End: 1602299935.233376
As you can see, the function time.sleep() suspends the execution of the program for 2 seconds, allowing
other parts of the program to run during that time.
time.strftime()
The time.strftime() function formats a time value as a string, based on a specified format. This function is
particularly useful for formatting dates and times in a human-readable format, such as for display in a GUI, a
log file, or a report. Here's an example:
import time
t = time.localtime()
print(formatted_time)
As you can see, the function time.strftime() formats the current time (obtained using time.localtime()) as a
string, using a specified format. The format string contains codes that represent different parts of the time
value, such as the year, the month, the day, the hour, the minute, and the second.
Conclusion:
The time module in Python provides a set of functions to work with time-related operations, such as
timekeeping, formatting, and time conversions. Whether you are writing a script, a library, or an application,
the time module is a powerful tool that can help you perform time-related tasks with ease and efficiency. So,
if you haven't already, be sure to check out the time module in Python and see how it can help you write
better, more efficient code.
Syntax
Here is the basic syntax for creating a command line utility using argparse in Python:
import argparse
parser = argparse.ArgumentParser()
args = parser.parse_args()
print(args.arg1)
print(args.arg2)
Examples
Here are a few examples to help you get started with creating command line utilities in Python:
parser = argparse.ArgumentParser()
args = parser.parse_args()
print(args.optional)
import argparse
parser = argparse.ArgumentParser()
args = parser.parse_args()
print(args.positional)
import argparse
parser = argparse.ArgumentParser()
args = parser.parse_args()
print(args.n)
Conclusion
Creating command line utilities in Python is a straightforward and flexible process thanks to
the argparse module. With a few lines of code, you can create powerful and customizable command line
tools that can make your development workflow easier and more efficient. Whether you're working on small
scripts or large applications, the argparse module is a must-have tool for any Python developer.
The Walrus Operator is represented by the := syntax and can be used in a variety of contexts including while
loops and if statements.
Here's an example of how you can use the Walrus Operator in a while loop:
numbers = [1, 2, 3, 4, 5]
print(numbers.pop())
In this example, the length of the numbers list is assigned to the variable n using the Walrus Operator. The
value of n is then used in the condition of the while loop, so that the loop will continue to execute until
the numbers list is empty.
print(f"Hello, {name}!")
else:
# walrus operator :=
# happy = True
# print(happy)
# print(happy := True)
# foods = list()
# while True:
# if food == "quit":
# break
# foods.append(food)
foods = list()
while (food := input("What food do you like?: ")) != "quit":
foods.append(food)
In this example, the user input is assigned to the variable name using the Walrus Operator. The value
of name is then used in the if statement to determine whether it is in the names list. If it is, the corresponding
message is printed, otherwise, a different message is printed.
It is important to note that the Walrus Operator should be used sparingly as it can make code less readable if
overused.
In conclusion, the Walrus Operator is a useful tool for Python developers to have in their toolkit. It can help
streamline code and reduce duplication, but it should be used with care to ensure code readability and
maintainability.
Importing shutil
The syntax for importing the shutil module is as follows:
import shutil
Functions
The following are some of the most commonly used functions in the shutil module:
• shutil.copy(src, dst): This function copies the file located at src to a new location specified by dst. If
the destination location already exists, the original file will be overwritten.
• shutil.copy2(src, dst): This function is similar to shutil.copy, but it also preserves more metadata
about the original file, such as the timestamp.
• shutil.copytree(src, dst): This function recursively copies the directory located at src to a new
location specified by dst. If the destination location already exists, the original directory will be
merged with it.
• shutil.move(src, dst): This function moves the file located at src to a new location specified by dst.
This function is equivalent to renaming a file in most cases.
• shutil.rmtree(path): This function recursively deletes the directory located at path, along with all of
its contents. This function is similar to using the rm -rf command in a shell.
Examples:
Here are some examples of how you can use the shutil module in your Python code:
import shutil
# Copying a file
shutil.copy("src.txt", "dst.txt")
# Copying a directory
shutil.copytree("src_dir", "dst_dir")
# Moving a file
shutil.move("src.txt", "dst.txt")
# Deleting a directory
shutil.rmtree("dir")
As you can see, the shutil module provides a simple and efficient way to perform common file and directory-
related tasks in Python. Whether you need to copy, move, delete, or preserve metadata about files and
directories, the shutil module has you covered.
In conclusion, the shutil module is a powerful tool for automating file and directory-related tasks in Python.
Whether you are a beginner or an experienced Python developer, the shutil module is an essential tool to
have in your toolbox.
Shoutout to Rahul
Shoutout to Nishant
Shoutout to Harry
Note: If you are not using windows, try to figure out how to do the same thing using some other package
Solutions
First we have to download pywin32 (Mandatory in Windows)
#For Windows
import os
speak = Dispatch("SAPI.SpVoice").Speak
speak(f'Shoutout to {name}')
#For Mac
Installation
pip install requests
Get Request
Once you have installed the Requests module, you can start using it to send HTTP requests. Here is a simple
example that sends a GET request to the Google homepage:
import requests
response = requests.get("https://www.google.com")
print(response.text)
Post Request
Here is another example that sends a POST request to a web service and includes a custom header:
import requests
url = "https://api.example.com/login"
headers = {
"Content-Type": "application/json"
data = {
"username": "myusername",
"password": "mypassword"
print(response.text)
In this example, we send a POST request to a web service to authenticate a user. We include a custom User-
Agent header and a JSON payload with the user's credentials.
bs4 Module
There is another module called BeautifulSoup which is used for web scraping in Python. I have personally
used bs4 module to finish a lot of freelancing task
(CWH Day 89)
Exercise 10
Use the NewsAPI and the requests module to fetch the daily news related to different topics. Go
to: https://newsapi.org/ and explore the various options to build you application
Generators in Python
Generators in Python are special type of functions that allow you to create an iterable sequence of values. A
generator function returns a generator object, which can be used to generate the values one-by-one as you
iterate over it. Generators are a powerful tool for working with large or complex data sets, as they allow you to
generate the values on-the-fly, rather than having to create and store the entire sequence in memory.
Creating a Generator
In Python, you can create a generator by using the yield statement in a function. The yield statement returns
a value from the generator and suspends the execution of the function until the next value is requested.
Here's an example:
def my_generator():
for i in range(5):
yield i
gen = my_generator()
print(next(gen))
print(next(gen))
print(next(gen))
print(next(gen))
print(next(gen))
# Output:
#0
#1
#2
#3
#4
As you can see, the generator function my_generator() returns a generator object, which can be used to
generate the values in the range 0 to 4. The next() function is used to request the next value from the
generator, and the generator resumes its execution until it encounters another yield statement or until it
reaches the end of the function.
Using a Generator
Once you have created a generator, you can use it in a variety of ways, such as in a for loop, a list
comprehension, or a generator expression. Here's an example:
gen = my_generator()
for i in gen:
print(i)
# Output:
#0
#1
#2
#3
#4
As you can see, the generator can be used in a for loop, just like any other iterable sequence. The generator is
used to generate the values one-by-one as the loop iterates over it.
Benefits of Generators
Generators offer several benefits over other types of sequences, such as lists, tuples, and sets. One of the
main benefits of generators is that they allow you to generate the values on-the-fly, rather than having to
create and store the entire sequence in memory. This makes generators a powerful tool for working with large
or complex data sets, as you can generate the values as you need them, rather than having to store them all in
memory at once.
Another benefit of generators is that they are lazy, which means that the values are generated only when they
are requested. This allows you to generate the values in a more efficient and memory-friendly manner, as you
don't have to generate all the values up front.
Conclusion
Generators in Python are a powerful tool for working with large or complex data sets, allowing you to generate
the values on-the-fly and store only what you need in memory. Whether you are working with a large dataset,
performing complex calculations, or generating a sequence of values, generators are a must-have tool in your
programming toolkit. So, if you haven't already, be sure to check out generators in Python and see how they
can help you write better, more efficient code.
(CWH Day 91)
In Python, function caching can be achieved using the functools.lru_cache decorator. The
functools.lru_cache decorator is used to cache the results of a function so that you can reuse the results
instead of recomputing them every time the function is called. Here's an example:
import functools
@functools.lru_cache(maxsize=None)
def fib(n):
if n < 2:
return n
print(fib(20))
# Output: 6765
As you can see, the functools.lru_cache decorator is used to cache the results of the fib function.
The maxsize parameter is used to specify the maximum number of results to cache. If maxsize is set
to None, the cache will have an unlimited size.
Another benefit of function caching is that it can simplify the code of a program by removing the need to
manually cache the results of a function. With the functools.lru_cache decorator, the caching is handled
automatically, so you can focus on writing the core logic of your program.
Conclusion
Function caching is a technique for improving the performance of a program by storing the results of a
function so that you can reuse the results instead of recomputing them every time the function is called. In
Python 3, function caching can be achieved using the functools.lru_cache decorator, which provides an
easy and efficient way to cache the results of a function. Whether you're writing a computationally expensive
program, or just want to simplify your code, function caching is a great technique to have in your toolbox.
Memoization:
To "memoize" means to store the result of an expensive function call and reuse that stored result when the
same input occurs again, thereby avoiding recomputation and speeding up the program.
Exercise 10
Use the NewsAPI and the requests module to fetch the daily news related to different topics. Go
to: https://newsapi.org/ and explore the various options to build you application
Solution
import requests
import json
url = f"https://newsapi.org/v2/everything?q={query}&from=2023-01-
28&sortBy=publishedAt&apiKey=dbe57b028aeb41e285a226a94865f7a7"
r = requests.get(url)
news = json.loads(r.text)
# print(news, type(news))
print(article["title"])
print(article["description"])
print("--------------------------------------")
separated by it.
to match.
https://www.ibm.com/docs/en/rational-clearquest/9.0.1?topic=tags-meta-characters-in-regular-
expressions
Importing re Package
In Python, regular expressions are supported by the re module. The basic syntax for working with regular
expressions in Python is as follows:
pattern = r"expression"
if match:
print("Match found!")
else:
Replacing a pattern
The following example shows how to replace a pattern in a string:
import re
pattern = r"[a-z]+at"
print(matches)
import re
pattern = r"\w+@\w+\.\w+"
if match:
email = match.group()
print(email)
# Output: [email protected]
Conclusion
Regular expressions are a powerful tool for working with strings and text data in Python. Whether you're
matching patterns, replacing text, or extracting information, regular expressions make it easy to perform
complex string operations with just a few lines of code. With a little bit of practice, you'll be able to use regular
expressions to solve all sorts of string-related problems in Python.
Async IO in Python
Asynchronous I/O, or async for short, is a programming pattern that allows for high-performance I/O
operations in a concurrent and non-blocking manner. In Python, async programming is achieved through the
use of the asyncio module and asynchronous functions.
Syntax
Here is the basic syntax for creating an asynchronous function in Python:
import asyncio
async def my_async_function():
await asyncio.sleep(1)
print(result)
asyncio.run(main())
L = await asyncio.gather(
my_async_function(),
my_async_function(),
my_async_function(),
print(L)
Async IO is a powerful programming pattern that allows for high-performance and concurrent I/O operations
in Python. With the asyncio module and asynchronous functions, you can write efficient and scalable code
that can handle large amounts of data and I/O operations without blocking the main thread. Whether you're
working on web applications, network services, or data processing pipelines, async IO is an essential tool for
any Python developer.
Multithreading in Python
Multithreading is a technique in programming that allows multiple threads of execution to run concurrently
within a single process. In Python, we can use the threading module to implement multithreading. In this
tutorial, we will take a closer look at the threading module and its various functions and how they can be used
in Python.
Importing Threading
We can use threading by importing the threading module.
import threading
Creating a thread
To create a thread, we need to create a Thread object and then call its start() method. The start() method runs
the thread and then to stop the execution, we use the join() method. Here's how we can create a simple
thread.
import threading
def my_func():
thread = threading.Thread(target=my_func)
thread.start()
thread.join()
Functions
The following are some of the most commonly used functions in the threading module:
• threading.Thread(target, args): This function creates a new thread that runs the target function with
the specified arguments.
• threading.Lock(): This function creates a lock that can be used to synchronize access to shared
resources between threads.
import threading
def thread_task(task):
if __name__ == '__main__':
threads.append(thread)
thread.start()
thread.join()
import threading
for i in range(10000):
lock.acquire()
counter += 1
lock.release()
if __name__ == '__main__':
counter = 0
lock = threading.Lock()
threads = []
for i in range(2):
threads.append(thread)
thread.start()
for thread in threads:
thread.join()
Conclusion
As you can see, the threading module provides a simple and efficient way to implement multithreading in
Python. Whether you need to create a new thread, run a function across multiple input values, or synchronize
access to shared resources, the threading module has you covered.
In conclusion, the threading module is a powerful tool for parallelizing code in Python. Whether you are a
beginner or an experienced Python developer, the threading module is an essential tool to have in your
toolbox. With multithreading, you can take advantage of multiple CPU cores and significantly improve the
performance of your code.
Importing Multiprocessing
We can use multiprocessing by importing the multiprocessing module.
import multiprocessing
Now, to use multiprocessing we need to create a process object which calls a start() method. The start()
method runs the process and then to stop the execution, we use the join() method. Here's how we can create
a simple process.
Creating a process
import multiprocessing
def my_func():
process = multiprocessing.Process(target=my_func)
process.start()
process.join()
Functions
The following are some of the most commonly used functions in the multiprocessing module:
• multiprocessing.Process(target, args): This function creates a new process that runs the target
function with the specified arguments.
• multiprocessing.Queue(): This function creates a queue that can be used to communicate data
between processes.
• multiprocessing.Lock(): This function creates a lock that can be used to synchronize access to
shared resources between processes.
def process_task(task):
if __name__ == '__main__':
def producer(queue):
for i in range(10):
queue.put(i)
def consumer(queue):
while True:
item = queue.get()
print(item)
queue = multiprocessing.Queue()
p1 = multiprocessing.Process(target=producer, args=(queue,))
p2 = multiprocessing.Process(target=consumer, args=(queue,))
p1.start()
p2.start()
for i in range(10000):
lock.acquire()
counter.value += 1
lock.release()
if __name__ == '__main__':
counter = multiprocessing.Value('i', 0)
lock = multiprocessing.Lock()
p1.start()
p2.start()
p1.join()
p2.join()
Conclusion
As you can see, the multiprocessing module provides a simple and efficient way to run multiple processes in
parallel. Whether you need to create a new process, run a function across multiple input values,
communicate data between processes, or synchronize access to shared resources, the multiprocessing
module has you covered.
In conclusion, the multiprocessing module is a powerful tool for parallelizing code in Python. Whether you are
a beginner or an experienced Python developer, the multiprocessing module is an essential tool to have in
your toolbox.
SOLUTION
import time
import os
speak = Dispatch("SAPI.SpVoice").Speak
while True:
notification.notify(
timeout=15 # seconds
speak("Water Reminder Hey RR Drink Water Stay hydrated Before its Too Late")
time.sleep((time_interval))
Conclusion
Congratulations on completing the 100 days of Python code challenge! You have likely gained a solid
foundation in the language and developed a range of skills, from basic syntax to more advanced concepts
such as object-oriented programming. However, this is just the beginning of your journey with Python. There
are many more topics to explore, including machine learning, web development, game development, and
more.
• Python books: There are many excellent books on Python that can help you deepen your knowledge
and skills. Some popular options include "Python Crash Course" by Eric Matthes, "Automate the
Boring Stuff with Python" by Al Sweigart, and "Fluent Python" by Luciano Ramalho. I would also like to
recommend "Hands on Machine Learning book by Aurélien Géron"
• YouTube Projects: There are many YouTube projects available which can be watched after you have
some basic understanding of python
• Python communities: There are many online communities where you can connect with other Python
learners and experts, ask questions, and share your knowledge. Some popular options include the
Python subreddit, the Python Discord server, and the Python community on Stack Overflow.
• GitHub repositories: GitHub is a great resource for finding Python projects, libraries, and code
snippets. Some useful repositories to check out include "awesome-python" (a curated list of Python
resources), "scikit-learn" (a machine learning library), and "django" (a web development framework).
• Django - For Django, try the tutorial from the official documentation. Trust me its really good
Overall, the key to mastering Python (or any programming language) is to keep practicing and experimenting.
Set yourself challenges, work on personal projects, and stay curious. Good luck!