Maintenir une bibliothèque Python peut être un défi, surtout lorsqu'il s'agit de publier de nouvelles versions. Le processus peut prendre du temps et être sujet aux erreurs s’il est effectué manuellement. Dans cet article, je vais vous expliquer comment automatiser le processus de publication à l'aide de GitHub Actions et Commitizen. Cette approche garantit que vos versions sont cohérentes, respectent le versioning sémantique (semver) et maintiennent votre journal des modifications à jour, tout en réduisant les interventions manuelles.
Le versionnage sémantique (semver) est un schéma de versionnage qui utilise trois nombres au format MAJOR.MINOR.PATCH. Ce schéma fournit un moyen clair et prévisible de communiquer ce qui a changé dans chaque version :
Le versioning sémantique est crucial car il aide les développeurs à gérer efficacement les dépendances. Lorsque vous savez qu'une nouvelle version d'une bibliothèque n'introduit pas de modifications majeures (par exemple, une mise à jour mineure ou un correctif), vous pouvez mettre à jour vos dépendances en toute confiance sans craindre une panne de votre application.
Pour plus de détails sur Semver, vous pouvez consulter semver.org.
Commitizen est un outil qui standardise les messages de validation et automatise la gestion des versions et la création du journal des modifications. En appliquant un format de message de validation spécifique, Commitizen peut déterminer le type de changement de version requis (majeur, mineur ou correctif) et générer automatiquement un journal des modifications.
Le format du message de commit suit cette structure :
<commit-type>(<topic>): the commit message
Par exemple :
feat(parser): add support for parsing new file formats
fix(api): handle null values in the response
feat(api): change response of me endpoint BREAKING CHANGE: changes the API signature of the parser function
Dans cet exemple, la note BREAKING CHANGE dans un commit d'exploit déclencherait un changement de version majeur. Cette cohérence garantit que vos numéros de version communiquent le bon niveau de changement, ce qui est essentiel pour les utilisateurs qui comptent sur votre bibliothèque.
Pour intégrer Commitizen à votre projet Python, vous devez le configurer dans votre fichier pyproject.toml. Vous trouverez ci-dessous la configuration que vous devrez ajouter :
[tool.commitizen] name = "cz_conventional_commits" version = "0.1.0" tag_format = "v$version" version_files = [ "pyproject.toml:version", ] update_changelog_on_bump = true
Explication :
La gestion manuelle des versions peut être fastidieuse et sujette aux erreurs, surtout à mesure que votre projet se développe. L'automatisation apporte plusieurs avantages clés :
Pour vous donner une idée claire du fonctionnement de l'automatisation, voici un aperçu général :
Pour plus de simplicité et de clarté, nous diviserons l'automatisation en deux flux de travail :
This workflow handles the logic of detecting changes and bumping the version:
name: Merge to Main on: push: branches: - "main" concurrency: group: main cancel-in-progress: true jobs: bump: if: "!startsWith(github.event.head_commit.message, 'bump:')" runs-on: ubuntu-latest steps: - name: Setup Python uses: actions/setup-python@v5 with: python-version: "3.10" - name: Checkout Repository uses: actions/checkout@v4 with: token: ${{ secrets.PERSONAL_ACCESS_TOKEN }} fetch-depth: 0 - name: Create bump and changelog uses: commitizen-tools/commitizen-action@0.21.0 with: github_token: ${{ secrets.PERSONAL_ACCESS_TOKEN }} branch: main
Explanation:
This workflow is triggered when a tag is pushed, and it handles the release process:
name: On Tag Creation on: push: tags: - 'v*' concurrency: group: tag-release-${{ github.ref }} cancel-in-progress: true jobs: detect-release-parameters: runs-on: ubuntu-latest outputs: notes: ${{ steps.generate_notes.outputs.notes }} steps: - name: Setup Python uses: actions/setup-python@v5 - name: Checkout Repository uses: actions/checkout@v4 with: fetch-depth: 0 - name: Get release notes id: generate_notes uses: anmarkoulis/commitizen-changelog-reader@v1.2.0 with: tag_name: ${{ github.ref }} changelog: CHANGELOG.md release: runs-on: ubuntu-20.04 needs: detect-release-parameters steps: - name: Checkout repo uses: actions/checkout@v4 - name: Set up Python uses: actions/setup-python@v5 with: python-version: "3.10" - name: Install dependencies run: | python -m pip install --upgrade pip pip install poetry - name: Configure pypi token run: | poetry config pypi-token.pypi ${{ secrets.PYPI_TOKEN }} - name: Build and publish package run: | poetry publish --build release-github: runs-on: ubuntu-latest needs: [release, detect-release-parameters] steps: - name: Checkout Repository uses: actions/checkout@v4 - name: Create Release Notes File run: | echo "${{ join(fromJson(needs.detect-release-parameters.outputs.notes).notes, '') }}" > release_notes.txt - name: Create GitHub Release env: GH_TOKEN: ${{ secrets.GITHUB_TOKEN }} VERSION: ${{ github.ref_name }} run: | gh release create ${{ github.ref }} \ --title "Release $VERSION" \ --notes-file "release_notes.txt"
Explanation:
To ensure the workflows can perform actions like creating commits and tagging releases, you’ll need to set up a Personal Access Token (PAT) in your GitHub repository:
This token is crucial because it allows the workflow to push changes (like the updated changelog and version bump) back to the repository.
After running the workflows, a CHANGELOG.md file will be generated and updated automatically. Here’s an example of what it might look like:
## v2.0.0 (2021-03-31) ### Feat - **api**: change response of me endpoint ## v1.0.1 (2021-03-30) ### Fix - **api**: handle null values in the response ## v1.0.0 (2021-03-30) ### Feat - **parser**: add support for parsing new file formats
This CHANGELOG.md is automatically updated by Commitizen each time a new version is released. It categorizes changes into different sections (e.g., Feat, Fix), making it easy for users and developers to see what's new in each version.
Finally, here’s what a GitHub release looks like after being created by the workflow:
Incorrect Token Permissions: If the workflow fails due to permission errors, ensure that the PAT has the necessary scopes (e.g., repo, workflow).
Commitizen Parsing Issues: If Commitizen fails to parse commit messages, double-check the commit format and ensure it's consistent with the expected format.
Bump Commit Conflicts: If conflicts arise when the bump commit tries to merge into the main branch, you might need to manually resolve the conflicts or adjust your workflow to handle them.
Concurrent Executions: Without proper concurrency control, multiple commits or tags being processed simultaneously can lead to issues like duplicate version bumps or race conditions. This can result in multiple commits with the same version or incomplete releases. To avoid this, we’ve added concurrency settings to both workflows to ensure only one instance runs at a time for each branch or tag.
Automating the release process of your Python library with GitHub Actions and Commitizen not only saves time but also ensures consistency and reduces human errors. With this setup, you can focus more on developing new features and less on the repetitive tasks of managing releases.
As a next step, consider extending your CI/CD pipeline to include automated testing, code quality checks, or even security scans. This would further enhance the robustness of your release process.
If you found this post helpful, please feel free to share it with others who might benefit. I’d love to hear your thoughts or any questions you might have in the comments below. Have you implemented similar workflows in your projects? Share your experiences!
Ce qui précède est le contenu détaillé de. pour plus d'informations, suivez d'autres articles connexes sur le site Web de PHP en chinois!