Skip to content
This repository has been archived by the owner. It is now read-only.

Commit 6fb718c

Browse files
First commit of the natLib branch.
The goal is to split the NeuroCurator in two project, a back-end (an API called nat for Neuro-Annotation Toolbox) and a graphical user interface called NeuroCurator. This is to allow interacting with corpora using only the nat package, so that users can avoid installing QT.
1 parent 1a6d460 commit 6fb718c

File tree

72 files changed

+2056
-1019
lines changed

Some content is hidden

Large Commits have some content hidden by default. Use the searchbox below for content that may be hidden.

72 files changed

+2056
-1019
lines changed

LICENSE.txt

+684
Large diffs are not rendered by default.

__init__.py

+4
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,4 @@
1+
__all__ = ["TreeData", "Annotation", "TextLocalizer"]
2+
3+
from .treeData import TreeData
4+
from .annotation import Annotation, TextLocalizer
File renamed without changes.

annotation.py

+24-85
Original file line numberDiff line numberDiff line change
@@ -3,15 +3,32 @@
33
__author__ = "Christian O'Reilly"
44

55
from uuid import uuid1
6-
from PySide import QtGui, QtCore
7-
#from parse import parse
8-
import json
6+
from os.path import join
97
from abc import abstractmethod
10-
from modelingParameter import ParameterInstance, ParamRef# ExperimentProperty
11-
from tag import Tag
8+
import json
9+
10+
from .modelingParameter import ParameterInstance, ParamRef
11+
from .tag import Tag
12+
from . import utils
13+
14+
15+
16+
17+
def getParametersForPub(dbPath, pubId):
18+
fileName = join(dbPath, pubId + ".pcr")
19+
with open(fileName, "r", encoding="utf-8", errors='ignore') as f:
20+
try:
21+
annotations = Annotation.readIn(f)
22+
except ValueError:
23+
raise ValueError("Problem reading file " + fileName + ". The JSON coding of this file seems corrupted.")
24+
25+
parameters = []
26+
for annot in annotations:
27+
parameters.extend(annot.parameters)
28+
return parameters
29+
30+
1231

13-
import utils
14-
from os.path import join
1532

1633
class Localizer:
1734
@staticmethod
@@ -357,81 +374,3 @@ def __repr__(self):
357374
def __str__(self):
358375
return '"{}";"{}";"{}";"{}";{}'.format(self.ID, self.comment, type(TextLocalizer), self.users, self.tags)
359376

360-
361-
362-
class AnnotationListModel(QtCore.QAbstractTableModel):
363-
364-
def __init__(self, parent, annotationList = [], header = ['ID', 'type', 'localizer', 'comment'], *args):
365-
QtCore.QAbstractTableModel.__init__(self, parent, *args)
366-
self.annotationList = annotationList
367-
self.header = header
368-
self.nbCol = len(header)
369-
self.sortCol = 0
370-
self.sortOrder = QtCore.Qt.AscendingOrder
371-
372-
def rowCount(self, parent=None):
373-
return len(self.annotationList)
374-
375-
def columnCount(self, parent=None):
376-
return self.nbCol
377-
378-
379-
def getSelectedAnnotation(self, selection):
380-
381-
if isinstance(selection, list):
382-
if selection == []:
383-
return None
384-
elif isinstance(selection[0], QtCore.QModelIndex):
385-
index = selection[0]
386-
else:
387-
if selection.at(0) is None:
388-
return None
389-
index = selection.at(0).indexes()[0]
390-
return self.annotationList[index.row()]
391-
392-
393-
394-
def getByIndex(self, annot, ind):
395-
if ind == 0:
396-
return annot.ID
397-
elif ind == 1:
398-
return str(annot.type)
399-
elif ind == 2:
400-
return str(annot.localizer)
401-
elif ind == 3 :
402-
return annot.comment
403-
else:
404-
raise ValueError
405-
406-
def data(self, index, role):
407-
if not index.isValid():
408-
return None
409-
410-
if role != QtCore.Qt.DisplayRole:
411-
return None
412-
413-
return self.getByIndex(self.annotationList[index.row()], index.column())
414-
415-
def headerData(self, col, orientation, role):
416-
if orientation == QtCore.Qt.Horizontal and role == QtCore.Qt.DisplayRole:
417-
return self.header[col]
418-
return None
419-
420-
def sort(self, col=None, order=None):
421-
if col is None:
422-
col = self.sortCol
423-
if order is None:
424-
order = self.sortOrder
425-
426-
"""sort table by given column number col"""
427-
self.emit(QtCore.SIGNAL("layoutAboutToBeChanged()"))
428-
reverse = (order == QtCore.Qt.DescendingOrder)
429-
self.annotationList = sorted(self.annotationList, key=lambda x: self.getByIndex(x, col), reverse = reverse) #operator.itemgetter(col))
430-
#if order == QtCore.Qt.DescendingOrder:
431-
# self.mylist.reverse()
432-
self.emit(QtCore.SIGNAL("layoutChanged()"))
433-
434-
def refresh(self):
435-
self.emit(QtCore.SIGNAL("layoutChanged()"))
436-
437-

annotationSearch.py

+10-5
Original file line numberDiff line numberDiff line change
@@ -4,14 +4,16 @@
44
__email__ = '[email protected]'
55

66

7-
import sys, os
7+
import os
88
from glob import glob
9-
from annotation import Annotation
10-
from modelingParameter import NumericalVariable, getParameterTypeNameFromID, Variable
11-
from qtNeurolexTree import flatten_list, loadTreeData, TreeData
129
import pandas as pd
1310
import numpy as np
1411

12+
from .annotation import Annotation
13+
from .modelingParameter import NumericalVariable, getParameterTypeNameFromID, Variable
14+
from .treeData import flatten_list, OntoManager
15+
16+
1517
annotationKeys = ["Annotation type", "Publication ID", "Has parameter", "Tag name", "Author"]
1618
annotationResultFields = ["Annotation type", "Publication ID", "Nb. parameters", "Tag name", "Comment", "Authors", "Localizer"]
1719

@@ -209,7 +211,10 @@ def __init__(self, pathDB=None):
209211
if pathDB is None:
210212
pathDB = os.path.join(os.path.dirname(__file__), './curator_DB')
211213

212-
self.treeData, self.dicData = loadTreeData()
214+
ontoMng = OntoManager()
215+
self.treeData = ontoMng.trees
216+
self.dicData = ontoMng.dics
217+
213218
self.conditions = Condition()
214219

215220
self.pathDB = pathDB

buildOntoTree.py

+109
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,109 @@
1+
# -*- coding: utf-8 -*-
2+
"""
3+
Created on Fri Jun 10 17:16:54 2016
4+
5+
@author: oreilly
6+
"""
7+
8+
import os, json
9+
10+
from neurocurator.scigraph_client import Vocabulary, Graph
11+
from neurocurator.treeData import TreeData
12+
13+
14+
def rebuildTreeFromKS(maxDepth=100, verbose=False, fileName="onto", recompute=True, start=0):
15+
vocab = Vocabulary()
16+
graph = Graph()
17+
18+
def addSubtree(root, depth=0):
19+
if depth+1 < maxDepth:
20+
if root is None:
21+
return
22+
neighbors = graph.getNeighbors(root.id, relationshipType="subClassOf", direction="INCOMING")
23+
if neighbors is None:
24+
nodes = []
25+
else:
26+
nodes = neighbors["nodes"]
27+
for node in nodes:
28+
nodeLabel = node["lbl"]
29+
nodeId = node["id"]
30+
31+
if root.id == nodeId:
32+
continue
33+
34+
if nodeLabel is None:
35+
continue
36+
37+
child = TreeData(nodeLabel, nodeId, root)
38+
termDic[nodeId] = nodeLabel
39+
if verbose:
40+
print(" "*(depth+1) + nodeLabel)
41+
addSubtree(child, depth+1)
42+
root.children.append(child)
43+
44+
45+
categories = vocab.getCategories()
46+
47+
root_ids = []
48+
for cat in categories:
49+
catTerms = vocab.findByTerm(cat)
50+
if catTerms is None:
51+
continue
52+
for catTerm in catTerms :
53+
if catTerm["curie"] is None:
54+
continue
55+
root_ids.append(catTerm["curie"])
56+
57+
# Supplementary tree roots not included in categories
58+
root_ids.extend(["NIFMOL:nifext_8054", "BFO:0000023", "BIRNOBI:birnlex_11009", "NIFMOL:birnlex_15"])
59+
sorted(root_ids, key=str.lower)
60+
61+
for root_no, root_id in enumerate(root_ids):
62+
63+
if root_no >= start:
64+
termDic = {}
65+
root = vocab.findById(root_id)
66+
if root is None:
67+
print("Skipping " + str(root_no))
68+
continue
69+
if root["labels"] is None:
70+
print("Skipping " + str(root_no))
71+
continue
72+
neighbors = graph.getNeighbors(root_id, relationshipType="subClassOf", direction="INCOMING")
73+
if neighbors is None:
74+
print("Skipping " + str(root_no))
75+
continue
76+
if len(neighbors["nodes"]) == 1:
77+
print("Skipping " + str(root_no))
78+
continue
79+
80+
root_name = root["labels"][0]
81+
if not recompute:
82+
if (os.path.isfile(fileName + "_" + root_name + "_" + str(root_no) + ".tree") and
83+
os.path.isfile(fileName + "_" + root_name + "_" + str(root_no) + ".dic")) :
84+
print("Skipping " + fileName + "_" + root_name + "_" + str(root_no))
85+
continue
86+
87+
if verbose:
88+
print(root_name)
89+
root = TreeData(root_name, root_id, root_no=root_no)
90+
termDic[root_id] = root_name
91+
addSubtree(root)
92+
93+
root.saveTree(fileName)
94+
with open(fileName + "_" + root_name + "_" + str(root_no) + ".dic", 'w') as f:
95+
json.dump(termDic, f, sort_keys=True, indent=4, separators=(',', ': '))
96+
97+
98+
99+
import sys
100+
if __name__ == "__main__":
101+
import codecs
102+
sys.stdout = codecs.getwriter('utf8')(sys.stdout.detach())
103+
sys.stderr = codecs.getwriter('utf8')(sys.stderr.detach())
104+
if len(sys.argv) == 1:
105+
rebuildTreeFromKS(maxDepth=100, verbose=True, fileName="onto/onto", recompute=False)
106+
elif len(sys.argv) == 2:
107+
rebuildTreeFromKS(maxDepth=100, verbose=True, fileName="onto/onto", recompute=False, start=float(sys.argv[1]))
108+
109+

doi.py

+2
Original file line numberDiff line numberDiff line change
@@ -1,5 +1,6 @@
11
#!/usr/bin/python3
22

3+
"""
34
__author__ = "Christian O'Reilly"
45
56
import urllib
@@ -16,3 +17,4 @@ def checkDOI(DOI):
1617
soup = BeautifulSoup(html, "lxml")
1718
return not "DOI Not Found" in soup.title.string
1819
20+
"""

gitManager.py

+5-7
Original file line numberDiff line numberDiff line change
@@ -2,24 +2,23 @@
22

33

44
from git import Repo, exc
5-
import os
65

7-
from PySide import QtGui, QtCore
6+
from PySide import QtGui
87

98

109
class GitManager:
1110

12-
def __init__(self, settings):
11+
def __init__(self, gitSettings):
1312

14-
self.localRepoDir = settings.config["GIT"]["local"]
13+
self.localRepoDir = gitSettings["local"]
1514
self.offline = False
1615

1716
try:
1817
self.repo = Repo(self.localRepoDir)
1918
assert not self.repo.bare
2019

2120
except (exc.InvalidGitRepositoryError,exc.NoSuchPathError):
22-
self.repo = Repo.clone_from("ssh://" + settings.config["GIT"]["user"] + "@" + settings.config["GIT"]["remote"], self.localRepoDir)
21+
self.repo = Repo.clone_from("ssh://" + gitSettings["user"] + "@" + gitSettings["remote"], self.localRepoDir)
2322

2423

2524
self.tryToFetch()
@@ -156,8 +155,7 @@ def commit(self, msg = "..."):
156155
# we use this "..." default message.
157156

158157
try:
159-
commitObj = self.repo.index.commit(msg)
160-
#print(commitObj)
158+
self.repo.index.commit(msg)
161159
except exc.UnmergedEntriesError as e:
162160
print(e)
163161
raise

id.py

+23-1
Original file line numberDiff line numberDiff line change
@@ -6,6 +6,27 @@
66
from bs4 import BeautifulSoup
77

88

9+
10+
def getIDfromPMID(PMID):
11+
url = "http://www.ncbi.nlm.nih.gov/pmc/utils/idconv/v1.0/?tool=neurocurator&[email protected]&ids=" + PMID + "&format=json&versions=no"
12+
try:
13+
with urllib.request.urlopen(url) as response:
14+
html = response.read()
15+
except urllib.error.HTTPError:
16+
return None
17+
18+
soup = BeautifulSoup(html, "lxml")
19+
jsonStr = eval(str(soup)[15:-19])
20+
if jsonStr["status"] == "ok":
21+
if "doi" in jsonStr["records"][0]:
22+
return jsonStr["records"][0]["doi"]
23+
else:
24+
return "PMID_" + PMID
25+
else:
26+
return None
27+
28+
29+
930
def checkID(ID):
1031
if "PMID" in ID:
1132
return checkPMID(ID)
@@ -15,14 +36,15 @@ def checkID(ID):
1536

1637
def checkPMID(ID):
1738
idKind, PMID = ID.split("_")
18-
url = "http://www.ncbi.nlm.nih.gov/pmc/utils/idconv/v1.0/?tool=curator&[email protected]&ids=" + PMID + "&format=json&versions=no"
39+
url = "http://www.ncbi.nlm.nih.gov/pmc/utils/idconv/v1.0/?tool=neurocurator&[email protected]&ids=" + PMID + "&format=json&versions=no"
1940
try:
2041
with urllib.request.urlopen(url) as response:
2142
html = response.read()
2243
except urllib.error.HTTPError:
2344
return False
2445

2546
soup = BeautifulSoup(html, "lxml")
47+
2648
return eval(str(soup)[15:-19])["status"] == "ok"
2749

2850

main.py

-1
Original file line numberDiff line numberDiff line change
@@ -5,7 +5,6 @@
55

66
import sys
77
from PySide import QtGui
8-
from qtNeurolexTree import TreeData
98
from mainWin import Window
109

1110
if __name__ == '__main__':

0 commit comments

Comments
 (0)