Problem Description
Suppose one task in your Continuous Integration (CI) pipeline is triggered on every commit to the project repository. Some the files in the repository require passing the check of the CI task, while some other files do not require passing the check. What should the CI task do to decide if it is needed to perform the needed checking on the commit?
Design the CI task
The CI task need have the ability to analyze the files included in the commit, and decide whether the commit requires passing a check, or not. We need tell the CI task which files require passing a check through configurations.
Configuration
There are multiple ways to design the configurations, such as:
-
Only list the files or paths requiring the check
-
Only list the files or paths do not require the check
-
List the files or paths requiring the check, and also list the subset files or paths that do not require the check
The 3rd way probably is the optimal one because it provides the flexibility for you to put a large scope path as the files need check, and then exclude a subset from the large scope path. For example:
1 2 3 |
|
To apply the 3rd method, the configuration of the CI task will include two types: inclusion, and exclusion.
Analyze files in the commit
The needed analysis process of the CI task is:
-
If none of the files in the commit matches the inclusion in configuration, skip the check
-
If all the files in the commit matching the inclusion in configuration also matching the exclusion in configuration, skip the check
-
In other cases, the check for this commit is needed
The complexity of the given process is O(n2).
A mistake that could happen in the analysis process is when you analyze the exclusion cases, you should do the analysis only on the files that match inclusion configuration, which is a subset of files in the commit.
Example with the Python
Here is the code written in Python for demonstrating the case discussed above.
-
commit_files
: a list containing all the files in the commit -
config
: a dictionary containing inclusion and exclusion configurations -
config['include']
: a list containing all the files or paths need check -
config['exclude']
: a list containing the files or paths do not need check
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 |
|