# Print a greeting
print("Hello, Python!")
# Assigning variables
name = "Alice"
age = 25
height = 5.4 # Float
# Input from the user
user_name = input("Enter your name: ")
print(f"Hello, {user_name}! Welcome to Python.")
int
,
float
, str
, bool
, etc.
input()
to take input and
print()
for output.
f"..."
for formatted strings.
# A simple grading system
score = int(input("Enter your score: "))
if score >= 90:
print("Grade: A")
elif score >= 75:
print("Grade: B")
elif score >= 60:
print("Grade: C")
else:
print("Grade: F")
if
, elif
,
else
: Python uses indentation (not braces!) to define blocks.
==
, !=
, <
, >
, <=
,
>=
.
# For loop example
for i in range(1, 6): # Loops from 1 to 5
print(f"Count: {i}")
# While loop example
counter = 5
while counter > 0:
print(f"Countdown: {counter}")
counter -= 1
range(start, stop, step)
: Generates numbers for loops.
# Function to calculate factorial
def factorial(n):
if n == 0 or n == 1:
return 1
return n * factorial(n - 1)
print(f"Factorial of 5 is {factorial(5)}")
def
.
# Create and manipulate a list
fruits = ["apple", "banana", "cherry"]
fruits.append("orange") # Add an element
print(fruits[1]) # Access by index
print(len(fruits)) # Length of the list
# Create and use a dictionary
person = {"name": "Alice", "age": 25, "city": "New York"}
print(person["name"])
person["age"] = 26 # Update a value
print(person)
# Define a class
class Dog:
def __init__(self, name, age):
self.name = name
self.age = age
def bark(self):
return f"{self.name} says Woof!"
# Create an object
my_dog = Dog("Buddy", 3)
print(my_dog.bark())
__init__
: Constructor to
initialize objects.# Write to a file
with open("example.txt", "w") as file:
file.write("Hello, file handling!")
# Read from a file
with open("example.txt", "r") as file:
content = file.read()
print(content)
with open()
to handle
files. It automatically closes the file.# Handle errors gracefully
try:
number = int(input("Enter a number: "))
print(f"Square: {number ** 2}")
except ValueError:
print("That's not a valid number!")
try
and except
.# Import math module
import math
print(math.sqrt(16)) # Square root
# Install and use third-party library (e.g., requests)
# pip install requests
import requests
response = requests.get("https://api.github.com")
print(response.status_code)
pip
to install third-party
libraries.# Quick way to create lists
squares = [x ** 2 for x in range(1, 6)]
print(squares)
# Anonymous functions
add = lambda x, y: x + y
print(add(3, 5))
# Add functionality to functions
def log(func):
def wrapper(*args, **kwargs):
print(f"Calling {func.__name__}")
return func(*args, **kwargs)
return wrapper
@log
def greet(name):
print(f"Hello, {name}!")
greet("Alice")
# Generator for Fibonacci numbers
def fibonacci(n):
a, b = 0, 1
for _ in range(n):
yield a
a, b = b, a + b
for num in fibonacci(10):
print(num)
yield
, instead of returning them all at once.class Counter:
def __init__(self, start, end):
self.current = start
self.end = end
def __iter__(self):
return self
def __next__(self):
if self.current > self.end:
raise StopIteration
self.current += 1
return self.current - 1
counter = Counter(1, 5)
for num in counter:
print(num)
__iter__()
and
__next__()
to make objects iterable.
StopIteration
to end
iteration.class FileManager:
def __init__(self, filename, mode):
self.filename = filename
self.mode = mode
def __enter__(self):
self.file = open(self.filename, self.mode)
return self.file
def __exit__(self, exc_type, exc_value, traceback):
self.file.close()
with FileManager("example.txt", "w") as file:
file.write("Hello, Context Manager!")
__enter__
and __exit__
.
collections
Module
from collections import defaultdict, Counter
# defaultdict example
dd = defaultdict(int)
dd["a"] += 1
print(dd) # Output: defaultdict(<class 'int'>, {'a': 1})
# Counter example
words = ["apple", "banana", "apple"]
count = Counter(words)
print(count) # Output: Counter({'apple': 2, 'banana': 1})
defaultdict
: Provides default
values for missing keys.Counter
: Counts occurrences of
items in a collection.from functools import reduce
# Map: Apply function to each element
squares = list(map(lambda x: x**2, range(5)))
print(squares) # Output: [0, 1, 4, 9, 16]
# Filter: Keep elements meeting a condition
evens = list(filter(lambda x: x % 2 == 0, range(5)))
print(evens) # Output: [0, 2, 4]
# Reduce: Aggregate values
product = reduce(lambda x, y: x * y, range(1, 5))
print(product) # Output: 24
itertools
Moduleimport itertools
# Infinite iterator
counter = itertools.count(start=1, step=2)
for num in itertools.islice(counter, 5):
print(num) # Output: 1, 3, 5, 7, 9
count()
, cycle()
,
and repeat()
for infinite iterators.combinations()
and
permutations()
for advanced combinatorics.
import re
text = "My phone number is 123-456-7890."
pattern = r"\d{3}-\d{3}-\d{4}"
match = re.search(pattern, text)
if match:
print(match.group()) # Output: 123-456-7890
re.search()
: Finds the first
match.re.findall()
: Returns all
matches as a list.os
and sys
Modulesimport os
# List files in the current directory
print(os.listdir())
# Create a new directory
os.mkdir("new_folder")
import sys
# Print command-line arguments
print(sys.argv) # Output: List of arguments passed to the script
json
Moduleimport json
# Serialize
data = {"name": "Alice", "age": 25}
json_data = json.dumps(data)
print(json_data) # Output: '{"name": "Alice", "age": 25}'
# Deserialize
parsed_data = json.loads(json_data)
print(parsed_data["name"]) # Output: Alice
json.dumps()
to convert
Python objects to JSON.json.loads()
to parse JSON
strings.asyncio
import asyncio
async def greet():
print("Hello")
await asyncio.sleep(1)
print("World")
asyncio.run(greet())
async def
to define
asynchronous functions.await
to pause execution.
dataclasses
Module
from dataclasses import dataclass
@dataclass
class Person:
name: str
age: int
person = Person("Alice", 25)
print(person) # Output: Person(name='Alice', age=25)
frozen=True
.
Use Type Annotations:
def add(a: int, b: int) -> int:
return a + b
Follow PEP 8:
Write Unit Tests:
import unittest
class TestMath(unittest.TestCase):
def test_add(self):
self.assertEqual(add(2, 3), 5)
Handle Exceptions Gracefully:
except
.