56

Pythonで列インデックスの代わりに列名を使用してSQL結果の列値を取得する方法はありますか?私はmySQLでPython3を使用しています。私が探している構文は、Javaコンストラクトとほとんど同じです。

Object id = rs.get("CUSTOMER_ID"); 

私はかなりの数の列を持つテーブルを持っていますが、アクセスする必要のある各列のインデックスを絶えず計算するのは本当に苦痛です。さらに、インデックスが私のコードを読みにくくしています。

ありがとう!

4

10 に答える 10

93

MySQLdbモジュールにはDictCursorあります:

このように使用します(Python DB-APIを使用したMySQLスクリプトの記述から取得):

cursor = conn.cursor(MySQLdb.cursors.DictCursor)
cursor.execute("SELECT name, category FROM animal")
result_set = cursor.fetchall()
for row in result_set:
    print "%s, %s" % (row["name"], row["category"])

編集: user1305650によると、これはpymysql同様に機能します。

于 2012-04-17T16:38:38.013 に答える
29

この投稿は古いですが、検索して表示される可能性があります。

これで、次のようにmysql.connectorを使用して辞書を取得できます: https ://dev.mysql.com/doc/connector-python/en/connector-python-api-mysqlcursordict.html

mysqlサイトの例を次に示します。

cnx = mysql.connector.connect(database='world')
cursor = cnx.cursor(dictionary=True)
cursor.execute("SELECT * FROM country WHERE Continent = 'Europe'")

print("Countries in Europe:")
for row in cursor:
    print("* {Name}".format(Name=row['Name']))
于 2017-11-14T21:59:27.960 に答える
18

「カーソル内の辞書」と呼ばれるものを探す必要があります

私はmysqlコネクタを使用しており、このパラメータをカーソルに追加する必要があるため、インデックスの代わりに列名を使用できます

db = mysql.connector.connect(
    host=db_info['mysql_host'],
    user=db_info['mysql_user'],
    passwd=db_info['mysql_password'],
    database=db_info['mysql_db'])

cur = db.cursor()

cur = db.cursor( buffered=True , dictionary=True)
于 2019-05-19T16:35:36.973 に答える
13

pymysqlをインポートします

# Open database connection
db = pymysql.connect("localhost","root","","gkdemo1")

# prepare a cursor object using cursor() method
cursor = db.cursor()

# execute SQL query using execute() method.
cursor.execute("SELECT * from user")

# Get the fields name (only once!)
field_name = [field[0] for field in cursor.description]

# Fetch a single row using fetchone() method.
values = cursor.fetchone()

# create the row dictionary to be able to call row['login']
**row = dict(zip(field_name, values))**

# print the dictionary
print(row)

# print specific field
print(**row['login']**)

# print all field
for key in row:
    print(**key," = ",row[key]**)

# close database connection
db.close()
于 2017-12-23T19:06:24.583 に答える
6

Python 2.7

import pymysql

conn = pymysql.connect(host='localhost', port=3306, user='root', passwd='password', db='sakila')

cur = conn.cursor()

n = cur.execute('select * from actor')
c = cur.fetchall()

for i in c:
    print i[1]
于 2017-05-05T12:17:16.333 に答える
6
import mysql
import mysql.connector

db = mysql.connector.connect(
   host = "localhost",
    user = "root",
    passwd = "P@ssword1",
    database = "appbase"
)

cursor = db.cursor(dictionary=True)

sql = "select Id, Email from appuser limit 0,1"
cursor.execute(sql)
result = cursor.fetchone()

print(result)
# output =>  {'Id': 1, 'Email': 'me@gmail.com'}

print(result["Id"])
# output => 1

print(result["Email"])
# output => me@gmail.com
于 2019-08-02T12:31:44.133 に答える
3

もちろんあります。Python2.7.2+では...

import MySQLdb as mdb
con =  mdb.connect('localhost', 'user', 'password', 'db');
cur = con.cursor()
cur.execute('SELECT Foo, Bar FROM Table')
for i in range(int(cur.numrows)):
    foo, bar = cur.fetchone()
    print 'foo = %s' % foo
    print 'bar = %s' % bar
于 2012-04-17T16:29:12.570 に答える
2

特定の列から値を選択する:

import pymysql
db = pymysql.connect("localhost","root","root","school")
cursor=db.cursor()
sql="""select Total from student"""
l=[]
try:
    #query execution
    cursor.execute(sql)
    #fetch all rows 
    rs = cursor.fetchall()
    #iterate through rows
    for i in rs:
        #converting set to list
        k=list(i)
        #taking the first element from the list and append it to the list
        l.append(k[0])
    db.commit()
except:
    db.rollback()
db.close()
print(l)
于 2019-01-09T07:04:51.723 に答える
1

あなたは多くの詳細を提供しませんでした、しかしあなたはこのような何かを試すことができました:

# conn is an ODBC connection to the DB
dbCursor = conn.cursor()
sql = ('select field1, field2 from table') 
dbCursor = conn.cursor()
dbCursor.execute(sql)
for row in dbCursor:
    # Now you should be able to access the fields as properties of "row"
    myVar1 = row.field1
    myVar2 = row.field2
conn.close()
于 2012-04-17T16:31:22.757 に答える
0
import mysql.connector as mysql
...
cursor = mysql.cnx.cursor()
cursor.execute('select max(id) max_id from ids')
(id) = [ id for id in cursor ]
于 2019-03-25T20:53:55.960 に答える