Hi,
thanks for asking!
The bad news are that there is no API for query introspection. The
(almost) good news are that such questions help to build such an
API... :-)
Here's an example how to extract table names from a query. This example
may not work with all kinds of SQL statements, but at least it
illustrates how it *could* work (and maybe it solves you problem
anyway).
I've added this script to the "examples/" directory too.
The approach here is very trivial - and maybe too simplistic as a
general approach. The first function (extract_from_part) simply returns
a stream of all elements found after the first occurrence of "FROM". It
also flattens the nested statements. The second function
(extract_table_identifiers) extracts the table names from that stream.
Andi
# -- extract_table_names.py
sql = """
select K.a from (select H.b from (select G.c from (select F.d from
(select E.e from A, B, C, D, E), F), G), H), I, J, K;
"""
import sqlparse
from sqlparse.sql import IdentifierList, Identifier
from sqlparse.tokens import Keyword, DML
def is_subselect(parsed):
if not parsed.is_group():
return False
for item in parsed.tokens:
if item.ttype is DML and item.value.upper() == 'SELECT':
return True
return False
def extract_from_part(parsed):
from_seen = False
for item in parsed.tokens:
if from_seen:
if is_subselect(item):
for x in extract_from_part(item):
yield x
else:
yield item
elif item.ttype is Keyword and item.value.upper() == 'FROM':
from_seen = True
def extract_table_identifiers(token_stream):
for item in token_stream:
if isinstance(item, IdentifierList):
for identifier in item.get_identifiers():
yield identifier.get_name()
elif isinstance(item, Identifier):
yield item.get_name()
# It's a bug to check for Keyword here, but in the example
# above some tables names are identified as keywords...
elif item.ttype is Keyword:
yield item.value
def extract_tables():
stream = extract_from_part(sqlparse.parse(sql)[0])
return list(extract_table_identifiers(stream))
if __name__ == '__main__':
print 'Tables: %s' % ', '.join(extract_tables())
# -------------