This guide quickly references essential Python syntax, functions, and concepts. Whether you are a beginner or an experienced developer, this cheat sheet will help you improve your Python skills. You'll find examples of basic syntax, data structures, control flow, functions, classes, and more.
from cryptography.fernet import Fernet
# Generate a key
key = Fernet.generate_key()
cipher_suite = Fernet(key)
# Encrypt a message
cipher_text = cipher_suite.encrypt(b"Secret message")
print(f"Encrypted: {cipher_text}")
# Decrypt the message
plain_text = cipher_suite.decrypt(cipher_text)
print(f"Decrypted: {plain_text}")
Password Hashing
from passlib.hash import pbkdf2_sha256
# Hash a password
hashed = pbkdf2_sha256.hash("password")
print(f"Hashed: {hashed}")
# Verify a password
is_correct = pbkdf2_sha256.verify("password", hashed)
print(f"Password correct: {is_correct}")
Web Scraping
Using BeautifulSoup
from bs4 import BeautifulSoup
import requests
response = requests.get("http://example.com")
soup = BeautifulSoup(response.text, 'html.parser')
for link in soup.find_all('a'):
print(link.get('href'))
import subprocess
# Run a command and get the output
result = subprocess.run(["ls", "-la"], capture_output=True, text=True)
print(result.stdout)
Regular Expressions
import re
pattern = r"\b[A-Za-z]+\b"
text = "The quick brown fox jumps over the lazy dog"
matches = re.findall(pattern, text)
print(matches)
Logging
import logging
logging.basicConfig(level=logging.INFO)
logging.info("This is an info message")
logging.warning("This is a warning message")
logging.error("This is an error message")
Useful Tips
Virtual Environments
# Create a virtual environment
python -m venv venv
# Activate the virtual environment
# On Windows
venv\Scripts\activate
# On Unix or MacOS
source venv/bin/activate
# Install dependencies
pip install -r requirements.txt
# Deactivate the virtual environment
deactivate
Exception Handling
try:
result = 10 / 0
except ZeroDivisionError as e:
print(f"Error: {e}")
finally:
print("This block is always executed")
List Comprehensions
squares = [x ** 2 for x in range(10)]
print(squares)
Dictionary Comprehensions
squares_dict = {x: x ** 2 for x in range(10)}
print(squares_dict)
import os
# Get current working directory
cwd = os.getcwd()
print(cwd)
# List files in directory
files = os.listdir(".")
print(files)
# Execute a system command
os.system("echo Hello, World!")
Penetration Testing Tools
scapy for Network Packet Manipulation
from scapy.all import *
# Create a packet
packet = IP(dst="192.168.1.1")/ICMP()
# Send the packet
send(packet)
pythonCopy codeimport socket
# Create a socket object
s = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
# Connect to a server
s.connect(('localhost', 8080))
# Send data
s.sendall(b'Hello, World!')
# Receive data
data = s.recv(1024)
print('Received', repr(data))
# Close the connection
s.close()