π Simplifying Python Code with Dynamic Dictionary Lookups π
π Introduction
To simplify Python code by replacing conditional logic with dictionary lookups, you can use dictionaries to map keys to functions or values. Here’s how to implement this technique:
π Basic Example
β Before (using if/else):
def handle_status(code):
if code == 200:
return "OK"
elif code == 404:
return "Not Found"
elif code == 500:
return "Server Error"
else:
return "Unknown Status"
β After (using dictionary lookup):
def handle_status(code):
status_mapping = {
200: "OK",
404: "Not Found",
500: "Server Error"
}
return status_mapping.get(code, "Unknown Status")
π Function Dispatch Example
β Before (using if/else):
def process_command(command):
if command == "start":
start_engine()
elif command == "stop":
stop_engine()
elif command == "restart":
restart_engine()
else:
print("Unknown command")
β After (using dictionary of functions):
def process_command(command):
command_handlers = {
"start": start_engine,
"stop": stop_engine,
"restart": restart_engine
}
handler = command_handlers.get(command)
if handler:
handler()
else:
print("Unknown command")
𧩠More Advanced Example with Parameters
β Before (match/case):
def calculate(operator, x, y):
match operator:
case "+":
return x + y
case "-":
return x - y
case "*":
return x * y
case "/":
return x / y
case _:
raise ValueError("Unknown operator")
β After (dictionary with lambdas):
def calculate(operator, x, y):
operations = {
"+": lambda a, b: a + b,
"-": lambda a, b: a - b,
"*": lambda a, b: a * b,
"/": lambda a, b: a / b
}
if operator not in operations:
raise ValueError("Unknown operator")
return operations[operator](x, y)
π‘ Benefits of This Approach
- π Cleaner code: Removes repetitive if/else structures
- π οΈ Easier maintenance: All mappings are in one place
- π Extensibility: New cases can be added by simply updating the dictionary
- β‘ Performance: Dictionary lookups are typically faster than chains of if/else
π€ When to Use This Pattern
- π― When you have multiple conditions mapping to simple values or functions
- π° When the conditions are based on equality checks (not ranges or complex logic)
- βοΈ When you want to make the mapping easily configurable or modifiable
π Remember that this approach works best for simple mappings. Complex conditional logic with different conditions (like ranges, multiple variables, etc.) may still require if/else statements.