5 Suggestions for Writing Higher Python Capabilities


py-func
Picture by Writer

 

All of us write capabilities when coding in Python. However will we essentially write good capabilities? Nicely, let’s discover out.

Capabilities in Python allow you to write modular code. When you’ve gotten a job it’s worthwhile to carry out at a number of locations, you may wrap the logic of the duty right into a Python operate. And you may name the operate each time it’s worthwhile to carry out that particular job. So simple as it appears to get began with Python capabilities, writing maintainable and performant capabilities shouldn’t be so simple.

And that’s why we’ll discover a number of practices that’ll make it easier to write cleaner and easy-to-maintain Python capabilities. Let’s get began…

 

1. Write Capabilities That Do Solely One Factor

 

When writing capabilities in Python, it is usually tempting to place all associated duties right into a single operate. Whereas this will help you code issues up rapidly, it’ll solely make your code a ache to take care of within the close to future. Not solely will this make understanding what a operate does tougher but in addition results in different points similar to too many parameters (extra on that later!).

As a great apply, you must at all times attempt to make your operate do just one factor—one job—and do this effectively. However generally, for a single job, you might must work by means of a sequence of subtasks. So how do you resolve if and the way the operate needs to be refactored?

Relying on what the operate is attempting to do and the way complicated the duty is, you may work out the separation of issues between subtasks. After which establish an acceptable stage at which you’ll refactor the operate into a number of capabilities—every specializing in a particular subtask.

 

refactor-func
Refactor capabilities | Picture by Writer

 

Right here’s an instance. Have a look at the operate analyze_and_report_sales:

# fn. to investigate gross sales knowledge, calculate gross sales metrics, and write it to a file
def analyze_and_report_sales(knowledge, report_filename):
	total_sales = sum(merchandise['price'] * merchandise['quantity'] for merchandise in knowledge)
	average_sales = total_sales / len(knowledge)
    
	with open(report_filename, 'w') as report_file:
    	    report_file.write(f"Whole Gross sales: {total_sales}n")
    	    report_file.write(f"Common Gross sales: {average_sales}n")
    
	return total_sales, average_sales

 

It is fairly simple to see that it may be refactored into two capabilities: one calculating the gross sales metrics and one other on writing the gross sales metrics to a file like so:

# refactored into two funcs: one to calculate metrics and one other to write down gross sales report
def calculate_sales_metrics(knowledge):
	total_sales = sum(merchandise['price'] * merchandise['quantity'] for merchandise in knowledge)
	average_sales = total_sales / len(knowledge)
	return total_sales, average_sales

def write_sales_report(report_filename, total_sales, average_sales):
	with open(report_filename, 'w') as report_file:
    	    report_file.write(f"Whole Gross sales: {total_sales}n")
    	    report_file.write(f"Common Gross sales: {average_sales}n")

 

Now it’s simpler to debug any issues with the calculation of gross sales metrics and file operations individually. And right here’s a pattern operate name:

knowledge = [{'price': 100, 'quantity': 2}, {'price': 200, 'quantity': 1}]
total_sales, average_sales = calculate_sales_metrics(knowledge)
write_sales_report('sales_report.txt', total_sales, average_sales)

 

It’s best to be capable of see the ‘sales_report.txt’ file in your working listing with the gross sales metrics. It is a easy instance to get began, however that is useful particularly once you’re engaged on extra complicated capabilities.

 

2. Add Sort Hints to Enhance Maintainability

 

Python is a dynamically typed language. So you don’t want to declare sorts for the variables you create. However you may add sort hints to specify the anticipated knowledge sort for variables. If you outline the operate, you may add the anticipated knowledge sorts for the parameters and the return values.

As a result of Python doesn’t implement sorts at runtime, including sort hints has no impact at runtime. However there nonetheless are advantages to utilizing sort hints, particularly on the maintainability entrance:

  • Including sort hints to Python capabilities serves as inline documentation and offers a greater concept of what the operate does and what values it consumes and returns.
  • If you add sort hints to your capabilities, you may configure your IDE to leverage these sort hints. So that you’ll get useful warnings should you attempt to cross an argument of invalid sort in a number of operate calls, implement capabilities whose return values don’t match the anticipated sort, and the like. So you may reduce errors upfront.
  • You possibly can optionally use static sort checkers like mypy to catch errors earlier relatively than letting sort mismatches introduce delicate bugs which are tough to debug.

Right here’s a operate that processes order particulars:

# fn. to course of orders
def process_orders(orders):
	total_quantity = sum(order['quantity'] for order in orders)
	total_value = sum(order['quantity'] * order['price'] for order in orders)
	return {
    	'total_quantity': total_quantity,
    	'total_value': total_value
	}

 

Now let’s add sort hints to the operate like so:

# modified with sort hints
from typing import Checklist, Dict

def process_orders(orders: Checklist[Dict[str, float | int]]) -> Dict[str, float | int]:
	total_quantity = sum(order['quantity'] for order in orders)
	total_value = sum(order['quantity'] * order['price'] for order in orders)
	return {
    	'total_quantity': total_quantity,
    	'total_value': total_value
	}

 

With the modified model, you get to know that the operate takes in an inventory of dictionaries. The keys of the dictionary ought to all be strings and the values can both be integers or floating level values. The operate additionally returns a dictionary. Let’s take a pattern operate name:

# Pattern knowledge
orders = [
	{'price': 100.0, 'quantity': 2},
	{'price': 50.0, 'quantity': 5},
	{'price': 150.0, 'quantity': 1}
]

# Pattern operate name
outcome = process_orders(orders)
print(outcome)

 

Here is the output:

{'total_quantity': 8, 'total_value': 600.0}

 

On this instance, sort hints assist us get a greater concept of how the operate works. Going ahead, we’ll add sort hints for all the higher variations of Python capabilities we write.

 

3. Settle for Solely the Arguments You Truly Want

 

In case you are a newbie or have simply began your first dev function, it’s vital to consider the totally different parameters when defining the operate signature. It is fairly widespread to introduce extra parameters within the operate signature that the operate by no means truly processes.

Making certain that the operate takes in solely the arguments which are truly vital retains operate calls cleaner and extra maintainable usually. On a associated word, too many parameters within the operate signature additionally make it a ache to take care of. So how do you go about defining easy-to-maintain capabilities with the correct variety of parameters?

If you end up writing a operate signature with a rising variety of parameters, step one is to take away all unused parameters from the signature. If there are too many parameters even after this step, return to tip #1: break down the duty into a number of subtasks and refactor the operate into a number of smaller capabilities. It will assist preserve the variety of parameters in test.

 

num-params
Maintain num_params in test | Picture by Writer

 

It’s time for a easy instance. Right here the operate definition to calculate pupil grades comprises the teacher parameter that’s by no means used:

# takes in an arg that is by no means used!
def process_student_grades(student_id, grades, course_name, teacher'):
	average_grade = sum(grades) / len(grades)
	return f"Scholar {student_id} achieved a mean grade of {average_grade:.2f} in {course_name}."


 

You possibly can rewrite the operate with out the teacher parameter like so:

# higher model!
def process_student_grades(student_id: int, grades: listing, course_name: str) -> str:
	average_grade = sum(grades) / len(grades)
	return f"Scholar {student_id} achieved a mean grade of {average_grade:.2f} in {course_name}."

# Utilization
student_id = 12345
grades = [85, 90, 75, 88, 92]
course_name = "Arithmetic"
outcome = process_student_grades(student_id, grades, course_name)
print(outcome)

 

Here is the output of the operate name:

Scholar 12345 achieved a mean grade of 86.00 in Arithmetic.

 

 

4. Implement Key phrase-Solely Arguments to Decrease Errors

 

In apply, most Python capabilities absorb a number of arguments. You possibly can cross in arguments to Python capabilities as positional arguments, key phrase arguments, or a mixture of each. Learn Python Function Arguments: A Definitive Guide for a fast assessment of operate arguments.

Some arguments are naturally positional. However generally having operate calls containing solely positional arguments might be complicated. That is very true when the operate takes in a number of arguments of the identical knowledge sort, some required and a few non-obligatory.

If you happen to recall, with positional arguments, the arguments are handed to the parameters within the operate signature within the identical order during which they seem within the operate name. So change so as of arguments can introduce delicate bugs sort errors.

It’s usually useful to make non-obligatory arguments keyword-only. This additionally makes including non-obligatory parameters a lot simpler—with out breaking current calls.

Right here’s an instance. The process_payment operate takes in an non-obligatory description string:

# instance fn. for processing transaction
def process_payment(transaction_id: int, quantity: float, foreign money: str, description: str = None):
	print(f"Processing transaction {transaction_id}...")
	print(f"Quantity: {quantity} {foreign money}")
	if description:
    		print(f"Description: {description}")

 

Say you wish to make the non-obligatory description a keyword-only argument. Right here’s how you are able to do it:

# implement keyword-only arguments to reduce errors
# make the non-obligatory `description` arg keyword-only
def process_payment(transaction_id: int, quantity: float, foreign money: str, *, description: str = None):
	print(f"Processing transaction {transaction_id}:")
	print(f"Quantity: {quantity} {foreign money}")
	if description:
    		print(f"Description: {description}")

 

Let’s take a pattern operate name:

process_payment(1234, 100.0, 'USD', description='Fee for providers')

 

This outputs:

Processing transaction 1234...
Quantity: 100.0 USD
Description: Fee for providers

 

Now strive passing in all arguments as positional:

# throws error as we attempt to cross in additional positional args than allowed!
process_payment(5678, 150.0, 'EUR', 'Bill cost') 

 

You’ll get an error as proven:

Traceback (most up-to-date name final):
  File "/dwelling/balapriya/better-fns/tip4.py", line 9, in 
	process_payment(1234, 150.0, 'EUR', 'Bill cost')
TypeError: process_payment() takes 3 positional arguments however 4 got

 

5. Don’t Return Lists From Capabilities; Use Mills As an alternative

 

It is fairly widespread to write down Python capabilities that generate sequences similar to an inventory of values. However as a lot as attainable, you must keep away from returning lists from Python capabilities. As an alternative you may rewrite them as generator capabilities. Mills use lazy analysis; in order that they yield parts of the sequence on demand relatively than computing all of the values forward of time. Learn Getting Started with Python Generators for an introduction to how mills work in Python.

For instance, take the next operate that generates the Fibonacci sequence as much as a sure higher restrict:

# returns an inventory of Fibonacci numbers
def generate_fibonacci_numbers_list(restrict):
	fibonacci_numbers = [0, 1]
	whereas fibonacci_numbers[-1] + fibonacci_numbers[-2] <= restrict:
    		fibonacci_numbers.append(fibonacci_numbers[-1] + fibonacci_numbers[-2])
	return fibonacci_numbers

 

It’s a recursive implementation that’s computationally costly and populating the listing and returning it appears extra verbose than vital. Right here’s an improved model of the operate that makes use of mills:

# use mills as a substitute
from typing import Generator

def generate_fibonacci_numbers(restrict: int) -> Generator[int, None, None]:
	a, b = 0, 1
	whereas a <= restrict:
    		yield a
    	a, b = b, a + b

 

On this case, the operate returns a generator object which you’ll then loop by means of to get the weather of the sequence:

restrict = 100
fibonacci_numbers_generator = generate_fibonacci_numbers(restrict)
for num in fibonacci_numbers_generator:
	print(num)

 

Right here’s the output:

0
1
1
2
3
5
8
13
21
34
55
89

 

As you may see, utilizing mills might be rather more environment friendly particularly for big enter sizes. Additionally, you may chain a number of mills collectively, so you may create environment friendly knowledge processing pipelines with mills.

 

Wrapping Up

 

And that’s a wrap. You could find all of the code on GitHub. Right here’s a assessment of the totally different suggestions we went over:

  • Write capabilities that do just one factor
  • Add sort hints to enhance maintainability
  • Settle for solely the arguments you really need
  • Implement keyword-only arguments to reduce errors
  • Do not return lists from capabilities; use mills as a substitute

I hope you discovered them useful! If you happen to aren’t already, check out these practices when writing Python capabilities. Glad coding!
 
 

Bala Priya C is a developer and technical author from India. She likes working on the intersection of math, programming, knowledge science, and content material creation. Her areas of curiosity and experience embrace DevOps, knowledge science, and pure language processing. She enjoys studying, writing, coding, and low! At present, she’s engaged on studying and sharing her data with the developer group by authoring tutorials, how-to guides, opinion items, and extra. Bala additionally creates partaking useful resource overviews and coding tutorials.



Leave a Reply

Your email address will not be published. Required fields are marked *