Skip to content
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

[ENH] Replace FSL mcflirt with AFNI 3dVolReg #1283

Merged
merged 30 commits into from
Oct 26, 2018
Merged
Show file tree
Hide file tree
Changes from 3 commits
Commits
Show all changes
30 commits
Select commit Hold shift + click to select a range
682e60d
Replace MCFLIRT with 3dVolReg
chrisgorgo Sep 13, 2018
829d762
Replace MCFLIRT with 3dVolReg
chrisgorgo Sep 13, 2018
7874bc7
new way to deoblique
chrisgorgo Sep 13, 2018
4450915
make flake8 happy
chrisgorgo Sep 14, 2018
e2abc33
pin niworkflows to feature branch that resamples sbref
chrisgorgo Sep 14, 2018
ec9da7e
better fancier "deobliquing"
chrisgorgo Sep 14, 2018
0a90c83
updating niworkflows dependency
chrisgorgo Sep 14, 2018
ca7d364
fixes
chrisgorgo Sep 14, 2018
add3e00
update niworkflows pin
chrisgorgo Sep 17, 2018
0420e3d
Merge branch 'master' into enh/3dvolreg
oesteban Oct 3, 2018
5d70673
Merge remote-tracking branch 'upstream/master' into enh/3dvolreg
oesteban Oct 16, 2018
27b824f
fix niworkflows pinning
oesteban Oct 16, 2018
4abb15c
make new nipype interface
oesteban Oct 16, 2018
3d93a9c
update docstring and boilerplate
oesteban Oct 16, 2018
3a8a2fa
fix too long lines
oesteban Oct 16, 2018
61b094b
fix error using fname_presuffix
oesteban Oct 17, 2018
1ce323b
fix comment
oesteban Oct 17, 2018
7a5fae9
Merge remote-tracking branch 'upstream/master' into enh/3dvolreg
oesteban Oct 17, 2018
c0db97f
[skip ds005] Merge branch 'hotfix/reports-3' into enh/3dvolreg
oesteban Oct 17, 2018
b86e278
Update fmriprep/utils/misc.py
oesteban Oct 18, 2018
40a77b6
Update fmriprep/utils/misc.py
oesteban Oct 18, 2018
1d77247
Merge branch 'fix/osf-templates' into enh/3dvolreg
oesteban Oct 18, 2018
145bde0
Merge branch 'enh/3dvolreg' of github.com:chrisfilo/fmriprep into enh…
oesteban Oct 18, 2018
e9de427
Merge remote-tracking branch 'upstream/master' into enh/3dvolreg
oesteban Oct 26, 2018
bc32b8b
fix bug https://github.com/poldracklab/fmriprep/pull/1283#discussion_…
oesteban Oct 26, 2018
93c712b
revise mentions to mcflirt
oesteban Oct 26, 2018
649737c
revise documentation & add mcflirt flag
oesteban Oct 26, 2018
93fc896
clean-up boilerplate
oesteban Oct 26, 2018
55b4236
boilerplate: fix afni version
oesteban Oct 26, 2018
bc48f64
TEST: Add use_mcflirt to base test
effigies Oct 26, 2018
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
21 changes: 20 additions & 1 deletion fmriprep/interfaces/images.py
Original file line number Diff line number Diff line change
Expand Up @@ -293,6 +293,7 @@ def _run_interface(self, runtime):

class ValidateImageInputSpec(BaseInterfaceInputSpec):
in_file = File(exists=True, mandatory=True, desc='input image')
deoblique = traits.Bool(False, usedefault=True)


class ValidateImageOutputSpec(TraitedSpec):
Expand Down Expand Up @@ -342,6 +343,15 @@ class ValidateImage(SimpleInterface):
output_spec = ValidateImageOutputSpec

def _run_interface(self, runtime):

def deoblique(img):
import os
import nibabel as nb
import numpy as np
affine = img.affine
affine[:3, :3] = np.diag(np.diag(affine[:3, :3]))
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

This will simply zero out the off-diagonal, right? That will end up producing an affine with smaller zooms than the original. Probably the correct way to do this is to do a rotation/zoom/shear/translation decomposition, and then to remove the rotations and shears.

That said, this is less a de-oblique than a removal of information that describes obliqueness. Is this what you want, and what's the reason for that?

Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Yes the intention was to remove off diagonal values (because otherwise AFNI doesn't generate transforms that can be applied by ANTs). Is there a python code snippet for rotation/zoom/shear/translation decomposition I could use?

return nb.Nifti1Image(np.asanyarray(img.dataobj), affine, img.header)
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

I would prefer img.__class__ to nb.Nifti1Image.


img = nb.load(self.inputs.in_file)
out_report = os.path.join(runtime.cwd, 'report.html')

Expand Down Expand Up @@ -370,7 +380,13 @@ def _run_interface(self, runtime):

# Both match, qform valid (implicit with match), codes okay -> do nothing, empty report
if matching_affines and qform_code > 0 and sform_code > 0:
self._results['out_file'] = self.inputs.in_file
if self.inputs.deoblique:
out_fname = fname_presuffix(self.inputs.in_file, suffix='_valid', newpath=runtime.cwd)
img = deoblique(img)
img.to_filename(out_fname)
self._results['out_file'] = out_fname
else:
self._results['out_file'] = self.inputs.in_file
open(out_report, 'w').close()
self._results['out_report'] = out_report
return runtime
Expand Down Expand Up @@ -418,6 +434,9 @@ def _run_interface(self, runtime):
</p>
"""
snippet = '<h3 class="elem-title">%s</h3>\n%s\n' % (warning_txt, description)

if self.inputs.deoblique:
img = deoblique(img)
# Store new file and report
img.to_filename(out_fname)
with open(out_report, 'w') as fobj:
Expand Down
52 changes: 52 additions & 0 deletions fmriprep/utils/misc.py
Original file line number Diff line number Diff line change
Expand Up @@ -7,6 +7,58 @@
"""


def split_and_deoblique_func(in_file):
import os
from nilearn.image import iter_img
import nibabel as nb
import numpy as np
out_files = []
for i, img in enumerate(iter_img(in_file)):
out_file = os.path.abspath('vol%04d.nii.gz'%i)
affine = img.affine
affine[:3,:3] = np.diag(np.diag(affine[:3, :3]))
nb.Nifti1Image(np.asanyarray(img.dataobj), affine, img.header).to_filename(out_file)
out_files.append(out_file)
return out_files


def afni2itk_func(in_file):
import os
from scipy.io import loadmat, savemat
from numpy import loadtxt, around, hstack, vstack, zeros, float64

def read_afni_affine(input_file, debug=False):
orig_afni_mat = loadtxt(input_file)
if debug:
print(orig_afni_mat)

output = []
for i in range(orig_afni_mat.shape[0]):
output.append(vstack((orig_afni_mat[i,:].reshape(3, 4, order='C'), [0, 0, 0, 1])))
return output

def get_ants_dict(affine, debug=False):
out_dict = {}
out_dict['AffineTransform_double_3_3'] = hstack(
(affine[:3, :3].reshape(1, -1), affine[:3, 3].reshape(1, -1))).reshape(-1, 1).astype(float64)
out_dict['fixed'] = zeros((3, 1))
if debug:
print(out_dict)

return out_dict

out_file = os.path.abspath('mc4d.txt')
with open(out_file, 'w') as fp:
fp.write("#Insight Transform File V1.0\n")
for i, affine in enumerate(read_afni_affine(in_file)):
fp.write("#Transform %d\n"%i)
fp.write("Transform: AffineTransform_double_3_3\n")
trans_dict = get_ants_dict(affine)
fp.write("Parameters: " + ' '.join(["%g"%i for i in list(trans_dict['AffineTransform_double_3_3'])]) + "\n")
fp.write("FixedParameters: " + ' '.join(["%g"%i for i in list(trans_dict['fixed'])]) + "\n")
return out_file


def fix_multi_T1w_source_name(in_files):
"""
Make up a generic source name when there are multiple T1s
Expand Down
4 changes: 3 additions & 1 deletion fmriprep/workflows/bold/base.py
Original file line number Diff line number Diff line change
Expand Up @@ -19,6 +19,7 @@
from nipype.pipeline import engine as pe
from nipype.interfaces import utility as niu

from fmriprep.utils.misc import split_and_deoblique_func
from ...interfaces import (
DerivativesDataSink,
GiftiNameSource,
Expand Down Expand Up @@ -396,7 +397,8 @@ def init_func_preproc_wf(bold_file, ignore, freesurfer,
omp_nthreads=omp_nthreads, enhance_t2=True)

# Top-level BOLD splitter
bold_split = pe.Node(FSLSplit(dimension='t'), name='bold_split',
bold_split = pe.Node(niu.Function(function=split_and_deoblique_func, input_names=['in_file'],
output_names=['out_files']), name='bold_split',
mem_gb=mem_gb['filesize'] * 3)

# HMC on the BOLD
Expand Down
27 changes: 14 additions & 13 deletions fmriprep/workflows/bold/hmc.py
Original file line number Diff line number Diff line change
Expand Up @@ -10,8 +10,9 @@
"""

from nipype.pipeline import engine as pe
from nipype.interfaces import utility as niu, fsl
from nipype.interfaces import utility as niu, fsl, afni
from niworkflows.interfaces import NormalizeMotionParams
from fmriprep.utils.misc import afni2itk_func
from ...engine import Workflow
from ...interfaces import MCFLIRT2ITK

Expand Down Expand Up @@ -73,24 +74,24 @@ def init_bold_hmc_wf(mem_gb, omp_nthreads, name='bold_hmc_wf'):
name='outputnode')

# Head motion correction (hmc)
mcflirt = pe.Node(fsl.MCFLIRT(save_mats=True, save_plots=True),
name='mcflirt', mem_gb=mem_gb * 3)
mc = pe.Node(afni.Volreg(args='-prefix NULL -twopass',
zpad=4, outputtype='NIFTI_GZ'), name="mc", mem_gb=mem_gb * 3)
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Do we need to specify outputtype if -prefix NULL?

Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

No, but we never use the output so there is no need for saving it (even if Nipype will delete it anyway).


fsl2itk = pe.Node(MCFLIRT2ITK(), name='fsl2itk',
mem_gb=0.05, n_procs=omp_nthreads)
afni2itk = pe.Node(niu.Function(function=afni2itk_func,
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

If there's nothing against it, I'll convert this function node into a VOLREG2ITK fully-fledged nipype interface before merging in, similarly to MCFLIRT2ITK. I can remember that parallelizing that one was tricky but paid off with an important speed up on long datasets.

input_names=["in_file"],
output_names=["out_files"]), name='afni2itk',
mem_gb=0.05)

normalize_motion = pe.Node(NormalizeMotionParams(format='FSL'),
normalize_motion = pe.Node(NormalizeMotionParams(format='AFNI'),
name="normalize_motion",
mem_gb=DEFAULT_MEMORY_MIN_GB)

workflow.connect([
(inputnode, mcflirt, [('raw_ref_image', 'ref_file'),
('bold_file', 'in_file')]),
(inputnode, fsl2itk, [('raw_ref_image', 'in_source'),
('raw_ref_image', 'in_reference')]),
(mcflirt, fsl2itk, [('mat_file', 'in_files')]),
(mcflirt, normalize_motion, [('par_file', 'in_file')]),
(fsl2itk, outputnode, [('out_file', 'xforms')]),
(inputnode, mc, [('raw_ref_image', 'basefile'),
('bold_file', 'in_file')]),
(mc, afni2itk, [('oned_matrix_save', 'in_file')]),
(mc, normalize_motion, [('oned_file', 'in_file')]),
(afni2itk, outputnode, [('out_files', 'xforms')]),
(normalize_motion, outputnode, [('out_file', 'movpar_file')]),
])

Expand Down
2 changes: 1 addition & 1 deletion fmriprep/workflows/bold/util.py
Original file line number Diff line number Diff line change
Expand Up @@ -104,7 +104,7 @@ def init_bold_reference_wf(omp_nthreads, bold_file=None, name='bold_reference_wf
gen_ref = pe.Node(EstimateReferenceImage(), name="gen_ref",
mem_gb=1) # OE: 128x128x128x50 * 64 / 8 ~ 900MB.
# Re-run validation; no effect if no sbref; otherwise apply same validation to sbref as bold
validate_ref = pe.Node(ValidateImage(), name='validate_ref', mem_gb=DEFAULT_MEMORY_MIN_GB)
validate_ref = pe.Node(ValidateImage(deoblique=True), name='validate_ref', mem_gb=DEFAULT_MEMORY_MIN_GB)
enhance_and_skullstrip_bold_wf = init_enhance_and_skullstrip_bold_wf(omp_nthreads=omp_nthreads)

workflow.connect([
Expand Down