Stateless utilities extracted from DIRAC for use by DiracX and other projects
Project description
DIRACCommon
Stateless utilities extracted from DIRAC for use by DiracX and other projects without triggering DIRAC's global state initialization.
Purpose
This package solves the circular dependency issue where DiracX needs DIRAC utilities but importing DIRAC triggers global state initialization. DIRACCommon contains only stateless utilities that can be safely imported without side effects.
Contents
DIRACCommon.Core.Utilities.ReturnValues: DIRAC's S_OK/S_ERROR return value systemDIRACCommon.Core.Utilities.DErrno: DIRAC error codes and utilitiesDIRACCommon.Core.Utilities.ClassAd.ClassAdLight: JDL parsing utilitiesDIRACCommon.Core.Utilities.TimeUtilities: Time and date utilitiesDIRACCommon.Core.Utilities.StateMachine: State machine utilitiesDIRACCommon.Core.Utilities.JDL: JDL parsing utilitiesDIRACCommon.Core.Utilities.List: List manipulation utilitiesDIRACCommon.ConfigurationSystem.Client.Helpers.Resources: Platform compatibility utilitiesDIRACCommon.WorkloadManagementSystem.Client.JobStatus: Job status constants and state machinesDIRACCommon.WorkloadManagementSystem.Client.JobState.JobManifest: Job manifest utilitiesDIRACCommon.WorkloadManagementSystem.DB.JobDBUtils: Job database utilitiesDIRACCommon.WorkloadManagementSystem.Utilities.JobModel: Pydantic-based job modelsDIRACCommon.WorkloadManagementSystem.Utilities.JobStatusUtility: Job status utilitiesDIRACCommon.WorkloadManagementSystem.Utilities.ParametricJob: Parametric job utilities
Installation
pip install DIRACCommon
Usage
Basic Usage
from DIRACCommon.Core.Utilities.ReturnValues import S_OK, S_ERROR
def my_function():
if success:
return S_OK("Operation successful")
else:
return S_ERROR("Operation failed")
Development
This package is part of the DIRAC project and shares its version number. When DIRAC is released, DIRACCommon is also released with the same version.
pixi install
pixi run pytest
Migrating Code to DIRACCommon
This section documents the proper pattern for moving code from DIRAC to DIRACCommon to enable shared usage by DiracX and other projects.
Migration Pattern
The migration follows a specific pattern to maintain backward compatibility while making code stateless:
- Move core functionality to DIRACCommon - Create the stateless version
- Update DIRAC module - Make it a backward compatibility wrapper
- Move and update tests - Ensure both versions are tested
- Verify migration - Test both import paths work correctly
Step-by-Step Migration Process
1. Create DIRACCommon Module
Create the new module in DIRACCommon with the exact same directory structure as DIRAC:
# Example: Moving from src/DIRAC/ConfigurationSystem/Client/Helpers/Resources.py
# Create: dirac-common/src/DIRACCommon/ConfigurationSystem/Client/Helpers/Resources.py
2. Make Code Stateless
❌ Remove these dependencies:
# DON'T import these in DIRACCommon
from DIRAC import gConfig, gLogger, gMonitor, Operations
from DIRAC.Core.Security import getProxyInfo
# Any other DIRAC global state
✅ Use these instead:
# Use DIRACCommon's own utilities
from DIRACCommon.Core.Utilities.ReturnValues import S_OK, S_ERROR
from DIRACCommon.Core.Utilities.DErrno import strerror
# Accept configuration data as parameters
def my_function(data, config_dict):
# Use config_dict instead of gConfig.getOptionsDict()
pass
3. Handle Configuration Data
❌ Don't do this:
# DIRACCommon function taking config object
def getDIRACPlatform(OSList, config):
result = config.getOptionsDict("/Resources/Computing/OSCompatibility")
# ...
✅ Do this instead:
# DIRACCommon function taking configuration data directly
def getDIRACPlatform(osList: str | list[str], osCompatibilityDict: dict[str, set[str]]) -> DReturnType[list[str]]:
if not osCompatibilityDict:
return S_ERROR("OS compatibility info not found")
# Use osCompatibilityDict directly
# ...
4. Update DIRAC Module for Backward Compatibility
Transform the original DIRAC module into a backward compatibility wrapper:
"""Backward compatibility wrapper - moved to DIRACCommon
This module has been moved to DIRACCommon.ConfigurationSystem.Client.Helpers.Resources
to avoid circular dependencies and allow DiracX to use these utilities without
triggering DIRAC's global state initialization.
All exports are maintained for backward compatibility.
"""
# Re-export everything from DIRACCommon for backward compatibility
from DIRACCommon.ConfigurationSystem.Client.Helpers.Resources import (
getDIRACPlatform as _getDIRACPlatform,
_platformSortKey,
)
from DIRAC import S_ERROR, S_OK, gConfig
def getDIRACPlatform(OSList):
"""Get standard DIRAC platform(s) compatible with the argument.
Backward compatibility wrapper that uses gConfig.
"""
result = gConfig.getOptionsDict("/Resources/Computing/OSCompatibility")
if not (result["OK"] and result["Value"]):
return S_ERROR("OS compatibility info not found")
# Convert string values to sets for DIRACCommon function
platformsDict = {k: set(v.replace(" ", "").split(",")) for k, v in result["Value"].items()}
for k, v in platformsDict.items():
if k not in v:
v.add(k)
return _getDIRACPlatform(OSList, platformsDict)
# Re-export the helper function
_platformSortKey = _platformSortKey
5. Move and Update Tests
Create DIRACCommon tests:
# dirac-common/tests/ConfigurationSystem/Client/Helpers/test_Resources.py
from DIRACCommon.ConfigurationSystem.Client.Helpers.Resources import getDIRACPlatform
def test_getDIRACPlatform():
# Test with configuration data directly
osCompatibilityDict = {
"plat1": {"OS1", "OS2"},
"plat2": {"OS3", "OS4"}
}
result = getDIRACPlatform("OS1", osCompatibilityDict)
assert result["OK"]
assert "plat1" in result["Value"]
Update DIRAC tests:
# src/DIRAC/ConfigurationSystem/Client/Helpers/test/Test_Helpers.py
from DIRAC.ConfigurationSystem.Client.Helpers.Resources import getDIRACPlatform
def test_getDIRACPlatform():
# Test backward compatibility wrapper
# (existing tests should continue to work)
pass
6. Create Directory Structure
Ensure the DIRACCommon directory structure mirrors DIRAC exactly:
dirac-common/src/DIRACCommon/
├── ConfigurationSystem/
│ ├── __init__.py
│ └── Client/
│ ├── __init__.py
│ └── Helpers/
│ ├── __init__.py
│ └── Resources.py
└── tests/
└── ConfigurationSystem/
├── __init__.py
└── Client/
├── __init__.py
└── Helpers/
├── __init__.py
└── test_Resources.py
Requirements for DIRACCommon Code
Code in DIRACCommon MUST be:
- Completely stateless - No global variables or state
- No DIRAC dependencies - Cannot import from DIRAC
- No global state access - Cannot use
gConfig,gLogger,gMonitor, etc. - No database connections - Cannot establish DB connections
- No side effects on import - Importing should not trigger any initialization
- Pure functions - Functions should be deterministic and side-effect free
Configuration Data Handling
When DIRACCommon functions need configuration data:
- Accept data as parameters - Don't accept config objects
- Use specific data types - Pass dictionaries, not config objects
- Let DIRAC wrapper handle gConfig - DIRAC gets data and passes it to DIRACCommon
Example Migration
See the migration of getDIRACPlatform in:
dirac-common/src/DIRACCommon/ConfigurationSystem/Client/Helpers/Resources.pysrc/DIRAC/ConfigurationSystem/Client/Helpers/Resources.py
This demonstrates the complete pattern from stateless DIRACCommon implementation to backward-compatible DIRAC wrapper.
Testing the Migration
After migration, verify:
- DIRACCommon tests pass -
pixi run python -m pytest dirac-common/tests/ - DIRAC tests pass -
pixi run python -m pytest src/DIRAC/ - Both import paths work:
# DIRACCommon (stateless) from DIRACCommon.ConfigurationSystem.Client.Helpers.Resources import getDIRACPlatform # DIRAC (backward compatibility) from DIRAC.ConfigurationSystem.Client.Helpers.Resources import getDIRACPlatform
- No linting errors - All code should pass linting checks
Project details
Release history Release notifications | RSS feed
Download files
Download the file for your platform. If you're not sure which to choose, learn more about installing packages.
Source Distribution
Built Distribution
Filter files by name, interpreter, ABI, and platform.
If you're not sure about the file name format, learn more about wheel file names.
Copy a direct link to the current filters
File details
Details for the file diraccommon-9.1.4.tar.gz.
File metadata
- Download URL: diraccommon-9.1.4.tar.gz
- Upload date:
- Size: 50.1 kB
- Tags: Source
- Uploaded using Trusted Publishing? Yes
- Uploaded via: twine/6.1.0 CPython/3.13.7
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
1471ac9c58f2c5fd45d7d2d2c9544ebb6580bb2de1b2ede52913867f3af8db73
|
|
| MD5 |
acb71cc395be23012db4ac867ee03224
|
|
| BLAKE2b-256 |
dec5ad8e612a1f8e8e9af99880876c1fccad8a7382fcb7a89abb15d03d300e34
|
Provenance
The following attestation bundles were made for diraccommon-9.1.4.tar.gz:
Publisher:
deployment.yml on DIRACGrid/DIRAC
-
Statement:
-
Statement type:
https://in-toto.io/Statement/v1 -
Predicate type:
https://docs.pypi.org/attestations/publish/v1 -
Subject name:
diraccommon-9.1.4.tar.gz -
Subject digest:
1471ac9c58f2c5fd45d7d2d2c9544ebb6580bb2de1b2ede52913867f3af8db73 - Sigstore transparency entry: 1203398023
- Sigstore integration time:
-
Permalink:
DIRACGrid/DIRAC@6a0fab927a641740f20c80b554f2f25046766d15 -
Branch / Tag:
refs/heads/integration - Owner: https://github.com/DIRACGrid
-
Access:
public
-
Token Issuer:
https://token.actions.githubusercontent.com -
Runner Environment:
github-hosted -
Publication workflow:
deployment.yml@6a0fab927a641740f20c80b554f2f25046766d15 -
Trigger Event:
workflow_dispatch
-
Statement type:
File details
Details for the file diraccommon-9.1.4-py3-none-any.whl.
File metadata
- Download URL: diraccommon-9.1.4-py3-none-any.whl
- Upload date:
- Size: 48.6 kB
- Tags: Python 3
- Uploaded using Trusted Publishing? Yes
- Uploaded via: twine/6.1.0 CPython/3.13.7
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
5291388200df34b7bd288a296aa6cffae4365fafb58cf4019b03ed55fd459528
|
|
| MD5 |
81b5c5a1bfe74f1bc8c3cac9c150cb0a
|
|
| BLAKE2b-256 |
fb4bcc9316f48f584771cacbb023018606f193e0bb7a659faaba23801a1f4026
|
Provenance
The following attestation bundles were made for diraccommon-9.1.4-py3-none-any.whl:
Publisher:
deployment.yml on DIRACGrid/DIRAC
-
Statement:
-
Statement type:
https://in-toto.io/Statement/v1 -
Predicate type:
https://docs.pypi.org/attestations/publish/v1 -
Subject name:
diraccommon-9.1.4-py3-none-any.whl -
Subject digest:
5291388200df34b7bd288a296aa6cffae4365fafb58cf4019b03ed55fd459528 - Sigstore transparency entry: 1203398050
- Sigstore integration time:
-
Permalink:
DIRACGrid/DIRAC@6a0fab927a641740f20c80b554f2f25046766d15 -
Branch / Tag:
refs/heads/integration - Owner: https://github.com/DIRACGrid
-
Access:
public
-
Token Issuer:
https://token.actions.githubusercontent.com -
Runner Environment:
github-hosted -
Publication workflow:
deployment.yml@6a0fab927a641740f20c80b554f2f25046766d15 -
Trigger Event:
workflow_dispatch
-
Statement type: