-
Notifications
You must be signed in to change notification settings - Fork 1.2k
WIP(convert tool to transform)-135 add DICOM loader #141
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
Closed
Closed
Changes from all commits
Commits
Show all changes
6 commits
Select commit
Hold shift + click to select a range
6a496c4
[DLMED] add converter to convert DICOM and Nifti format
Nic-Ma fc7a918
[DLMED] add SimpleITK package
Nic-Ma a74c154
Merge branch 'master' into 135-add-DICOM-loader
Nic-Ma 403d09a
[DLMED] add customized_rounding API
Nic-Ma 20b1885
[DLMED] fix flake8 error
Nic-Ma a29d639
Merge branch 'master' into 135-add-DICOM-loader
Nic-Ma File filter
Filter by extension
Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
There are no files selected for viewing
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,260 @@ | ||
# Copyright 2020 MONAI Consortium | ||
# Licensed under the Apache License, Version 2.0 (the "License"); | ||
# you may not use this file except in compliance with the License. | ||
# You may obtain a copy of the License at | ||
# http://www.apache.org/licenses/LICENSE-2.0 | ||
# Unless required by applicable law or agreed to in writing, software | ||
# distributed under the License is distributed on an "AS IS" BASIS, | ||
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. | ||
# See the License for the specific language governing permissions and | ||
# limitations under the License. | ||
|
||
import os | ||
import argparse | ||
import numpy as np | ||
import SimpleITK as Sitk | ||
|
||
ALLOWED_SRC_FORMATS = ['.nii', '.nii.gz', '.mhd', '.mha', '.dcm'] | ||
ALLOWED_DST_FORMATS = ['.nii', '.nii.gz', '.mhd', '.mha'] | ||
|
||
|
||
def standardize_ext(ext): | ||
if not ext.startswith('.'): | ||
ext = '.' + ext | ||
|
||
return ext | ||
|
||
|
||
def contain_dicom(path): | ||
items = os.listdir(path) | ||
for item in items: | ||
if item.lower().endswith('.dcm'): | ||
return True | ||
|
||
return False | ||
|
||
|
||
def get_dicom_dir_list(source_dir): | ||
dicom_dir_list = [] | ||
|
||
# Generate a list of folders that contains dicom files, start with the root folder | ||
if contain_dicom(source_dir): | ||
dicom_dir_list.append(source_dir) | ||
|
||
# Go into the subfolders to find dicom files | ||
for root, dirs, files in os.walk(source_dir, topdown=False): | ||
|
||
for name in dirs: | ||
full_dir = os.path.join(root, name) | ||
if contain_dicom(full_dir): | ||
dicom_dir_list.append(full_dir) | ||
|
||
return dicom_dir_list | ||
|
||
|
||
def get_image_file_list(source_dir, ext): | ||
image_file_list = [] | ||
|
||
# Go into the subfolders to find dicom files | ||
for root, dirs, files in os.walk(source_dir, topdown=False): | ||
|
||
for name in files: | ||
if name.endswith(ext): | ||
full_path = os.path.join(root, name) | ||
image_file_list.append(full_path) | ||
|
||
return image_file_list | ||
|
||
|
||
def resample_image(img, tgt_res): | ||
# Compute resampling factor, new size and resample using SimpleITK | ||
factor = np.asarray(img.GetSpacing()) / tgt_res | ||
new_size = np.asarray(img.GetSize() * factor, dtype=int) | ||
resampler.SetReferenceImage(img) | ||
resampler.SetOutputSpacing(tgt_res) | ||
resampler.SetSize(new_size.tolist()) | ||
return resampler.Execute(img) | ||
|
||
|
||
def customized_rounding(val, first_decimal_digit=None, rounding_precision=3): | ||
"""Customize rounding operation | ||
|
||
Args: | ||
val: a positive floating number | ||
first_decimal_digit: first non-zero decimal digit in consideration, if val is greater than zero, | ||
first_decimal_digit is equal to zero (first digit above decimal point) | ||
rounding_precision: available digits in consideration after first_decimal_digit | ||
(including first_decimal_digit) | ||
|
||
Returns: | ||
A floating number after customized rounding | ||
""" | ||
assert (val >= 0), "[error] input resolution has to be greater than zero!" | ||
|
||
if first_decimal_digit is None: | ||
if val >= 1.0: | ||
first_decimal_digit = 0 | ||
else: | ||
first_decimal_digit_temp = -1 | ||
val_temp = val | ||
while val_temp * 10.0 < 1.0: | ||
first_decimal_digit_temp -= 1 | ||
val_temp *= 10.0 | ||
first_decimal_digit = first_decimal_digit_temp | ||
elif first_decimal_digit > 0: | ||
first_decimal_digit = 0 | ||
|
||
if first_decimal_digit == 0: | ||
new_val = np.round(val, rounding_precision - 1) | ||
else: | ||
new_val = np.round(val, abs(first_decimal_digit - rounding_precision + 1)) | ||
|
||
return new_val | ||
|
||
|
||
if __name__ == '__main__': | ||
|
||
parser = argparse.ArgumentParser('Convert medical image formats with option to resample image. \ | ||
Supported input formats: .dcm, .nii, .nii.gz, .mha, .mhd. \ | ||
Supported output formats: .nii, .nii.gz, .mha, .mhd') | ||
parser.add_argument('--dir', '-d', required=True, | ||
help='Directory of dicom files to be converted') | ||
parser.add_argument('--res', '-r', nargs='+', type=float, | ||
help='Target resolution. If not provided, dicom resolution will be preserved. ' | ||
'If only one value is provided, target resolution will be isotrophic.') | ||
parser.add_argument('--src_ext', '-s', default='.nii', | ||
help='Input file format, can be .dcm, .nii, .nii.gz, .mha, .mhd') | ||
parser.add_argument('--dst_ext', '-e', default='.nii', | ||
help='Output file format, can be .nii, .nii.gz, .mha, .mhd') | ||
parser.add_argument('--output', '-o', default='.', | ||
help='Output directory') | ||
parser.add_argument('--force', '-f', action='store_true', | ||
help='Option to force overwriting exsting files') | ||
parser.add_argument('--label', '-l', action='store_true', | ||
help='flag indicating converting label data (nearest neighbor interpolator will be used)') | ||
parser.add_argument('--first_decimal', '-n', type=int, default=None, | ||
help='number to indicate the first decimal digit') | ||
parser.add_argument('--precision', '-p', type=int, default=3, | ||
help='number to indicate the rounding precision') | ||
args = parser.parse_args() | ||
|
||
target_res = args.res | ||
src_dir = args.dir | ||
dst_dir = args.output | ||
src_ext = standardize_ext(args.src_ext) | ||
dst_ext = standardize_ext(args.dst_ext) | ||
convert_label = args.label | ||
force_write = args.force | ||
first_decimal_digit = args.first_decimal | ||
rounding_precision = args.precision | ||
|
||
# Check if extension is supported | ||
if src_ext.lower() not in ALLOWED_SRC_FORMATS: | ||
raise ValueError('Unsupported output extension: {}'.format(src_ext)) | ||
if dst_ext.lower() not in ALLOWED_DST_FORMATS: | ||
raise ValueError('Unsupported output extension: {}'.format(dst_ext)) | ||
|
||
# Create data list, image reader, writer and resampler | ||
if src_ext == '.dcm': | ||
data_list = get_dicom_dir_list(src_dir) | ||
reader = Sitk.ImageSeriesReader() | ||
else: | ||
data_list = get_image_file_list(src_dir, src_ext) | ||
reader = Sitk.ImageFileReader() | ||
writer = Sitk.ImageFileWriter() | ||
|
||
if target_res is not None: | ||
if len(target_res) == 1: | ||
target_res *= 3 | ||
resampler = Sitk.ResampleImageFilter() | ||
if convert_label: | ||
resampler.SetInterpolator(Sitk.sitkNearestNeighbor) | ||
|
||
# Load dicom series in every folder | ||
skip_exist = False | ||
N = len(data_list) | ||
for i, data_path in enumerate(data_list): | ||
|
||
# Output file is named by the folder name containing the dicom files. Folder structure is preserved. | ||
rel_path = os.path.relpath(data_path, src_dir) | ||
if rel_path[-len(src_ext):] == src_ext: | ||
rel_path = rel_path[0:-len(src_ext)] # remove src_ext if file ends with provided src_ext | ||
output_path = os.path.join(dst_dir, rel_path + dst_ext) | ||
output_dir = os.path.dirname(output_path) | ||
|
||
# If the file already exists, check the force and skip options, and ask the user what to do. | ||
if os.path.isfile(output_path): | ||
if skip_exist: | ||
continue | ||
|
||
if not force_write: | ||
while True: | ||
print('{} already exists!'.format(output_path)) | ||
overwrite = input('Overwrite? (Y)es, (N)o, (A)lways overwrite, (S)kip all: ') | ||
overwrite = overwrite.lower() | ||
if overwrite in ['y', 'n', 'a', 's']: | ||
break | ||
|
||
if overwrite == 'a': | ||
force_write = True | ||
elif overwrite == 's': | ||
skip_exist = True | ||
continue | ||
elif overwrite == 'n': | ||
continue | ||
|
||
# Get dicom file names, sorted based on slice location | ||
if src_ext.endswith('.dcm'): | ||
print('Converting dicom series {} of {} in {}'.format(i + 1, N, os.path.relpath(data_path, src_dir))) | ||
dicom_names = reader.GetGDCMSeriesFileNames(data_path, useSeriesDetails=True) | ||
reader.SetFileNames(dicom_names) | ||
else: | ||
print('Converting image {} of {}: {}'.format(i + 1, N, os.path.relpath(data_path, src_dir))) | ||
reader.SetFileName(data_path) | ||
|
||
try: | ||
image = reader.Execute() | ||
|
||
if target_res is not None: | ||
if len(image.GetSize()) > 3: # time series | ||
n_timepoints = image.GetSize()[-1] | ||
resampled_timepoints = [] | ||
for n in range(n_timepoints): | ||
if n_timepoints == 1: | ||
_img = image | ||
else: | ||
_img = Sitk.Extract(image, image.GetSize()[:3] + (0,), [0, 0, 0, n]) | ||
|
||
spacing = _img.GetSpacing() | ||
# solution 1 | ||
# new_spacing = [np.float16(item) for item in spacing] | ||
# new_spacing = [np.float64(item) for item in new_spacing] | ||
# solution 2 | ||
new_spacing = [customized_rounding(item, first_decimal_digit=first_decimal_digit, | ||
rounding_precision=rounding_precision) for item in spacing] | ||
_img.SetSpacing(new_spacing) | ||
|
||
_img = resample_image(_img, target_res) | ||
resampled_timepoints.append(_img) | ||
# join resampled timepoints back together | ||
join = Sitk.JoinSeriesImageFilter() | ||
image = join.Execute(resampled_timepoints) | ||
else: # single time | ||
|
||
spacing = image.GetSpacing() | ||
# solution 1 | ||
# new_spacing = [np.float16(item) for item in spacing] | ||
# new_spacing = [np.float64(item) for item in new_spacing] | ||
# solution 2 | ||
new_spacing = [customized_rounding(item, first_decimal_digit=first_decimal_digit, | ||
rounding_precision=rounding_precision) for item in spacing] | ||
image.SetSpacing(new_spacing) | ||
|
||
image = resample_image(image, target_res) | ||
|
||
if not os.path.isdir(output_dir): | ||
os.makedirs(output_dir) | ||
writer.SetFileName(output_path) | ||
writer.Execute(image) | ||
except RuntimeError: | ||
print("Failed to convert image file: {}. Skipped!".format(data_path)) |
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
|
@@ -7,3 +7,4 @@ coverage | |
nibabel | ||
parameterized | ||
tensorboard | ||
SimpleITK |
Add this suggestion to a batch that can be applied as a single commit.
This suggestion is invalid because no changes were made to the code.
Suggestions cannot be applied while the pull request is closed.
Suggestions cannot be applied while viewing a subset of changes.
Only one suggestion per line can be applied in a batch.
Add this suggestion to a batch that can be applied as a single commit.
Applying suggestions on deleted lines is not supported.
You must change the existing code in this line in order to create a valid suggestion.
Outdated suggestions cannot be applied.
This suggestion has been applied or marked resolved.
Suggestions cannot be applied from pending reviews.
Suggestions cannot be applied on multi-line comments.
Suggestions cannot be applied while the pull request is queued to merge.
Suggestion cannot be applied right now. Please check back later.
Uh oh!
There was an error while loading. Please reload this page.