web-dev-qa-db-fra.com

Comment obtenir des tableaux en postgres en utilisant psycopg2?

Quelqu'un peut-il expliquer comment je peux obtenir les tables dans la base de données actuelle?

J'utilise psycopg2 postgresql-8.4.

46
user1395784

Cela a fait l'affaire pour moi:

cursor.execute("""SELECT table_name FROM information_schema.tables
       WHERE table_schema = 'public'""")
for table in cursor.fetchall():
    print(table)
54
kalu

pg_class stocke toutes les informations requises.

l'exécution de la requête ci-dessous renvoie les tables définies par l'utilisateur sous la forme d'un tuple dans une liste

conn = psycopg2.connect(conn_string)
cursor = conn.cursor()
cursor.execute("select relname from pg_class where relkind='r' and relname !~ '^(pg_|sql_)';")
print cursor.fetchall()

production:

[('table1',), ('table2',), ('table3',)]
27
Sravan

La question est d'utiliser le psycopg2 de python pour faire des choses avec postgres. Voici deux fonctions pratiques:

def table_exists(con, table_str):

    exists = False
    try:
        cur = con.cursor()
        cur.execute("select exists(select relname from pg_class where relname='" + table_str + "')")
        exists = cur.fetchone()[0]
        print exists
        cur.close()
    except psycopg2.Error as e:
        print e
    return exists

def get_table_col_names(con, table_str):

    col_names = []
    try:
        cur = con.cursor()
        cur.execute("select * from " + table_str + " LIMIT 0")
        for desc in cur.description:
            col_names.append(desc[0])        
        cur.close()
    except psycopg2.Error as e:
        print e

    return col_names
4
rirwin

Si vous utilisez psql, vous pouvez taper:

\d

http://www.postgresql.org/docs/9.1/static/app-psql.html

Si vous exécutez SQL, vous pouvez taper:

SELECT * FROM tables;

http://www.postgresql.org/docs/current/interactive/information-schema.html

Si vous souhaitez des statistiques sur leur utilisation, vous pouvez taper:

SELECT * FROM pg_stat_user_tables;

http://www.postgresql.org/docs/current/interactive/monitoring-stats.html

1
kgrittn