winipedia-utils 0.2.18__py3-none-any.whl → 0.2.25__py3-none-any.whl

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
@@ -0,0 +1 @@
1
+ """__init__ module for winipedia_utils.git.workflows."""
@@ -0,0 +1,76 @@
1
+ """Contains the publish workflow.
2
+
3
+ This workflow is used to publish the package to PyPI with poetry.
4
+ """
5
+
6
+ from pathlib import Path
7
+ from typing import Any
8
+
9
+ import yaml
10
+
11
+ PUBLISH_WORKFLOW_PATH = Path(".github/workflows/publish.yaml")
12
+
13
+
14
+ def load_publish_workflow() -> dict[str, Any]:
15
+ """Load the publish workflow."""
16
+ path = PUBLISH_WORKFLOW_PATH
17
+ if not path.exists():
18
+ path.parent.mkdir(parents=True, exist_ok=True)
19
+ path.touch()
20
+ return yaml.safe_load(path.read_text()) or {}
21
+
22
+
23
+ def dump_publish_workflow(config: dict[str, Any]) -> None:
24
+ """Dump the publish workflow."""
25
+ path = PUBLISH_WORKFLOW_PATH
26
+ with path.open("w") as f:
27
+ yaml.safe_dump(config, f, sort_keys=False)
28
+
29
+
30
+ def _get_publish_config() -> dict[str, Any]:
31
+ """Dict that represents the publish workflow yaml."""
32
+ return {
33
+ "name": "Publish to PyPI",
34
+ "on": {"release": {"types": ["published"]}},
35
+ "jobs": {
36
+ "publish": {
37
+ "runs-on": "ubuntu-latest",
38
+ "steps": [
39
+ {"name": "Checkout repository", "uses": "actions/checkout@v4"},
40
+ {
41
+ "name": "Set up Python",
42
+ "uses": "actions/setup-python@v5",
43
+ "with": {"python-version": "3.x"},
44
+ },
45
+ {"name": "Install Poetry", "run": "pip install poetry"},
46
+ {
47
+ "name": "Configure Poetry",
48
+ "run": "poetry config pypi-token.pypi ${{ secrets.PYPI_TOKEN }}", # noqa: E501
49
+ },
50
+ {
51
+ "name": "Build and publish to PyPI",
52
+ "run": "poetry publish --build",
53
+ },
54
+ ],
55
+ }
56
+ },
57
+ }
58
+
59
+
60
+ def _publish_config_is_correct() -> bool:
61
+ """Check if the publish workflow is correct."""
62
+ config = load_publish_workflow()
63
+ return bool(config == _get_publish_config())
64
+
65
+
66
+ def _add_publish_workflow() -> None:
67
+ """Add the publish workflow.
68
+
69
+ If you delete the .github/workflows/publish.yaml file, then the tests will not fail.
70
+ Not all projects need publishing to pypi. It is added on setup, but if you remove
71
+ the file, then the tests will not fail and the tests will assume you don't want it.
72
+ """
73
+ if _publish_config_is_correct():
74
+ return
75
+ config = _get_publish_config()
76
+ dump_publish_workflow(config)
winipedia_utils/setup.py CHANGED
@@ -6,12 +6,16 @@ This package assumes you are using poetry and pre-commit.
6
6
  This script is intended to be called once at the beginning of a project.
7
7
  """
8
8
 
9
+ from collections.abc import Callable
10
+ from typing import Any
11
+
9
12
  from winipedia_utils.git.gitignore.gitignore import _add_package_patterns_to_gitignore
10
13
  from winipedia_utils.git.pre_commit.config import (
11
14
  _add_package_hook_to_pre_commit_config,
12
15
  _pre_commit_install,
13
16
  )
14
17
  from winipedia_utils.git.pre_commit.run_hooks import _run_all_hooks
18
+ from winipedia_utils.git.workflows.publish import _add_publish_workflow
15
19
  from winipedia_utils.logging.logger import get_logger
16
20
  from winipedia_utils.projects.poetry.config import (
17
21
  _add_configurations_to_pyproject_toml,
@@ -24,22 +28,28 @@ from winipedia_utils.projects.project import _create_project_root
24
28
  logger = get_logger(__name__)
25
29
 
26
30
 
31
+ SETUP_STEPS = [
32
+ _install_dev_dependencies,
33
+ _add_package_hook_to_pre_commit_config,
34
+ _pre_commit_install,
35
+ _add_package_patterns_to_gitignore,
36
+ _add_publish_workflow,
37
+ _add_configurations_to_pyproject_toml,
38
+ _create_project_root,
39
+ _run_all_hooks,
40
+ ]
41
+
42
+
43
+ def _get_setup_steps() -> list[Callable[..., Any]]:
44
+ """Get the setup steps."""
45
+ return SETUP_STEPS
46
+
47
+
27
48
  def _setup() -> None:
28
49
  """Set up the project."""
29
- # install winipedia_utils dev dependencies as dev
30
- _install_dev_dependencies()
31
- # create pre-commit config
32
- _add_package_hook_to_pre_commit_config()
33
- # install pre-commit
34
- _pre_commit_install()
35
- # add patterns to .gitignore
36
- _add_package_patterns_to_gitignore()
37
- # add tool.* configurations to pyproject.toml
38
- _add_configurations_to_pyproject_toml()
39
- # create the project root
40
- _create_project_root()
41
- # run pre-commit once, create tests is included here
42
- _run_all_hooks()
50
+ for step in _get_setup_steps():
51
+ logger.info("Running setup step: %s", step.__name__)
52
+ step()
43
53
  logger.info("Setup complete!")
44
54
 
45
55
 
@@ -14,6 +14,10 @@ from winipedia_utils.git.gitignore.gitignore import _gitignore_is_correct
14
14
  from winipedia_utils.git.pre_commit.config import (
15
15
  _pre_commit_config_is_correct,
16
16
  )
17
+ from winipedia_utils.git.workflows.publish import (
18
+ PUBLISH_WORKFLOW_PATH,
19
+ _publish_config_is_correct,
20
+ )
17
21
  from winipedia_utils.modules.module import to_path
18
22
  from winipedia_utils.modules.package import (
19
23
  find_packages,
@@ -164,6 +168,23 @@ def _test_gitignore_is_correct() -> None:
164
168
  )
165
169
 
166
170
 
171
+ @autouse_session_fixture
172
+ def _test_publish_workflow_is_correct() -> None:
173
+ """Verify that the publish workflow is correctly defined.
174
+
175
+ If the file does not exist, we skip this test bc not all projects necessarily
176
+ need to publish to pypi, e.g. they are binaries or private usage only or for profit.
177
+ """
178
+ path = PUBLISH_WORKFLOW_PATH
179
+ # if folder exists but the file not then we skip this test
180
+ if path.parent.exists() and not path.exists():
181
+ return
182
+ assert_with_msg(
183
+ _publish_config_is_correct(),
184
+ "Publish workflow is not correct.",
185
+ )
186
+
187
+
167
188
  @autouse_session_fixture
168
189
  def _test_no_namespace_packages() -> None:
169
190
  """Verify that there are no namespace packages in the project.
@@ -1,6 +1,6 @@
1
1
  Metadata-Version: 2.4
2
2
  Name: winipedia-utils
3
- Version: 0.2.18
3
+ Version: 0.2.25
4
4
  Summary: A package with many utility functions
5
5
  License-Expression: MIT
6
6
  License-File: LICENSE
@@ -126,10 +126,17 @@ Adds tool configurations in pyproject.toml for e.g.:
126
126
  - **pytest** - Test discovery and execution
127
127
  - **bandit** - Security scanning
128
128
 
129
- ### Step 6️⃣ - Create Project Root
129
+ ### Step 6️⃣ - Create GitHub Actions Workflow
130
+ Sets up `.github/workflows/publish.yaml` for automated PyPI publishing:
131
+ - Triggers on GitHub releases
132
+ - Configures Poetry with PyPI token
133
+ - Builds and publishes package automatically
134
+ - If you do not want to publish to pypi, you can delete the file, tests will not fail bc of it and it won't be added again unless you run the setup script again or delete the .github folder/workflows folder.
135
+
136
+ ### Step 7️⃣ - Create Project Root
130
137
  Creates your project's root package directory with `py.typed` marker for type hint support.
131
138
 
132
- ### Step 7️⃣ - Run Pre-commit Hook
139
+ ### Step 8️⃣ - Run Pre-commit Hook
133
140
  Executes the complete quality pipeline (see below).
134
141
 
135
142
  ---
@@ -284,9 +291,9 @@ print(data.df) # Cleaned and validated dataframe
284
291
 
285
292
  ### 3. 🔧 Git Utilities
286
293
 
287
- Manage gitignore patterns and pre-commit configuration.
294
+ Manage gitignore patterns, pre-commit configuration, and GitHub Actions workflows.
288
295
 
289
- **Use Cases:** Project setup, git workflow automation
296
+ **Use Cases:** Project setup, git workflow automation, CI/CD pipeline setup
290
297
 
291
298
  ```python
292
299
  from winipedia_utils.git.gitignore.gitignore import (
@@ -294,6 +301,10 @@ from winipedia_utils.git.gitignore.gitignore import (
294
301
  walk_os_skipping_gitignore_patterns,
295
302
  add_patterns_to_gitignore
296
303
  )
304
+ from winipedia_utils.git.workflows.publish import (
305
+ load_publish_workflow,
306
+ dump_publish_workflow
307
+ )
297
308
 
298
309
  # Check if path is ignored
299
310
  if path_is_in_gitignore("dist/"):
@@ -305,12 +316,18 @@ for root, dirs, files in walk_os_skipping_gitignore_patterns("."):
305
316
 
306
317
  # Add patterns to gitignore
307
318
  add_patterns_to_gitignore(["*.log", "temp/"])
319
+
320
+ # Load and modify publish workflow
321
+ workflow = load_publish_workflow()
322
+ print(f"Workflow name: {workflow.get('name')}")
308
323
  ```
309
324
 
310
325
  **Key Functions:**
311
326
  - `path_is_in_gitignore()` - Check if path matches gitignore patterns
312
327
  - `walk_os_skipping_gitignore_patterns()` - Directory traversal respecting gitignore
313
328
  - `add_patterns_to_gitignore()` - Add patterns to .gitignore file
329
+ - `load_publish_workflow()` - Load GitHub Actions publish workflow
330
+ - `dump_publish_workflow()` - Save GitHub Actions publish workflow
314
331
  - Pre-commit configuration management
315
332
 
316
333
  ---
@@ -16,6 +16,8 @@ winipedia_utils/git/pre_commit/__init__.py,sha256=gFLVGQRmS6abgy5MfPQy_GZiF1_hGx
16
16
  winipedia_utils/git/pre_commit/config.py,sha256=HNThJhfA15erOLWNIaOMJN7z6uSGbpNbpFewSvK4qKQ,2262
17
17
  winipedia_utils/git/pre_commit/hooks.py,sha256=qBGZa4Gdp6E9Yqhd0boo2SZjDAK2Gzs0QZb7MTc76mg,3657
18
18
  winipedia_utils/git/pre_commit/run_hooks.py,sha256=HFsomU-KV89gVLAzmHtLnwekldO8vpTX3Nmmp-aJc0g,1523
19
+ winipedia_utils/git/workflows/__init__.py,sha256=BPdntTwFEyBMJ6MyT7gddPHswvRdH9tsRtfK72VSV7Y,57
20
+ winipedia_utils/git/workflows/publish.py,sha256=OwdnS7fYoVsFz6OedBCF3ae3xCP5RakWuw0FXBpURPw,2468
19
21
  winipedia_utils/iterating/__init__.py,sha256=rlF9hzxbowq5yOfcXvOKOQdB-EQmfrislQpf659Zeu4,53
20
22
  winipedia_utils/iterating/iterate.py,sha256=fP0cgEOmmwqt5wg6v61Kw3Jx9TtE8bC_a2jVd270NCM,944
21
23
  winipedia_utils/logging/__init__.py,sha256=AMt1LwA_E7hexYjMpGzUempoyDdAF-dowWvq59wC5aM,51
@@ -53,7 +55,7 @@ winipedia_utils/resources/svgs/svg.py,sha256=uzlp4Rhnenvkq_YI409ZvR7JMTZmB5JpKsD
53
55
  winipedia_utils/security/__init__.py,sha256=HmGXOCROqIGHlBs2bEWRMkEX3rlXNsnA9Tef58AlCo4,52
54
56
  winipedia_utils/security/cryptography.py,sha256=5LMat3-9nDW2cQBr_dU7MFRdgbiK53zQqHyacs-Jq-s,793
55
57
  winipedia_utils/security/keyring.py,sha256=6kKgSTz1G80F6XeZ3Lskxdl2N6JgUH8gJdFYcGJuysU,2273
56
- winipedia_utils/setup.py,sha256=GIniddS2gqSV5wYZUkuI2hC7esEChnWA3SyMFYB48Ms,1603
58
+ winipedia_utils/setup.py,sha256=KW9XhQm-NGf9WBe4Jrt3-t2s_pJlBWJ0xUUKwzgMamc,1716
57
59
  winipedia_utils/testing/__init__.py,sha256=kXhB5xw02ec5xpcW_KV--9CBKdyCjnuR-NZzAJ5tq0g,51
58
60
  winipedia_utils/testing/assertions.py,sha256=WUJwIkPyRduiouqWQwk5-D_mF9ZU1Ffw0q4790lbKnI,828
59
61
  winipedia_utils/testing/convention.py,sha256=7vurpqS--awhN_FLSOviSKENGuFyY9Ejr1NKRm0MPsg,4833
@@ -68,13 +70,13 @@ winipedia_utils/testing/tests/base/fixtures/scopes/class_.py,sha256=zesyJxerjI3q
68
70
  winipedia_utils/testing/tests/base/fixtures/scopes/function.py,sha256=l1zCCiTkXUSZp0n9QOyejhfszFJiMH88bhGMwNY5r8A,302
69
71
  winipedia_utils/testing/tests/base/fixtures/scopes/module.py,sha256=jzr4D6x82xvbCt8x7Han6pDOg27kEiPZf-oPfx2jHN0,1195
70
72
  winipedia_utils/testing/tests/base/fixtures/scopes/package.py,sha256=pR3so6QPymIRM4PJTODrlBKI-yQnZ2P78BsiyTPaF8o,302
71
- winipedia_utils/testing/tests/base/fixtures/scopes/session.py,sha256=uLvqjIWRXCnqD4L4cgzqLJI9hZEETKlE1YW7cJRpH5g,9805
73
+ winipedia_utils/testing/tests/base/fixtures/scopes/session.py,sha256=Il5XGyy-A5PI0YK-fDO295aTNwrr3u6uxLyqYgFpOVQ,10507
72
74
  winipedia_utils/testing/tests/base/utils/__init__.py,sha256=mC-8dCkp8xarqkQu2QQLrPjHi6Ww9hcixWdHeQHWeRs,68
73
75
  winipedia_utils/testing/tests/base/utils/utils.py,sha256=3c_SNbzjkQypzsc-BONo5C1-Vb7pgbRl6uR6DmTGJRg,3456
74
76
  winipedia_utils/testing/tests/conftest.py,sha256=BLgUJtLecOwuEsIyJ__0buqovd5AhiGvbMNk8CHgSQs,888
75
77
  winipedia_utils/text/__init__.py,sha256=j2bwtK6kyeHI6SnoBjpRju0C1W2n2paXBDlNjNtaUxA,48
76
78
  winipedia_utils/text/string.py,sha256=yXmwOab5hXyVQG1NwlWDpy2prj0U7Vb2F5HKLT2Y77Q,3382
77
- winipedia_utils-0.2.18.dist-info/METADATA,sha256=zri2_qOxBbs7NiLciEjf00bsGKuCvoAXNQZhJ6fGFOg,19904
78
- winipedia_utils-0.2.18.dist-info/WHEEL,sha256=zp0Cn7JsFoX2ATtOhtaFYIiE2rmFAD4OcMhtUki8W3U,88
79
- winipedia_utils-0.2.18.dist-info/licenses/LICENSE,sha256=o316mE2gGzd__JT69p7S_zlOmKiHh8YjpImCCcWyTvM,1066
80
- winipedia_utils-0.2.18.dist-info/RECORD,,
79
+ winipedia_utils-0.2.25.dist-info/METADATA,sha256=S6kwxPuu_ooEOvkOD2Vsr8bL5yxzyBmddC-hbCyo64E,20755
80
+ winipedia_utils-0.2.25.dist-info/WHEEL,sha256=zp0Cn7JsFoX2ATtOhtaFYIiE2rmFAD4OcMhtUki8W3U,88
81
+ winipedia_utils-0.2.25.dist-info/licenses/LICENSE,sha256=o316mE2gGzd__JT69p7S_zlOmKiHh8YjpImCCcWyTvM,1066
82
+ winipedia_utils-0.2.25.dist-info/RECORD,,