SQLHandler.py 20 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596
  1. #!/usr/bin/env python3
  2. # -*- coding: utf-8 -*-
  3. """
  4. Created on Tue Sep 18 16:20:50 2018
  5. @author: tanya
  6. """
  7. import os
  8. import sys
  9. import re
  10. import sqlalchemy
  11. import sqlparse
  12. import pandas as pd
  13. import warnings
  14. sys.path.append(os.getcwd())
  15. class SQLHandler:
  16. '''
  17. Resembles methods for executing sql queries
  18. with different dabase connectors.
  19. Remark:in each method we force new opening and
  20. closing of a database connection,
  21. this avoids errors when parallelizing with multiprocessing.
  22. '''
  23. def __init__(self, db_uri: str = None,
  24. is_case_insensitive: bool = False):
  25. '''
  26. :param str db_uri:
  27. of form
  28. <sqlalchemy_dialect//user:password@host:port/dbname?charset=utf8&local_infile=1>
  29. sqlalchemy dialects:
  30. for mysql : mysql+pymysql
  31. for db2: ibm_db_sa
  32. '''
  33. from libraries.log import Log
  34. from libraries.configuration import default as cfg
  35. from sqlalchemy_utils import database_exists, create_database
  36. self._log = Log(name='SQLHandler')
  37. if db_uri is None:
  38. db_uri = cfg["SQL_DB"]["URI"]
  39. assert(isinstance(db_uri, str)),\
  40. "Parameter 'db_uri' must be of type str"
  41. assert(re.match(r'.+://.+:(.+)?@.+:.+/.+', db_uri) is not None),\
  42. ('database url does not match the pattern: '
  43. 'sqlalchemy_dialect//user:password@host:port/dbname')
  44. self._db_uri = db_uri
  45. engine = sqlalchemy.create_engine(self._db_uri)
  46. if not database_exists(engine.url):
  47. create_database(engine.url)
  48. query = "CREATE DATABASE IF NOT EXISTS {}"\
  49. .format(self._connection_params["db"])
  50. with warnings.catch_warnings():
  51. warnings.simplefilter("ignore")
  52. engine.execute(query)
  53. assert(isinstance(is_case_insensitive, bool)),\
  54. "Parameter 'is_case_sensetive' must of type bool"
  55. if 'ibm' in db_uri and not is_case_insensitive:
  56. raise Exception('Ibm db2 is case insensitive')
  57. self._is_case_insensitive = is_case_insensitive
  58. self._engine = sqlalchemy.create_engine(self._db_uri)
  59. @property
  60. def _connection_params(self) -> dict:
  61. '''
  62. return: connection parameters like user,
  63. password, host, port, and database name
  64. rtype: dict
  65. '''
  66. try:
  67. connection_params = {}
  68. connection_params['user'], connection_params['password'] =\
  69. self._db_uri.split('//')[1]\
  70. .split('@')[0]\
  71. .split(':')
  72. connection_params['host'], connection_params['port'] =\
  73. self._db_uri.split('//')[1]\
  74. .split('@')[1]\
  75. .split('/')[0]\
  76. .split(':')
  77. connection_params['db'] = self._db_uri.split('/')[-1]\
  78. .split('?')[0]
  79. return connection_params
  80. except Exception as e:
  81. err = ("Could not parse connection parameters."
  82. "Finished with error {}")\
  83. .format(e)
  84. self._log.error(err)
  85. raise Exception(err)
  86. def drop_database(self):
  87. '''
  88. '''
  89. database = self._connection_params["db"]
  90. self.execute("DROP DATABASE IF EXISTS {}".format(database))
  91. @property
  92. def _db_metadata(self) -> dict:
  93. '''
  94. Returns a sql-dialect specific information like information schema
  95. and columnames in information_schema.tables and
  96. information_schema.columns
  97. For ibm databases, information_schema is set to syscat,
  98. else it is set to information_schema
  99. If these default values do not exist in the given database,
  100. the output of the method is set to None
  101. :return: dictionary with information_schema, schema_col,
  102. table_col, column_col, default_schema
  103. '''
  104. db_metadata = {}
  105. if 'ibm' in self._db_uri:
  106. db_metadata['information_schema'] = 'syscat'
  107. db_metadata['schema_col'] = 'tabschema'
  108. db_metadata['table_col'] = 'tabname'
  109. db_metadata['column_col'] = 'colname'
  110. db_metadata['default_schema'] =\
  111. self._connection_params['user'].upper()
  112. else:
  113. db_metadata['information_schema'] = 'information_schema'
  114. db_metadata['schema_col'] = 'TABLE_SCHEMA'
  115. db_metadata['table_col'] = 'TABLE_NAME'
  116. db_metadata['column_col'] = 'COLUMN_NAME'
  117. db_metadata['default_schema'] =\
  118. self._connection_params['db']
  119. # check if it worked to create metadata
  120. try:
  121. query = """SELECT *
  122. FROM {}.tables
  123. LIMIT 1
  124. """.format(db_metadata['information_schema'])
  125. self.execute(query)
  126. except Exception as e:
  127. self._log.error(e)
  128. db_metadata = None
  129. return db_metadata
  130. def execute(self, query):
  131. '''
  132. Executes an sql-queries.
  133. Remark: queries like CREATE, DROP, SELECT work
  134. for majority of sqlalchemy dialects.
  135. queries like SHOW TABLES, LOAD DATA, and using
  136. INFORMATION_SCHEMA are mysql specific and might
  137. not exist in a different dialect.
  138. :param str query:
  139. '''
  140. connection = self._engine.connect()
  141. transaction = connection.begin()
  142. errors = []
  143. # in the case of multi-query execute each query
  144. for sub_query in sqlparse.split(query):
  145. if len(sub_query) > 0:
  146. try:
  147. connection.execute(sub_query, multi=True)
  148. except Exception as e:
  149. errors.append(str(e))
  150. if len(errors) > 0:
  151. err = ('Could not execute some of the queries. '
  152. 'Obtained exceptions: {}'
  153. .format('\n'.join(errors)))
  154. self._log.error(err)
  155. raise Exception(err)
  156. transaction.commit()
  157. connection.close()
  158. def execute_query_from_file(self, filename: str):
  159. '''
  160. '''
  161. with open(filename, 'r') as f:
  162. query = f.read()
  163. self.execute(query)
  164. def get_tablenames(self, schema: str = None, query: str = None):
  165. '''
  166. '''
  167. if (self._db_metadata is None) and (query is None):
  168. raise Exception('Please specify the query')
  169. else:
  170. try:
  171. if query is None:
  172. schema_or_default_schema =\
  173. self._db_metadata['default_schema']\
  174. if schema is None else schema
  175. query = """SELECT DISTINCT {0}
  176. FROM {1}.tables
  177. WHERE {2} = '{3}'
  178. """.format(
  179. self._db_metadata['table_col'],
  180. self._db_metadata['information_schema'],
  181. self._db_metadata['schema_col'],
  182. schema_or_default_schema)
  183. tables = self.read_sql_to_dataframe(query).iloc[:, 0].tolist()
  184. return tables
  185. except Exception as e:
  186. err = ("Could not get tablenames"
  187. "Finished with error {}".format(e))
  188. self._log.error(err)
  189. raise Exception(err)
  190. def check_if_table_exists(self, tablename: str,
  191. schema: str = None,
  192. query: str = None):
  193. '''
  194. Tries to retrieve table information from database with given query.
  195. If this does not work, tries to select one row from the given table,
  196. if this fails, assumes that the table does not exist.
  197. :param str tablename:
  198. :param str schema:
  199. :param str query: if not specified, tries to find
  200. tablename in information_schema specified in _db_metadata.
  201. :return: if the table exists or not
  202. :rtype: bool
  203. '''
  204. if self._is_case_insensitive:
  205. tablename = tablename.upper()
  206. try:
  207. tablenames = self.get_tablenames(schema=schema, query=query)
  208. table_exists = (tablename in tablenames)
  209. except Exception as e:
  210. self._log.warning(('Could not execute query to retrieve table '
  211. 'information. Trying to execute a'
  212. 'select statement. '
  213. 'Got exeption {}').format(e))
  214. try:
  215. query = """SELECT *
  216. FROM {0}{1}
  217. LIMIT 1
  218. """.format('' if schema is None else schema + '.',
  219. tablename)
  220. self.execute(query)
  221. table_exists = True
  222. except Exception as e:
  223. self._log.warning(('Failed to select from {0}. '
  224. 'Finished with error {1}'
  225. 'Conclusion: table does not exist')
  226. .format(tablename, e))
  227. table_exists = False
  228. return table_exists
  229. def create_schema(self, schema: str, query: str = None):
  230. '''
  231. Creates a schema if it does not exist, else does nothing
  232. :param str schema:
  233. :param str query: if None trying to read schemas from
  234. information_schema specified in db_metadata
  235. '''
  236. if (query is None):
  237. if self._db_metadata is None:
  238. raise Exception('Please specify query')
  239. else:
  240. query = """SELECT DISTINCT {0}
  241. FROM {1}.tables""".format(
  242. self._db_metadata['schema_col'],
  243. self._db_metadata['information_schema'])
  244. try:
  245. schemas = self.read_sql_to_dataframe(query).iloc[:, 0].tolist()
  246. except Exception as e:
  247. err = ("Could not retrieve the list of schemas"
  248. "from the database. Finished with error {}"
  249. .format(e))
  250. self._log.error(err)
  251. raise Exception(err)
  252. if schema not in schemas:
  253. self.execute("CREATE SCHEMA {}".format(schema))
  254. def drop_table_if_exists(self, tablename: str,
  255. schema: str = None,
  256. query: str = None):
  257. '''
  258. :param str tablename:
  259. :param str schema:
  260. :param str query: if not specified, default value is "DROP TABLE"
  261. '''
  262. if self._is_case_insensitive:
  263. tablename = tablename.upper()
  264. schema = '' if schema is None else schema + '.'
  265. if query is None:
  266. query = "DROP TABLE {0}{1};".format(schema, tablename)
  267. try:
  268. if self.check_if_table_exists(tablename):
  269. self.execute(query)
  270. except Exception as e:
  271. err = ("Could not drop the table {0} ."
  272. "Finished with error {1}"
  273. .format(tablename, e))
  274. self._log.error(err)
  275. raise Exception(err)
  276. def get_column_names(self, tablename: str,
  277. schema: str = None,
  278. query: str = None):
  279. '''
  280. Tries to retrieve column information from database with given query.
  281. If this does not work, tries to select one row from the given table.
  282. :param str tablename:
  283. :param str schema:
  284. :param str query: if not specified, tries to select column
  285. names in the information_schema specified in db_metadata
  286. '''
  287. if self._is_case_insensitive:
  288. tablename = tablename.upper()
  289. if not self.check_if_table_exists(tablename=tablename,
  290. schema=schema):
  291. err = "Table {} does not exist".format(tablename)
  292. self._log.error(err)
  293. raise Exception(err)
  294. try:
  295. if query is None:
  296. if self._db_metadata is None:
  297. raise Exception('Please specify the query')
  298. else:
  299. schema_or_default_schema =\
  300. self._db_metadata['default_schema']\
  301. if schema is None else schema
  302. query = """SELECT DISTINCT {0}
  303. FROM {1}.columns
  304. WHERE {2} = '{3}'
  305. AND {4} = '{5}'
  306. """.format(
  307. self._db_metadata['column_col'],
  308. self._db_metadata['information_schema'],
  309. self._db_metadata['schema_col'],
  310. schema_or_default_schema,
  311. self._db_metadata['table_col'],
  312. tablename)
  313. colnames = [c.lower() for c in
  314. self.read_sql_to_dataframe(query).iloc[:, 0].tolist()]
  315. except Exception as e:
  316. self._log.warn((
  317. 'Could not select columns from '
  318. 'informational schema. Trying to '
  319. 'load the table into a dataframe and selec column names.'
  320. 'Obtained exception {}').format(e))
  321. query = """SELECT *
  322. FROM {0}{1}
  323. LIMIT 1
  324. """.format('' if schema is None else schema + '.',
  325. tablename)
  326. data = self.execute(query)
  327. colnames = data.columns.tolist()
  328. return colnames
  329. def load_csv_to_db(self, filename: str,
  330. tablename: str,
  331. schema: str = None,
  332. query: str = None,
  333. **kwargs):
  334. '''
  335. Tries to load data from csv file to database with a given query.
  336. If this does not work, tries to load data from csv to a
  337. pandas dataframe first, and then write it to the database.
  338. :param str filename:
  339. :param str tablename:
  340. :param str schema:
  341. :param str query: if not specified, tries to use
  342. LOAD DATA LOCAL INFILE query
  343. '''
  344. if not self.check_if_table_exists(tablename=tablename,
  345. schema=schema):
  346. err = ('Table {} test does not exit.'
  347. 'Please create it first').format(tablename)
  348. self._log.error(err)
  349. raise Exception(err)
  350. else:
  351. try:
  352. if query is None:
  353. query = """LOAD DATA LOCAL INFILE '{0}'
  354. INTO TABLE {1}{2}
  355. COLUMNS TERMINATED BY ','
  356. OPTIONALLY ENCLOSED BY '"'
  357. LINES TERMINATED BY '\r\n'
  358. IGNORE 1 LINES
  359. ({3})
  360. ;""".format(
  361. filename,
  362. '' if schema is None else schema + '.',
  363. tablename,
  364. ','.join(self.get_column_names(tablename)))
  365. self.execute(query)
  366. except Exception as e:
  367. err = ("Could not load the file {0} "
  368. "to the table {1} ."
  369. "Finished with error {2}")\
  370. .format(filename, tablename, e)
  371. self._log.error(err)
  372. raise Exception(err)
  373. def read_sql_to_dataframe(self, query: str, **read_sql_kwargs):
  374. '''
  375. :param str query: normally a SELECT sql statement
  376. :param read_sql_kwargs: additional arguments to pandas read_sql method
  377. :return: selected data
  378. :rtype: DataFrame
  379. '''
  380. try:
  381. connection = self._engine.connect()
  382. data = pd.read_sql(sql=query,
  383. con=connection,
  384. **read_sql_kwargs)
  385. connection.close()
  386. return data
  387. except Exception as e:
  388. err = ("Could not read the query to a dataframe. "
  389. "Finished with error {}").format(e)
  390. self._log.error(err)
  391. raise Exception(err)
  392. def read_table(self, tablename: str,
  393. schema: str = None,
  394. **read_sql_kwargs):
  395. '''
  396. :param str tablename:
  397. :param str schema:
  398. :param read_sql_kwargs: additional arguments to pands read_sql_method
  399. :return: selected table
  400. :rtype: DataFrame
  401. '''
  402. schema = '' if schema is None else schema + '.'
  403. try:
  404. return self.read_sql_to_dataframe(
  405. query="SELECT * FROM {0}{1};".format(schema, tablename),
  406. **read_sql_kwargs)
  407. except Exception as e:
  408. err = ("Could not read the table {0} to a dataframe. "
  409. "Finished with error {1}").format(tablename, e)
  410. self._log.error(err)
  411. raise Exception(err)
  412. def append_to_table(self, data: pd.DataFrame,
  413. tablename: str,
  414. schema: str = None,
  415. to_sql_kwargs={'index': False}):
  416. '''
  417. :param DataFrame data: data to append
  418. :param str tablename: table where data is appended
  419. :param str schema:
  420. :param dict to_sql_kwargs: additional arguments to pandas to_sql method
  421. '''
  422. if schema is not None:
  423. self.create_schema(schema)
  424. try:
  425. connection = self._engine.connect()
  426. data.to_sql(name=tablename,
  427. schema=schema,
  428. con=connection,
  429. if_exists='append',
  430. **to_sql_kwargs)
  431. connection.close()
  432. except Exception as e:
  433. err = ("Could append data to the table {0}. "
  434. "Finished with error {1}").format(tablename, e)
  435. self._log.error(err)
  436. raise Exception(err)
  437. def overwrite_table(self, data: pd.DataFrame,
  438. tablename: str,
  439. schema: str = None,
  440. to_sql_kwargs={'index': False}):
  441. '''
  442. :param DataFrame data: data to write to dabase
  443. :param str tablename: table where data is written
  444. :param str schema:
  445. :param to_sql_kwargs: additional arguments to pandas to_sql method
  446. '''
  447. if schema is not None:
  448. self.create_schema(schema)
  449. try:
  450. connection = self._engine.connect()
  451. data.to_sql(name=tablename,
  452. schema=schema,
  453. con=connection,
  454. if_exists='replace',
  455. **to_sql_kwargs)
  456. connection.close()
  457. except Exception as e:
  458. err = ("Could overwrite the table {0}. "
  459. "Finished with error {1}").format(tablename, e)
  460. self._log.error(err)
  461. raise Exception(err)
  462. def draw_er_diagram_from_db(self, diagram_path: str = None,
  463. schema: str = None,
  464. include_tables: list = None):
  465. '''
  466. '''
  467. if diagram_path is None:
  468. diagram_path = "erd.png"
  469. else:
  470. diagram_dir = os.path.dirname(diagram_path)
  471. if diagram_dir != "":
  472. os.makedirs(diagram_dir, exist_ok=True)
  473. import eralchemy
  474. eralchemy.render_er(self._db_uri,
  475. diagram_path,
  476. schema=schema,
  477. include_tables=include_tables)