Was ist die richtige Methode, um die Liste (countryList) über% s in der SQL-Anweisung verfügbar zu machen?
# using psycopg2
countryList=['UK','France']
sql='SELECT * from countries WHERE country IN (%s)'
data=[countryList]
cur.execute(sql,data)
So wie es jetzt ist, tritt ein Fehler auf, nachdem versucht wurde, "WHERE country in (ARRAY [...])" auszuführen. Gibt es eine andere Möglichkeit als die Manipulation von Strings?
Vielen Dank
Um die Antwort ein wenig zu erläutern, benannte Parameter zu adressieren und Listen in Tupel umzuwandeln:
countryList = ['UK', 'France'] sql = 'SELECT * from countries WHERE country IN %(countryList)s' cur.execute(sql, { # You can pass a dict for named parameters rather than a tuple. Makes debugging hella easier. 'countryList': tuple(countryList), # Converts the list to a tuple. })
quelle
cur.execute("SELECT * FROM table WHERE col IN %(list1)s OR col IN %(list2)s", {'list1': tuple(1,2,3), 'list2' = tuple(4,5,6)})
Sie können eine Python-Liste direkt wie folgt verwenden. Es verhält sich wie der IN-Operator in SQL und verarbeitet auch eine leere Liste, ohne einen Fehler auszulösen.
data=['UK','France'] sql='SELECT * from countries WHERE country = ANY (%s)' cur.execute(sql,(data,))
Quelle: http://initd.org/psycopg/docs/usage.html#lists-adaptation
quelle
cur.execute(sql, (tuple(data),))