A library for efficiently storing and interacting with DICOM files in the cloud.
- Python 3.11 or higher (Note: Python 3.14 is not yet supported due to build system compatibility issues)
- pip
- Clone the repository:
git clone <repository-url>
cd cloud_optimized_dicom- Create and activate a virtual environment:
python3.11 -m venv .venv
source .venv/bin/activate # On Windows: .venv\Scripts\activate- Install the package in editable mode:
pip install -e .- To install with development dependencies (includes pre-commit and test dependencies):
pip install -e ".[dev]"- Set up pre-commit hooks (required for development):
pre-commit installAlternatively, to install only test dependencies without pre-commit:
pip install -e ".[test]"SISKIN_ENV_ENABLED=1 python -m unittest discover -v cloud_optimized_dicom.testsThe project uses pyproject.toml for package configuration and dependency management. Key dependencies include:
pydicom3: Custom fork of pydicom with namespace isolationgoogle-cloud-storage: For cloud storage operationszstandard: For metadata compression (v2.0)apache-beam[gcp](optional): For data processing pipelines — install withpip install cloud-optimized-dicom[beam]
Depending on your use case, you may notice that instances have 2 getter methods for each UID:
- standard:
{study/series/instance}_uid() - hashed:
hashed_{study/series/instance}_uid().
If your use case is purely storage related (say you're a hospital using COD to store your data), you can just use the standard getters and not worry about hashing functionality at all.
If, however, your use case is de-identification related, you will likely be interested in COD's hashing functionality (outlined below).
For simplicity, only the Instance class deals with hashing.
The CODObject class itself has no notion of hashed versus standard UIDs.
The study/series UIDs provided to a CODObject on instantiation are the ones it uses directly, no querstions asked.
So, if CODObject study/series UIDs are supposed to be hashed or otherwise modified, it is the responsibility of the user to supply the modified UIDs on instantiation
The Instance class has an argument called uid_hash_func: Callable[[str], str] = None.
This is expected to be a user-provided hash function that takes a string (the raw uid) and returns a string (the hashed uid).
By default (if unspecified), this function is None.
The existence of uid_hash_func (or lack thereof) is used in various key scenarios to decide whether hashed or standard UIDs will be used, including:
- determining whether an instance "belongs" to a cod object (has same study/series UIDs)
- choosing keys for UID related data in CODObject metadata dict (
deid_study_uidvs.study_uid)
As a safety feature, if instance.hashed_{study/series/instance}_uid() is called but instance.uid_hash_func was not provided, a ValueError is raised.
Say there are multiple processes interacting with a COD datastore simultaneously. These could be entirely separate processes, or one job with multiple workers.
In either case, what happens if they both attempt to modify the same CODObject at the same time?
To avoid the "first process gets overwritten by second process" outcome, we introduce the concept of "locking".
A lock is just a file with a specific name (.gradient.lock).
Acquiring a lock means that the CODObject will upload a lock blob to the datastore and store its generation number. If the lock already exists, the CODObject will raise a LockAcquisitionError.
CODObjects take a mode argument that controls locking and sync behavior:
mode="r"-> Read-only. No lock is acquired. Write operations will raise aWriteOperationInReadModeError.mode="w"-> Write (overwrite). A lock is acquired automatically. Starts fresh with empty metadata/tar locally. Overwrites remote tar/metadata on sync.mode="a"-> Append. A lock is acquired automatically. Fetches remote tar if it exists. Appends to existing tar/metadata on sync.
Because mode="w" and mode="a" raise an error if the lock cannot be acquired (already exists), it is guaranteed that no other writing-enabled CODObject will be created on the same series while one already exists, thus avoiding the race condition where two workers attempt to create CODObjects with the same study/series UIDs.
When the operation you are attempting involves actually modifying the COD datastore itself (example: ingesting new files), use mode="w" or mode="a".
For read-only operations like exporting or reading data from COD, use mode="r" so your operation is not blocked if another process is writing to the datastore.
CODObject is designed to be used as a context manager.
When you enter a with statement, the lock will persist for the duration of the statement. On successful exit, changes are automatically synced and the lock is released.
with CODObject(client=..., datastore_path=..., mode="w") as cod:
cod.append(instances)
# sync() called automatically, lock releasedIf an exception occurs in user code (before sync), the lock is released — only local state was affected, so the remote datastore is not corrupt:
with CODObject(client=..., datastore_path=..., mode="w") as cod:
raise ValueError("test")
# lock is released; sync was skipped since no work reached the remote datastoreHowever, if the sync itself fails (meaning remote state may be partially written), the lock is deliberately left hanging to signal that the series may be corrupt and needs attention.
Locks are NOT automatically released when a CODObject goes out of scope. Always use a context manager (with statement) to ensure proper cleanup:
# Incorrect: Lock persists indefinitely
cod = CODObject(client=..., datastore_path=..., mode="w")
del cod # Lock still exists remotely!It is YOUR responsibility as the user of this class to make sure your locks are released.
Two main principles govern how the Instance class manages URIs:
- It should be as simple and straightforward as possible to instantiate an
Instance - There should be a single source of truth for where dicom data is actually located at all times
In keeping with these, there are three different class variables designed to manage URIs:
dicom_uri: where the actual dcm data is located at any given moment. This is the only argument required to instantiate anInstance, and may change from what the user provided in order to accurately reflect the location of the dicom data (see example below)_original_path: private field automatically set to the same value asdicom_uriduringInstanceinitialization.dependencies: (OPTIONAL) a user-defined list of URI strings that are related to thisInstance, which theoretically could be deleted safely if the instance was synced to a COD Datastore
Because the actual location of dicom data changes throughout the ingestion process, dicom_uri changes to reflect this. Consider the following example:
- User creates
instance = Instance(dicom_uri="gs://some-bucket/example.dcm"). At this point,dicom_uri=_original_path="gs://some-bucket/example.dcm" - User calls
instance.open()to view the data. This causes the file to be fetched from its remote URI, and at this pointdicom_uri=path/to/a/local/temp/file/that/got/generated. However,_original_pathwill never change and still points togs://some-bucket/example.dcm - User appends
instanceto aCODObject. After a successful append the instance will be located in theCODObject's series-level tar on disk, sodicom_uri=local/path/to/cod/series.tar://instances/{instance_uid}.dcm. - User
syncs theCODObjectto the datastore. Because the instance still exists on disk in the local series tar,instance.dicom_uridoes not change. However, in the remote COD datastore, the instance is recorded as havingdicom_uri="gs://cod/datastore/series.tar://instances/{instance_uid}.dcm"
Metadata about the DICOM file that can be used to validate the file.
Say for example you have run some sort of inventory report on a set of DICOM files, and you now know their instance_uid and crc32c hash.
When ingesting these files using COD, you can provide this information via the Hints argument.
COD can then use the instance_uid and hash to determine whether this new instance is a duplicate without ever having to actually fetch the file,
thus avoiding unncessary costs associated with "no-op" ingestions (if ingestion job were to be mistakenly run twice, for example).
To avoid corrupting the COD datastore in the case of incorrect Hint values,
information provided in Hints is validated when the instance is fetched (i.e. during ingestion if the instance is NOT a duplicate),
so that if user-provided hints are incorrect the COD datastore is not corupted.
In most cases, dicom_uri will be the only dependency - the DICOM file is self-contained.
However, there are more complex cases to consider. Intelerad data, for example, may have .dcm and .j2c files that needed to be combined in order to create the true dicom P10 file.
In this case, dicom_uri is not meaningful in the context of deletion (it's likely a temp path on disk), and dependencies would be the .dcm and .j2c files.
After ingestion, one can conveniently delete these files by calling Instance.delete_dependencies().
COD supports two metadata formats: v1.0 (legacy) and v2.0 (current). The formats differ primarily in how DICOM metadata is stored and whether certain fields are explicitly indexed.
Version 2.0 introduces several optimizations:
- Compressed metadata: DICOM metadata is zstandard-compressed and base64-encoded to reduce storage size (typically achieves 5-10x compression on JSON)
- Explicit UID indexing: Study, Series, and Instance UIDs are stored as top-level fields for faster querying without decompression
- Explicit pixeldata flag:
has_pixeldataboolean stored at top level - Lazy decompression: Metadata is only decompressed when accessed via
instance.metadata - Smart caching: Small metadata (compressed size < 1KB) is cached after first decompression
Instance metadata structure (within cod.instances):
{
"instance_uid": "1.2.3.4.5",
"series_uid": "1.2.3.4",
"study_uid": "1.2.3",
"has_pixeldata": true,
"metadata": "<base64-encoded zstandard-compressed DICOM JSON dict>",
"uri": "gs://.../series.tar://instances/{instance_uid}.dcm",
"headers": {"start_byte": 123, "end_byte": 456},
"offset_tables": {"CustomOffsetTable": [...], "CustomOffsetTableLengths": [...]},
"crc32c": "the_blob_hash",
"size": 123,
"original_path": "path/where/this/file/was/originally/located",
"dependencies": ["path/to/a/dependency", ...],
"diff_hash_dupe_paths": ["path/to/a/duplicate", ...],
"version": "2.0",
"modified_datetime": "2024-01-01T00:00:00"
}Version 1.0 stores metadata uncompressed:
- Uncompressed metadata: Full DICOM JSON dict stored inline
- UIDs parsed from metadata: UIDs must be extracted from the metadata dict when needed
- Pixeldata detection: Presence of tag
7FE00010in metadata indicates pixeldata
Instance metadata structure (within cod.instances):
{
"metadata": {
"00080018": {"vr": "UI", "Value": ["1.2.3.4.5"]},
"0020000D": {"vr": "UI", "Value": ["1.2.3"]},
"0020000E": {"vr": "UI", "Value": ["1.2.3.4"]},
...
},
"uri": "gs://.../series.tar://instances/{instance_uid}.dcm",
"headers": {"start_byte": 123, "end_byte": 456},
"offset_tables": {"CustomOffsetTable": [...], "CustomOffsetTableLengths": [...]},
"crc32c": "the_blob_hash",
"size": 123,
"original_path": "path/where/this/file/was/originally/located",
"dependencies": ["path/to/a/dependency", ...],
"diff_hash_dupe_paths": ["path/to/a/duplicate", ...],
"version": "1.0",
"modified_datetime": "2024-01-01T00:00:00"
}Both versions use the same overall structure:
{
"deid_study_uid": "deid(StudyInstanceUID)",
"deid_series_uid": "deid(SeriesInstanceUID)",
"cod": {
"instances": {
"deid(SOPInstanceUID)": { /* instance metadata (v1 or v2 format) */ }
}
},
"thumbnail": {
"version": "1.0",
"uri": "studies/{deid(StudyInstanceUID)}/series/{deid(SeriesInstanceUID)}.(mp4|jpg)",
"thumbnail_index_to_instance_frame": [["deid(SOPInstanceUID)", frame_index], ...],
"instances": {
"deid(SOPInstanceUID)": {
"frames": [
{
"thumbnail_index": 0,
"anchors": {
"original_size": {"width": 100, "height": 200},
"thumbnail_upper_left": {"row": 0, "col": 10},
"thumbnail_bottom_right": {"row": 127, "col": 117}
}
}
]
}
}
},
"other": {}
}