Psycopg2 Pythonライブラリを使用してテーブルが存在するかどうかをどのように判断できますか?真または偽のブール値が必要です。
どうですか:
>>> import psycopg2
>>> conn = psycopg2.connect("dbname='mydb' user='username' Host='localhost' password='foobar'")
>>> cur = conn.cursor()
>>> cur.execute("select * from information_schema.tables where table_name=%s", ('mytable',))
>>> bool(cur.rowcount)
True
EXISTSを使用する別の方法は、すべての行を取得する必要はなく、少なくとも1つの行が存在するという点で優れています。
>>> cur.execute("select exists(select * from information_schema.tables where table_name=%s)", ('mytable',))
>>> cur.fetchone()[0]
True
具体的にはpsycopg2 libはわかりませんが、次のクエリを使用してテーブルの存在を確認できます。
SELECT EXISTS(SELECT 1 FROM information_schema.tables
WHERE table_catalog='DB_NAME' AND
table_schema='public' AND
table_name='TABLE_NAME');
Pg_ *テーブルから直接選択するよりもinformation_schemaを使用する利点は、クエリのある程度の移植性です。
select exists(select relname from pg_class
where relname = 'mytablename' and relkind='r');
#!/usr/bin/python
# -*- coding: utf-8 -*-
import psycopg2
import sys
con = None
try:
con = psycopg2.connect(database='testdb', user='janbodnar')
cur = con.cursor()
cur.execute('SELECT 1 from mytable')
ver = cur.fetchone()
print ver //здесь наш код при успехе
except psycopg2.DatabaseError, e:
print 'Error %s' % e
sys.exit(1)
finally:
if con:
con.close()
最初の答えはうまくいきませんでした。 pg_classで関係のチェックに成功しました:
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
上記のEXISTSの使用を拡張して、一般的にテーブルの存在をテストするために何かが必要でした。 selectステートメントでfetchを使用して結果をテストすると、空の既存のテーブルで「なし」という結果が得られましたが、理想的ではありません。
これが私が思いついたものです:
import psycopg2
def exist_test(tabletotest):
schema=tabletotest.split('.')[0]
table=tabletotest.split('.')[1]
existtest="SELECT EXISTS (SELECT 1 FROM information_schema.tables WHERE table_schema = '"+schema+"' AND table_name = '"+table+"' );"
print('existtest',existtest)
cur.execute(existtest) # assumes youve already got your connection and cursor established
# print('exists',cur.fetchall()[0])
return ur.fetchall()[0] # returns true/false depending on whether table exists
exist_test('someschema.sometable')
次のソリューションはschema
も処理しています:
import psycopg2
with psycopg2.connect("dbname='dbname' user='user' Host='Host' port='port' password='password'") as conn:
cur = conn.cursor()
query = "select to_regclass(%s)"
cur.execute(query, ['{}.{}'.format('schema', 'table')])
exists = bool(cur.fetchone()[0])