__init__.py 2.7 KB

1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465666768697071727374757677
  1. """
  2. Python Library to Read FreeSurfer's cortical parcellation anatomical statistics
  3. ([lh]h.aparc(.*)?.stats)
  4. Freesurfer
  5. https://surfer.nmr.mgh.harvard.edu/
  6. >>> from freesurfer_stats import CorticalParcellationStats
  7. >>> stats = CorticalParcellationStats.read('tests/subjects/fabian/stats/lh.aparc.DKTatlas.stats')
  8. >>> stats.headers['CreationTime'].isoformat()
  9. '2019-05-09T21:05:54+00:00'
  10. >>> stats.headers['cvs_version']
  11. 'Id: mris_anatomical_stats.c,v 1.79 2016/03/14 15:15:34 greve Exp'
  12. >>> stats.headers['cmdline'][:64]
  13. 'mris_anatomical_stats -th3 -mgz -cortex ../label/lh.cortex.label'
  14. >>> stats.hemisphere
  15. 'left'
  16. """
  17. import datetime
  18. import re
  19. import typing
  20. import pandas
  21. from freesurfer_stats.version import __version__
  22. class CorticalParcellationStats:
  23. _HEMISPHERE_PREFIX_TO_SIDE = {'lh': 'left', 'rh': 'right'}
  24. def __init__(self):
  25. # type: typing.Dict[str, typing.Union[str, datetime.datetime]]
  26. self.headers = {}
  27. @property
  28. def hemisphere(self) -> str:
  29. return self._HEMISPHERE_PREFIX_TO_SIDE[self.headers['hemi']]
  30. def _read_headers(self, stream: typing.TextIO) -> None:
  31. self.headers = {}
  32. while True:
  33. line = stream.readline().rstrip()
  34. if line.startswith('# Measure'):
  35. break
  36. elif line != '#':
  37. prefix, attr_name, attr_value = line.split(' ', maxsplit=2)
  38. assert prefix == '#'
  39. attr_value = attr_value.lstrip()
  40. if attr_name in ['cvs_version', 'mrisurf.c-cvs_version']:
  41. attr_value = attr_value.strip('$').rstrip()
  42. if attr_name == 'CreationTime':
  43. attr_dt = datetime.datetime.strptime(
  44. attr_value, '%Y/%m/%d-%H:%M:%S-%Z')
  45. if attr_dt.tzinfo is None:
  46. assert attr_value.endswith('-GMT')
  47. attr_dt = attr_dt.replace(tzinfo=datetime.timezone.utc)
  48. attr_value = attr_dt
  49. if attr_name == 'AnnotationFileTimeStamp':
  50. attr_value = datetime.datetime.strptime(
  51. attr_value, '%Y/%m/%d %H:%M:%S')
  52. self.headers[attr_name] = attr_value
  53. def _read(self, stream: typing.TextIO) -> None:
  54. assert stream.readline().rstrip() \
  55. == '# Table of FreeSurfer cortical parcellation anatomical statistics'
  56. assert stream.readline().rstrip() == '#'
  57. self._read_headers(stream)
  58. @classmethod
  59. def read(cls, path: str) -> 'CorticalParcellationStats':
  60. stats = cls()
  61. with open(path, 'r') as stream:
  62. # pylint: disable=protected-access
  63. stats._read(stream)
  64. return stats