importXLSX.py 11 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425
  1. import os
  2. import pandas
  3. import sys
  4. import importlib
  5. import re
  6. import datetime
  7. import chardet
  8. import json
  9. import math
  10. #same directory!
  11. import labkeyInterface
  12. import labkeyDatabaseBrowser
  13. import labkeyFileBrowser
  14. def connectDB(server):
  15. net=labkeyInterface.labkeyInterface()
  16. qfile='{}.json'.format(server)
  17. fconfig=os.path.join(os.path.expanduser('~'),'.labkey',qfile)
  18. net.init(fconfig)
  19. net.getCSRF()
  20. return labkeyDatabaseBrowser.labkeyDB(net)
  21. def getDB(pars):
  22. try:
  23. return pars['db']
  24. except KeyError:
  25. pass
  26. server=pars.get('server','onko-nix')
  27. db=connectDB(server)
  28. pars['db']=db
  29. return db
  30. def getFields(pars):
  31. project=pars.get('project','DCIS/Study')
  32. schema=pars.get('schema','demographics')
  33. query=pars.get('query','demographics')
  34. db=getDB(pars)
  35. #data on query structure are both in queryDesign and selectRows/metadata content
  36. dsgn=db.getQueryDesign(project,schema,query)
  37. dsgnFields={f['name']:f for f in dsgn['fields']}
  38. ds=db.selectRows(project,schema,query,[])
  39. mdFields={x['name']:x for x in ds['metaData']['fields']}
  40. #in principle, any property from mdFields could get copied
  41. #to content reported from dsgnFields
  42. #try/except to robustify against missing components
  43. copyFields=['lookup']
  44. for f in dsgnFields:
  45. try:
  46. dsgnFields[f].update({x:mdFields[f][x] for x in copyFields})
  47. except KeyError:
  48. pass
  49. return dsgnFields
  50. def getAlias(fields):
  51. fieldMap={}
  52. for f in fields.values():
  53. aliasList=getAliasList(f['importAliases'])
  54. fieldMap.update({x:f['name'] for x in aliasList})
  55. return fieldMap
  56. def invertMap(qmap):
  57. return {qmap[x]:x for x in qmap}
  58. def getVariables(fields,fieldType='LOOKUP',fieldName=None):
  59. #get list of variables of particular type to help manage import
  60. #if type is LOOKUP also return data on lookup query
  61. if fieldName:
  62. return {fieldName:fields[fieldName]['lookupQuery']}
  63. if fieldType=='LOOKUP':
  64. return {f['name']:f['lookupQuery'] for f in fields.values() \
  65. if f['lookupQuery']}
  66. if fieldType=='DATE':
  67. return {f['name']:fieldType for f in fields.values() \
  68. if f['rangeURI'].find('dateTime')>-1}
  69. if fieldType=='DOUBLE':
  70. return {f['name']:fieldType for f in fields.values() \
  71. if f['rangeURI'].find('double')>-1}
  72. return {}
  73. def getLookupMap(pars,fields,fieldName):
  74. #get possible values of categorical variables/factors from labkey
  75. try:
  76. lookup=fields[fieldName]['lookup']
  77. except KeyError:
  78. print(fields[fieldName])
  79. raise KeyError(f'Could not find lookup for {fieldName}')
  80. schema=lookup['schemaName']
  81. query=lookup['queryName']
  82. key=lookup['keyColumn']
  83. val=lookup['displayColumn']
  84. project=pars['project']
  85. db=getDB(pars)
  86. ds=db.selectRows(project,schema,query,[])
  87. cMap={r[val]:r[key] for r in ds['rows']}
  88. def parseLookup(lookup,qv):
  89. #parse/convert lookup
  90. #is it key?
  91. try:
  92. return lookup[qv]
  93. except KeyError:
  94. pass
  95. if pandas.isna(qv):
  96. return qv
  97. try:
  98. qv=qv.item()
  99. qv=str(qv)
  100. return lookup[qv]
  101. except AttributeError:
  102. pass
  103. qv=qv.replace('Č','C')
  104. return lookup[qv]
  105. def asKey(qv):
  106. if not qv:
  107. return qv
  108. try:
  109. return int(qv)
  110. except (TypeError,ValueError):
  111. print(f'Failed to parse {qv} as key')
  112. return None
  113. def parseDate(qv):
  114. if not qv:
  115. return qv
  116. #from xls format to native python format
  117. fmts=['datetime','pandas','%d.%m.%y','%Y-%m-%d %H:%M:%S.%f',\
  118. '%d/%m/%Y','%Y-%m-%d %H:%M:%S']
  119. for fmt in fmts:
  120. try:
  121. if fmt=='pandas':
  122. #print(f'Trying {qv} as pandas.Timestamp')
  123. date=pandas.Timestamp.to_pydatetime(qv)
  124. elif fmt=='datetime':
  125. #print(f'Trying {qv} as datetime.datetime')
  126. if not isinstance(qv,datetime.datetime):
  127. raise TypeError('Not a datetime object')
  128. date=qv
  129. else:
  130. #print(f'Trying {qv} with {fmt}')
  131. date=datetime.datetime.strptime(qv,fmt)
  132. break
  133. except TypeError:
  134. #print('Failed (type): {}'.format(type(qv)))
  135. continue
  136. except ValueError:
  137. #print('Failed (value)')
  138. continue
  139. #sometimes parsing fails
  140. try:
  141. return date.isoformat()
  142. except UnboundLocalError:
  143. print (f'Failed to parsed {qv} as date')
  144. return None
  145. def parseDouble(qv):
  146. try:
  147. return float(qv)
  148. except (ValueError,TypeError):
  149. return None
  150. #m
  151. def setMissingLookupValues(filename,xlsFieldName,project,lookup,\
  152. labkeyFieldName=None,dryRun=True):
  153. #list all possible values for a field
  154. #perhaps needs to be updated
  155. df=pandas.read_excel(filename)
  156. vars=df.columns
  157. vals=set([df.at[r,xlsFieldName] for r in df.index if not pandas.isna(df.at[r,xlsFieldName])])
  158. try:
  159. vals={v.item() for v in vals}
  160. except AttributeError:
  161. pass
  162. print(vals)
  163. if not labkeyFieldName:
  164. labkeyFieldName=xlsFieldName
  165. db=connectDB('onko-nix')
  166. ds=db.selectRows(project,'lists',lookup,[])
  167. #only record values from labkey (should be unique anyhow)
  168. setVals=set([r[labkeyFieldName] for r in ds['rows']])
  169. off=len(list(setVals))
  170. missing=sorted(list(vals-setVals))
  171. #print('Missing {}'.format(missing))
  172. n=len(missing)
  173. entries=[{'Key':'{}'.format(i+1+off),columnName:missing[i]} \
  174. for i in range(n)]
  175. print(entries)
  176. if dryRun:
  177. return
  178. db.modifyRows('insert',project,'lists',lookup,entries)
  179. def getAliasList(x):
  180. #split aliases by comma, taking into account quotation marks,
  181. #where commas are ignored
  182. if not x:
  183. return []
  184. #sophisticated spliting that ignores commas in double (and single!) quotes
  185. ar=re.split(''',(?=(?:[^'"]|'[^']*'|"[^"]*")*$)''', x)
  186. #remove the quotes afterwards
  187. ar=[s.replace('"','') for s in ar]
  188. ar=[s.strip() for s in ar]
  189. return ar
  190. def printErr(resp):
  191. #print error from server response
  192. try:
  193. print(resp['exception'])
  194. except KeyError:
  195. pass
  196. def findAlias(v,alias):
  197. #find matchng alias for field v from XLS
  198. try:
  199. return alias[v.strip()]
  200. except KeyError:
  201. pass
  202. #remove .N qualifiers, attach to the end by pandas.read_excel
  203. v=re.sub(r'(.*)\.[0-9]*$',r'\1',v.strip())
  204. try:
  205. return alias[v]
  206. except KeyError:
  207. pass
  208. return None
  209. def getSequenceNum(pMap,id):
  210. #updates pMap and return seqnum for this entry
  211. try:
  212. n=len(pMap[id])
  213. except KeyError:
  214. n=0
  215. seqNum=n+1
  216. if n==0:
  217. pMap[id]=[seqNum]
  218. else:
  219. pMap[id].append(seqNum)
  220. return seqNum
  221. def entryInList(r,entries):
  222. #is entry in list
  223. candidates=[x for x in entries if entriesMatch(x,r)]
  224. return len(candidates)>0
  225. def entriesMatch(x,r):
  226. #do a pair of entries match? Should we update data from one over the other?
  227. matchFields=['ParticipantId','SequenceNum']
  228. for f in matchFields:
  229. if x[f]!=r[f]:
  230. return False
  231. return True
  232. def validate(qv):
  233. #rough checks on value read from XLSX
  234. #NAN
  235. try:
  236. if math.isnan(qv):
  237. return None
  238. except TypeError:
  239. pass
  240. #NAD
  241. if pandas.isnull(qv):
  242. return None
  243. return qv
  244. #defaults for modify, getId and convertLookup
  245. def modify(qv,columnName):
  246. return qv
  247. def getId(df,r):
  248. try:
  249. rawId=str(df.at[r,'ID'])
  250. except KeyError:
  251. msg='Getting id from field ID field. '
  252. msg+=' Overload getId function with getId=getIdFnc in importData'
  253. print(msg)
  254. raise KeyError
  255. return rawId.replace(' ','')
  256. def convertLookup(xlsColumnName):
  257. return True
  258. def importData(pars,filename,getId=getId,modify=modify,\
  259. convertLookup=convertLookup,dryRun=True,debug=True):
  260. #master routine that imports data based on pars,
  261. #applies user supplied functions modify, convertLookup and get Id and
  262. #updates relevant database
  263. #some useful fields from pars (d is for default value)
  264. # - skiprows removes irelevant rows (number, d: 0)
  265. # - usecols is EXCEL like notations for cols taken (identifer, d: None for all)
  266. # - sheet_name selects sheet for import (number, d:0 for first sheet)
  267. # - seqNumOffset specify visit/sequenceNum offset (number, d:0 will result in 1)
  268. # - project - labkey project
  269. # - schema - labkey schema (list/study, d: study)
  270. # - query - labkey query
  271. skiprows=pars.get('skiprows',0)
  272. usecols=pars.get('usecols',None)
  273. sheet_name=pars.get('sheet_name',0)
  274. #set this is as sequenceNum for entries, or initial seqNum if more than a single entry is in the dataset
  275. seqNumOffset=pars.get('seqNumOffset',0)
  276. fields=getFields(pars)
  277. lookupVars=getVariables(fields,fieldType='LOOKUP')
  278. dateVars=getVariables(fields,fieldType='DATE')
  279. doubleVars=getVariables(fields,fieldType='DOUBLE')
  280. usecols=pars.get('usecols',None)
  281. #convert dates to list
  282. dateVars=list(dateVars.keys())
  283. print(f'dateVars: {dateVars}')
  284. lookupMap={f:getLookupMap(pars,fields,f) for f in lookupVars}
  285. alias=getAlias(fields)
  286. print(f'aliases: {alias}')
  287. df=pandas.read_excel(filename,sheet_name=sheet_name,skiprows=skiprows,\
  288. usecols=usecols)
  289. vars=df.columns
  290. print(vars)
  291. pMap={}
  292. print('Index: {}'.format(len(df.index)))
  293. idx=df.index #for all
  294. if debug:
  295. idx=df.index[0:10] #for debug
  296. entries=[]
  297. for r in idx:
  298. id=getId(df,r)
  299. entry={}
  300. entry['ParticipantId']=id
  301. for v in vars:
  302. qv=validate(df.at[r,v])
  303. qv=modify(qv,v)
  304. f=findAlias(v,alias)
  305. if not f:
  306. continue
  307. if f in lookupMap:
  308. if convertLookup(v):
  309. qv=parseLookup(lookupMap[f],qv)
  310. else:
  311. qv=asKey(qv)
  312. if f in dateVars:
  313. qv=parseDate(qv)
  314. if f in doubleVars:
  315. qv=parseDouble(qv)
  316. try:
  317. numpyType=qv.dtype
  318. qv=qv.item()
  319. except AttributeError:
  320. pass
  321. entry[f]=qv
  322. #print('{}:{}/{}'.format(f,qv,type(qv)))
  323. seqNum=getSequenceNum(pMap,id)
  324. entry['SequenceNum']=seqNum+seqNumOffset
  325. entries.append(entry)
  326. #for p in pMap:
  327. # print('{}: {}'.format(p,len(pMap[p])))
  328. print(entries)
  329. #delete previous incarnations
  330. db=getDB(pars)
  331. project=pars.get('project','DCIS/Study')
  332. schema=pars.get('schema','demographics')
  333. query=pars.get('query','demographics')
  334. updateRows=[]
  335. insertRows=[]
  336. for entry in entries:
  337. v='ParticipantId'
  338. idFilter={'variable':v,'value':entry[v],'oper':'eq'}
  339. v='SequenceNum'
  340. seqFilter={'variable':v,'value':'{}'.format(entry[v]),'oper':'eq'}
  341. ds=db.selectRows(project,schema,query,[idFilter,seqFilter])
  342. if len(ds['rows'])>0:
  343. r=ds['rows'][0]
  344. r.update(entry)
  345. updateRows.append(r)
  346. else:
  347. insertRows.append(entry)
  348. n=len(updateRows)
  349. print(f'Updating {n} entries')
  350. if n and not dryRun:
  351. printErr(db.modifyRows('update',project,schema,query,updateRows))
  352. n=len(insertRows)
  353. print(f'Inserting {n} entries')
  354. if n and not dryRun:
  355. printErr(db.modifyRows('insert',project,schema,query,insertRows))