StatsDatabase.py 17 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345
  1. import os.path
  2. import re
  3. import sqlite3
  4. import sys
  5. from random import randint
  6. def dict_gen(curs: sqlite3.Cursor):
  7. """
  8. Generates a dictionary of a sqlite3.Cursor object by fetching the query's results.
  9. Taken from Python Essential Reference by David Beazley.
  10. """
  11. field_names = [d[0] for d in curs.description]
  12. while True:
  13. rows = curs.fetchmany()
  14. if not rows:
  15. return
  16. for row in rows:
  17. yield dict(zip(field_names, row))
  18. class StatsDatabase:
  19. def __init__(self, db_path: str):
  20. """
  21. Creates a new StatsDatabase.
  22. :param db_path: The path to the database file
  23. """
  24. self.existing_db = os.path.exists(db_path)
  25. self.database = sqlite3.connect(db_path)
  26. self.cursor = self.database.cursor()
  27. # If DB not existing, create a new DB scheme
  28. if self.existing_db:
  29. print('Located statistics database at: ', db_path)
  30. else:
  31. print('Statistics database not found. Creating new database at: ', db_path)
  32. def get_file_info(self):
  33. """
  34. Retrieves general file statistics from the database. This includes:
  35. - packetCount : Number of packets in the PCAP file
  36. - captureDuration : Duration of the packet capture in seconds
  37. - timestampFirstPacket : Timestamp of the first captured packet
  38. - timestampLastPacket : Timestamp of the last captured packet
  39. - avgPacketRate : Average packet rate
  40. - avgPacketSize : Average packet size
  41. - avgPacketsSentPerHost : Average number of packets sent per host
  42. - avgBandwidthIn : Average incoming bandwidth
  43. - avgBandwidthOut : Average outgoing bandwidth
  44. :return: a dictionary of keys (see above) and their respective values
  45. """
  46. return [r for r in dict_gen(
  47. self.cursor.execute('SELECT * FROM file_statistics'))][0]
  48. def get_db_exists(self):
  49. """
  50. :return: True if the database was already existent, otherwise False
  51. """
  52. return self.existing_db
  53. @staticmethod
  54. def _get_selector_keywords():
  55. """
  56. :return: a list of selector keywords
  57. """
  58. return ['most_used', 'least_used', 'avg', 'all']
  59. @staticmethod
  60. def _get_parametrized_selector_keywords():
  61. """
  62. :return: a list of parameterizable selector keywords
  63. """
  64. return ['ipaddress', 'macaddress']
  65. @staticmethod
  66. def _get_extractor_keywords():
  67. """
  68. :return: a list of extractor keywords
  69. """
  70. return ['random', 'first', 'last']
  71. def get_all_named_query_keywords(self):
  72. """
  73. :return: a list of all named query keywords, used to identify named queries
  74. """
  75. return (
  76. self._get_selector_keywords() + self._get_parametrized_selector_keywords() + self._get_extractor_keywords())
  77. @staticmethod
  78. def get_all_sql_query_keywords():
  79. """
  80. :return: a list of all supported SQL keywords, used to identify SQL queries
  81. """
  82. return ["select", "insert"]
  83. def _process_user_defined_query(self, query_string: str, query_parameters: tuple = None):
  84. """
  85. Takes as input a SQL query query_string and optional a tuple of parameters which are marked by '?' in the query
  86. and later substituted.
  87. :param query_string: The query to execute
  88. :param query_parameters: The tuple of parameters to inject into the query
  89. :return: the results of the query
  90. """
  91. if query_parameters is not None:
  92. self.cursor.execute(query_string, query_parameters)
  93. else:
  94. self.cursor.execute(query_string)
  95. self.database.commit()
  96. return self.cursor.fetchall()
  97. def get_field_types(self, *table_names):
  98. """
  99. Creates a dictionary whose keys are the fields of the given table(s) and whose values are the appropriate field
  100. types, like TEXT for strings and REAL for float numbers.
  101. :param table_names: The name of table(s)
  102. :return: a dictionary of {field_name : field_type} for fields of all tables
  103. """
  104. dic = {}
  105. for table in table_names:
  106. self.cursor.execute("PRAGMA table_info('%s')" % table)
  107. results = self.cursor.fetchall()
  108. for field in results:
  109. dic[field[1].lower()] = field[2]
  110. return dic
  111. def named_query_parameterized(self, keyword: str, param_op_val: list):
  112. """
  113. Executes a parameterizable named query.
  114. :param keyword: The query to be executed, like ipaddress or macadress
  115. :param param_op_val: A list consisting of triples with (parameter, operator, value)
  116. :return: the results of the executed query
  117. """
  118. named_queries = {
  119. "ipaddress": "SELECT DISTINCT ip_statistics.ipAddress from ip_statistics INNER JOIN ip_mac, ip_ttl, ip_ports, ip_protocols ON ip_statistics.ipAddress=ip_mac.ipAddress AND ip_statistics.ipAddress=ip_ttl.ipAddress AND ip_statistics.ipAddress=ip_ports.ipAddress AND ip_statistics.ipAddress=ip_protocols.ipAddress WHERE ",
  120. "macaddress": "SELECT DISTINCT macAddress from ip_mac WHERE "}
  121. query = named_queries.get(keyword)
  122. field_types = self.get_field_types('ip_mac', 'ip_ttl', 'ip_ports', 'ip_protocols', 'ip_statistics', 'ip_mac')
  123. conditions = []
  124. for key, op, value in param_op_val:
  125. # this makes sure that TEXT fields are queried by strings,
  126. # e.g. ipAddress=192.168.178.1 --is-converted-to--> ipAddress='192.168.178.1'
  127. if field_types.get(key) == 'TEXT':
  128. if not str(value).startswith("'") and not str(value).startswith('"'):
  129. value = "'" + value + "'"
  130. # this replacement is required to remove ambiguity in SQL query
  131. if key == 'ipAddress':
  132. key = 'ip_mac.ipAddress'
  133. conditions.append(key + op + str(value))
  134. where_clause = " AND ".join(conditions)
  135. query += where_clause
  136. self.cursor.execute(query)
  137. return self.cursor.fetchall()
  138. def _process_named_query(self, query_param_list):
  139. """
  140. Executes a named query.
  141. :param query_param_list: A query list consisting of (keyword, params), e.g. [(most_used, ipAddress), (random,)]
  142. :return: the result of the query
  143. """
  144. # Definition of SQL queries associated to named queries
  145. named_queries = {
  146. "most_used.ipaddress": "SELECT ipAddress FROM ip_statistics WHERE (pktsSent+pktsReceived) == (SELECT MAX(pktsSent+pktsReceived) from ip_statistics) LIMIT 1",
  147. "most_used.macaddress": "SELECT * FROM (SELECT macAddress, COUNT(*) as occ from ip_mac GROUP BY macAddress ORDER BY occ DESC) WHERE occ=(SELECT COUNT(*) as occ from ip_mac GROUP BY macAddress ORDER BY occ DESC LIMIT 1)",
  148. "most_used.portnumber": "SELECT portNumber, COUNT(portNumber) as cntPort FROM ip_ports GROUP BY portNumber HAVING cntPort=(SELECT MAX(cntPort) from (SELECT portNumber, COUNT(portNumber) as cntPort FROM ip_ports GROUP BY portNumber))",
  149. "most_used.protocolname": "SELECT protocolName, COUNT(protocolCount) as countProtocols FROM ip_protocols GROUP BY protocolName HAVING countProtocols=(SELECT COUNT(protocolCount) as cnt FROM ip_protocols GROUP BY protocolName ORDER BY cnt DESC LIMIT 1)",
  150. "most_used.ttlvalue": "SELECT ttlValue FROM ip_ttl WHERE ttlCount == (SELECT MAX(ttlCount) FROM ip_ttl)",
  151. "least_used.ipaddress": "SELECT ipAddress FROM ip_statistics WHERE (pktsSent+pktsReceived) == (SELECT MIN(pktsSent+pktsReceived) from ip_statistics)",
  152. "least_used.macaddress": "SELECT * FROM (SELECT macAddress, COUNT(*) as occ from ip_mac GROUP BY macAddress ORDER BY occ ASC) WHERE occ=(SELECT COUNT(*) as occ from ip_mac GROUP BY macAddress ORDER BY occ ASC LIMIT 1)",
  153. "least_used.portnumber": "SELECT portNumber, COUNT(portNumber) as cntPort FROM ip_ports GROUP BY portNumber HAVING cntPort=(SELECT MIN(cntPort) from (SELECT portNumber, COUNT(portNumber) as cntPort FROM ip_ports GROUP BY portNumber))",
  154. "least_used.protocolname": "SELECT protocolName, COUNT(protocolCount) as countProtocols FROM ip_protocols GROUP BY protocolName HAVING countProtocols=(SELECT COUNT(protocolCount) as cnt FROM ip_protocols GROUP BY protocolName ORDER BY cnt ASC LIMIT 1)",
  155. "least_used.ttlvalue": "SELECT ttlValue FROM ip_ttl WHERE ttlCount == (SELECT MIN(ttlCount) FROM ip_ttl)",
  156. "avg.pktsreceived": "SELECT avg(pktsReceived) from ip_statistics",
  157. "avg.pktssent": "SELECT avg(pktsSent) from ip_statistics",
  158. "avg.kbytesreceived": "SELECT avg(kbytesReceived) from ip_statistics",
  159. "avg.kbytessent": "SELECT avg(kbytesSent) from ip_statistics",
  160. "avg.ttlvalue": "SELECT avg(ttlValue) from ip_ttl",
  161. "avg.mss": "SELECT avg(mss) from tcp_mss",
  162. "all.ipaddress": "SELECT ipAddress from ip_statistics",
  163. "all.ttlvalue": "SELECT DISTINCT ttlValue from ip_ttl",
  164. "all.mss": "SELECT DISTINCT mss from tcp_mss",
  165. "all.macaddress": "SELECT DISTINCT macAddress from ip_mac",
  166. "all.portnumber": "SELECT DISTINCT portNumber from ip_ports",
  167. "all.protocolname": "SELECT DISTINCT protocolName from ip_protocols"}
  168. # Retrieve values by selectors, if given, reduce results by extractor
  169. last_result = 0
  170. for q in query_param_list:
  171. # if selector, like avg, ttl, is given
  172. if any(e in q[0] for e in self._get_selector_keywords()):
  173. (keyword, param) = q
  174. query = named_queries.get(keyword + "." + param)
  175. self.cursor.execute(str(query))
  176. last_result = self.cursor.fetchall()
  177. # if selector is parametrized, i.e. ipAddress(mac=AA:BB:CC:DD:EE) or macAddress(ipAddress=192.168.178.1)
  178. elif any(e in q[0] for e in self._get_parametrized_selector_keywords()) and any(
  179. o in q[1] for o in ["<", "=", ">", "<=", ">="]):
  180. (keyword, param) = q
  181. # convert string 'paramName1<operator1>paramValue1,paramName2<operator2>paramValue2,...' into list of triples
  182. param_op_val = [(key, op, value) for (key, op, value) in
  183. [re.split("(<=|>=|>|<|=)", x) for x in param.split(",")]]
  184. last_result = self.named_query_parameterized(keyword, param_op_val)
  185. # if extractor, like random, first, last, is given
  186. elif any(e in q[0] for e in self._get_extractor_keywords()) and (
  187. isinstance(last_result, list) or isinstance(last_result, tuple)):
  188. extractor = q[0]
  189. if extractor == 'random':
  190. index = randint(a=0, b=len(last_result) - 1)
  191. last_result = last_result[index]
  192. elif extractor == 'first':
  193. last_result = last_result[0]
  194. elif extractor == 'last':
  195. last_result = last_result[-1]
  196. return last_result
  197. def process_db_query(self, query_string_in: str, print_results=False, sql_query_parameters: tuple = None):
  198. """
  199. Processes a database query. This can either be a standard SQL query or a named query (predefined query).
  200. :param query_string_in: The string containing the query
  201. :param print_results: Indicated whether the results should be printed to terminal (True) or not (False)
  202. :param sql_query_parameters: Parameters for the SQL query (optional)
  203. :return: the results of the query
  204. """
  205. named_query_keywords = self.get_all_named_query_keywords()
  206. # Clean query_string
  207. query_string = query_string_in.lower().lstrip()
  208. # query_string is a user-defined SQL query
  209. result = None
  210. if sql_query_parameters is not None or query_string.startswith("select") or query_string.startswith("insert"):
  211. result = self._process_user_defined_query(query_string, sql_query_parameters)
  212. # query string is a named query -> parse it and pass it to statisticsDB
  213. elif any(k in query_string for k in named_query_keywords) and all(k in query_string for k in ['(', ')']):
  214. # Clean query_string
  215. query_string = query_string.replace(" ", "")
  216. # Validity check: Brackets
  217. brackets_open, brackets_closed = query_string.count("("), query_string.count(")")
  218. if not (brackets_open == brackets_closed):
  219. sys.stderr.write("Bracketing of given query '" + query_string + "' is incorrect.")
  220. # Parse query string into [ (query_keyword1, query_params1), ... ]
  221. delimiter_start, delimiter_end = "(", ")"
  222. kplist = []
  223. current_word = ""
  224. for char in query_string: # process characters one-by-one
  225. # if char is no delimiter, add char to current_word
  226. if char != delimiter_end and char != delimiter_start:
  227. current_word += char
  228. # if a start delimiter was found and the current_word so far is a keyword, add it to kplist
  229. elif char == delimiter_start:
  230. if current_word in named_query_keywords:
  231. kplist.append((current_word,))
  232. current_word = ""
  233. else:
  234. print("ERROR: Unrecognized keyword '" + current_word + "' found. Ignoring query.")
  235. return
  236. # else if characeter is end delimiter and there were no two directly following ending delimiters,
  237. # the current_word must be the parameters of an earlier given keyword
  238. elif char == delimiter_end and len(current_word) > 0:
  239. kplist[-1] += (current_word,)
  240. current_word = ""
  241. result = self._process_named_query(kplist[::-1])
  242. else:
  243. sys.stderr.write(
  244. "Query invalid. Only named queries and SQL SELECT/INSERT allowed. Please check the query's syntax!\n")
  245. return
  246. # If result is tuple/list with single element, extract value from list
  247. requires_extraction = (isinstance(result, list) or isinstance(result, tuple)) and len(result) == 1 and \
  248. (not isinstance(result[0], tuple) or len(result[0]) == 1)
  249. while requires_extraction:
  250. if isinstance(result, list) or isinstance(result, tuple):
  251. result = result[0]
  252. else:
  253. requires_extraction = False
  254. # If tuple of tuples or list of tuples, each consisting of single element is returned,
  255. # then convert it into list of values, because the returned colum is clearly specified by the given query
  256. if (isinstance(result, tuple) or isinstance(result, list)) and all(len(val) == 1 for val in result):
  257. result = [c for c in result for c in c]
  258. # Print results if option print_results is True
  259. if print_results:
  260. if len(result) == 1 and isinstance(result, list):
  261. result = result[0]
  262. print("Query returned 1 record:\n")
  263. for i in range(0, len(result)):
  264. print(str(self.cursor.description[i][0]) + ": " + str(result[i]))
  265. else:
  266. self._print_query_results(query_string_in, result)
  267. return result
  268. def _print_query_results(self, query_string_in: str, result):
  269. """
  270. Prints the results of a query.
  271. Based on http://stackoverflow.com/a/20383011/3017719.
  272. :param query_string_in: The query the results belong to
  273. :param result: The results of the query
  274. """
  275. # Print number of results according to type of result
  276. if isinstance(result, list):
  277. print("Query returned " + str(len(result)) + " records:\n")
  278. else:
  279. print("Query returned 1 record:\n")
  280. # Print query results
  281. if query_string_in.lstrip().upper().startswith(
  282. "SELECT") and result is not None and self.cursor.description is not None:
  283. widths = []
  284. columns = []
  285. tavnit = '|'
  286. separator = '+'
  287. for cd in self.cursor.description:
  288. widths.append(len(cd) + 10)
  289. columns.append(cd[0])
  290. for w in widths:
  291. tavnit += " %-" + "%ss |" % (w,)
  292. separator += '-' * w + '--+'
  293. print(separator)
  294. print(tavnit % tuple(columns))
  295. print(separator)
  296. if isinstance(result, list):
  297. for row in result:
  298. print(tavnit % row)
  299. else:
  300. print(tavnit % result)
  301. print(separator)
  302. else:
  303. print(result)