A long time ago, a Python expert from my previous company taught us about decorators. However, due to my愚钝ness, I never fully understood this concept and didn’t use it in actual coding. Therefore, I’m recording this example that comes up at work.
Firstly, the role of a decorator in Python is to attach new functionality to an existing function without modifying its code. This requires defining a function that takes another function as an argument and returns a function.
This week, I encountered a problem where I wrote a function to calculate some metrics for UMI sequences in a Bam
file. However, the Bam
files have two types of UMIs:
- Double-end with N bp UMIs
- Single-end with N bp UMIs
The way to read UMIs from these files is different: single-end requires reading the full length of the UMI, while double-end only reads half the length. The original single-end code looks like this:
1 | def single_count(file, tag, mode): |
The only difference between the double-end and single-end code is that infos = load_single(file)
needs to be replaced with infos = load_duplex(file)
. To achieve this, there is a straightforward way: add a parameter to the function and decide whether to call load_duplex
or load_single
based on the parameter. However, this would require modifying the function code as well as the code that calls this function. If there are many such places, it’s easy to introduce new bugs. Therefore, I tried using decorators to solve this problem:
1 | def load_mod(func): |
Here, I defined two functions: duplex_count
aims to repeat all the steps in single_count
except for infos = load_single(file)
, and only change the function called to load_duplex
. Therefore, you can see that this function’s content is essentially returning the result of single_count
.
However, this alone doesn’t complete the replacement of the two load functions. That’s where load_mod
comes into play: it replaces the content in the local namespace with load_duplex
. By decorating duplex_count
with load_mod
, it’s equivalent to replacing the function call before executing it, so that the function executes differently.
Of course, I use it more like the ‘closure’ usage in common decorator tutorials rather than ‘adding new functionality to a function’.
Other applications will be discussed later.
```