dataExplorer.py 11 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316
  1. import os
  2. import unittest
  3. import vtk, qt, ctk, slicer
  4. from slicer.ScriptedLoadableModule import *
  5. import logging
  6. import slicerNetwork
  7. import json
  8. import loadPatient
  9. #
  10. # dataExplorer
  11. #
  12. class dataExplorer(ScriptedLoadableModule):
  13. """Uses ScriptedLoadableModule base class, available at:
  14. https://github.com/Slicer/Slicer/blob/master/Base/Python/slicer/ScriptedLoadableModule.py
  15. """
  16. def __init__(self, parent):
  17. ScriptedLoadableModule.__init__(self, parent)
  18. self.parent.title = "dataExplorer" # TODO make this more human readable by adding spaces
  19. self.parent.categories = ["EMBRACE"]
  20. self.parent.dependencies = []
  21. self.parent.contributors = ["Andrej Studen (University of Ljubljana)"] # replace with "Firstname Lastname (Organization)"
  22. self.parent.helpText = """
  23. This is an example of scripted loadable module bundled in an extension.
  24. It performs a simple thresholding on the input volume and optionally captures a screenshot.
  25. """
  26. self.parent.helpText += self.getDefaultModuleDocumentationLink()
  27. self.parent.acknowledgementText = """
  28. This extension developed within Medical Physics research programe of ARRS
  29. """ # replace with organization, grant and thanks.
  30. #
  31. # dataExplorerWidget
  32. #
  33. class dataExplorerWidget(ScriptedLoadableModuleWidget):
  34. """Uses ScriptedLoadableModuleWidget base class, available at:
  35. https://github.com/Slicer/Slicer/blob/master/Base/Python/slicer/ScriptedLoadableModule.py
  36. """
  37. def setup(self):
  38. ScriptedLoadableModuleWidget.setup(self)
  39. self.loadPatientLogic=loadPatient.loadPatientLogic(self)
  40. # Instantiate and connect widgets ...
  41. #
  42. # Parameters Area
  43. #
  44. basePath=os.path.join(os.path.expanduser('~'),'.EMBRACE')
  45. #'D:\\Sw\\src\\EMBRACE'
  46. netConfig=os.path.join(basePath,'onko-nix.json')
  47. self.sNet=slicerNetwork.labkeyURIHandler()
  48. self.sNet.parseConfig(netConfig)
  49. self.sNet.initRemote()
  50. self.loadPatientLogic.setURIHandler(self.sNet)
  51. self.project="EMBRACE/Studija"
  52. self.dataset="ImagingVisitsManaged"
  53. datasetCollapsibleButton = ctk.ctkCollapsibleButton()
  54. datasetCollapsibleButton.text = "Dataset"
  55. self.layout.addWidget(datasetCollapsibleButton)
  56. # Layout within the dummy collapsible button
  57. datasetFormLayout = qt.QFormLayout(datasetCollapsibleButton)
  58. self.datasetButton=qt.QPushButton("Load")
  59. self.datasetButton.connect('clicked(bool)',self.onDatasetLoadButtonClicked)
  60. datasetFormLayout.addRow("Data:",self.datasetButton)
  61. self.patientId=qt.QLineEdit("LJU004")
  62. datasetFormLayout.addRow("Patient ID:",self.patientId)
  63. loadCTButton=qt.QPushButton("CT")
  64. loadCTButton.clicked.connect(self.onLoadCTButtonClicked)
  65. datasetFormLayout.addRow("Load:",loadCTButton)
  66. loadCTRSButton=qt.QPushButton("CT-RS")
  67. loadCTRSButton.clicked.connect(self.onLoadCTRSButtonClicked)
  68. datasetFormLayout.addRow("Load:",loadCTRSButton)
  69. loadDMRButton=qt.QPushButton("DMR")
  70. loadDMRButton.clicked.connect(self.onLoadDMRButtonClicked)
  71. datasetFormLayout.addRow("Load:",loadDMRButton)
  72. dataCollapsibleButton = ctk.ctkCollapsibleButton()
  73. dataCollapsibleButton.text = "Data"
  74. self.layout.addWidget(dataCollapsibleButton)
  75. # Layout within the dummy collapsible button
  76. dataFormLayout = qt.QVBoxLayout(dataCollapsibleButton)
  77. self.data=qt.QTableWidget(3,3)
  78. dataFormLayout.addWidget(self.data)
  79. patientsCollapsibleButton = ctk.ctkCollapsibleButton()
  80. patientsCollapsibleButton.text = "Patients"
  81. self.layout.addWidget(patientsCollapsibleButton)
  82. # Layout within the dummy collapsible button
  83. self.patientsFormLayout = qt.QVBoxLayout(patientsCollapsibleButton)
  84. self.signalMapper=qt.QSignalMapper()
  85. self.signalMapper.connect(self.signalMapper, qt.SIGNAL("mapped(const QString &)"), self.onPatientButtonClicked)
  86. def cleanup(self):
  87. pass
  88. def onDatasetLoadButtonClicked(self):
  89. ds=self.sNet.loadDataset(self.project,self.dataset)
  90. #loaded a JSON object -> convert to suitable display
  91. columns=ds['columnModel']
  92. self.data.setColumnCount(len(columns))
  93. self.data.setRowCount(len(ds['rows']))
  94. columnNames=[f['header'] for f in columns]
  95. self.data.setHorizontalHeaderLabels(columnNames)
  96. columnID=[f['dataIndex'] for f in columns]
  97. insertRowID=0
  98. for row in ds['rows']:
  99. insertColumnID=0
  100. for c in columnID:
  101. item=qt.QTableWidgetItem(str(row[c]))
  102. self.data.setItem(insertRowID,insertColumnID,item)
  103. insertColumnID+=1
  104. insertRowID+=1
  105. #clear patient list
  106. while self.patientsFormLayout.count():
  107. child=self.patientsFormLayout.takeAt(0)
  108. if child.widget():
  109. self.signalMapper.removeMapping(child.widget())
  110. child.widget().deleteLater()
  111. #populate patient list
  112. patientList=[f['EMBRACE_ID'] for f in ds['rows']]
  113. #remove duplicates
  114. patientSet=set(patientList)
  115. for p in patientSet:
  116. patientButton=qt.QPushButton(p)
  117. patientButton.connect(patientButton, qt.SIGNAL("clicked()"),
  118. self.signalMapper, qt.SLOT("map()"))
  119. self.patientsFormLayout.addWidget(patientButton)
  120. self.signalMapper.setMapping(patientButton,p)
  121. def onPatientButtonClicked(self, label):
  122. print "onPatientButtonClicked() for {}".format(label)
  123. self.loadPatientLogic.load(label)
  124. def onLoadCTButtonClicked(self):
  125. self.CT=self.loadPatientLogic.loadCT(self.patientId.text)
  126. def onLoadCTRSButtonClicked(self):
  127. self.CTRS=self.loadPatientLogic.loadCTRS(self.patientId.text)
  128. def onLoadDMRButtonClicked(self):
  129. self.DMR=self.loadPatientLogic.loadDMR(self.patientId.text)
  130. #
  131. # dataExplorerLogic
  132. #
  133. class dataExplorerLogic(ScriptedLoadableModuleLogic):
  134. """This class should implement all the actual
  135. computation done by your module. The interface
  136. should be such that other python code can import
  137. this class and make use of the functionality without
  138. requiring an instance of the Widget.
  139. Uses ScriptedLoadableModuleLogic base class, available at:
  140. https://github.com/Slicer/Slicer/blob/master/Base/Python/slicer/ScriptedLoadableModule.py
  141. """
  142. def hasImageData(self,volumeNode):
  143. """This is an example logic method that
  144. returns true if the passed in volume
  145. node has valid image data
  146. """
  147. if not volumeNode:
  148. logging.debug('hasImageData failed: no volume node')
  149. return False
  150. if volumeNode.GetImageData() is None:
  151. logging.debug('hasImageData failed: no image data in volume node')
  152. return False
  153. return True
  154. def isValidInputOutputData(self, inputVolumeNode, outputVolumeNode):
  155. """Validates if the output is not the same as input
  156. """
  157. if not inputVolumeNode:
  158. logging.debug('isValidInputOutputData failed: no input volume node defined')
  159. return False
  160. if not outputVolumeNode:
  161. logging.debug('isValidInputOutputData failed: no output volume node defined')
  162. return False
  163. if inputVolumeNode.GetID()==outputVolumeNode.GetID():
  164. logging.debug('isValidInputOutputData failed: input and output volume is the same. Create a new volume for output to avoid this error.')
  165. return False
  166. return True
  167. def takeScreenshot(self,name,description,type=-1):
  168. # show the message even if not taking a screen shot
  169. slicer.util.delayDisplay('Take screenshot: '+description+'.\nResult is available in the Annotations module.', 3000)
  170. lm = slicer.app.layoutManager()
  171. # switch on the type to get the requested window
  172. widget = 0
  173. if type == slicer.qMRMLScreenShotDialog.FullLayout:
  174. # full layout
  175. widget = lm.viewport()
  176. elif type == slicer.qMRMLScreenShotDialog.ThreeD:
  177. # just the 3D window
  178. widget = lm.threeDWidget(0).threeDView()
  179. elif type == slicer.qMRMLScreenShotDialog.Red:
  180. # red slice window
  181. widget = lm.sliceWidget("Red")
  182. elif type == slicer.qMRMLScreenShotDialog.Yellow:
  183. # yellow slice window
  184. widget = lm.sliceWidget("Yellow")
  185. elif type == slicer.qMRMLScreenShotDialog.Green:
  186. # green slice window
  187. widget = lm.sliceWidget("Green")
  188. else:
  189. # default to using the full window
  190. widget = slicer.util.mainWindow()
  191. # reset the type so that the node is set correctly
  192. type = slicer.qMRMLScreenShotDialog.FullLayout
  193. # grab and convert to vtk image data
  194. qimage = ctk.ctkWidgetsUtils.grabWidget(widget)
  195. imageData = vtk.vtkImageData()
  196. slicer.qMRMLUtils().qImageToVtkImageData(qimage,imageData)
  197. annotationLogic = slicer.modules.annotations.logic()
  198. annotationLogic.CreateSnapShot(name, description, type, 1, imageData)
  199. def run(self, inputVolume, outputVolume, imageThreshold, enableScreenshots=0):
  200. """
  201. Run the actual algorithm
  202. """
  203. if not self.isValidInputOutputData(inputVolume, outputVolume):
  204. slicer.util.errorDisplay('Input volume is the same as output volume. Choose a different output volume.')
  205. return False
  206. logging.info('Processing started')
  207. # Compute the thresholded output volume using the Threshold Scalar Volume CLI module
  208. cliParams = {'InputVolume': inputVolume.GetID(), 'OutputVolume': outputVolume.GetID(), 'ThresholdValue' : imageThreshold, 'ThresholdType' : 'Above'}
  209. cliNode = slicer.cli.run(slicer.modules.thresholdscalarvolume, None, cliParams, wait_for_completion=True)
  210. # Capture screenshot
  211. if enableScreenshots:
  212. self.takeScreenshot('dataExplorerTest-Start','MyScreenshot',-1)
  213. logging.info('Processing completed')
  214. return True
  215. class dataExplorerTest(ScriptedLoadableModuleTest):
  216. """
  217. This is the test case for your scripted module.
  218. Uses ScriptedLoadableModuleTest base class, available at:
  219. https://github.com/Slicer/Slicer/blob/master/Base/Python/slicer/ScriptedLoadableModule.py
  220. """
  221. def setUp(self):
  222. """ Do whatever is needed to reset the state - typically a scene clear will be enough.
  223. """
  224. slicer.mrmlScene.Clear(0)
  225. def runTest(self):
  226. """Run as few or as many tests as needed here.
  227. """
  228. self.setUp()
  229. self.test_dataExplorer1()
  230. def test_dataExplorer1(self):
  231. """ Ideally you should have several levels of tests. At the lowest level
  232. tests should exercise the functionality of the logic with different inputs
  233. (both valid and invalid). At higher levels your tests should emulate the
  234. way the user would interact with your code and confirm that it still works
  235. the way you intended.
  236. One of the most important features of the tests is that it should alert other
  237. developers when their changes will have an impact on the behavior of your
  238. module. For example, if a developer removes a feature that you depend on,
  239. your test should break so they know that the feature is needed.
  240. """
  241. self.delayDisplay("Starting the test")
  242. #
  243. # first, get some data
  244. #
  245. import urllib
  246. downloads = (
  247. ('http://slicer.kitware.com/midas3/download?items=5767', 'FA.nrrd', slicer.util.loadVolume),
  248. )
  249. for url,name,loader in downloads:
  250. filePath = slicer.app.temporaryPath + '/' + name
  251. if not os.path.exists(filePath) or os.stat(filePath).st_size == 0:
  252. logging.info('Requesting download %s from %s...\n' % (name, url))
  253. urllib.urlretrieve(url, filePath)
  254. if loader:
  255. logging.info('Loading %s...' % (name,))
  256. loader(filePath)
  257. self.delayDisplay('Finished with download and loading')
  258. volumeNode = slicer.util.getNode(pattern="FA")
  259. logic = dataExplorerLogic()
  260. self.assertIsNotNone( logic.hasImageData(volumeNode) )
  261. self.delayDisplay('Test passed!')