P粉5233350262023-08-25 11:31:10
呼叫cursor.callproc
後取得預存程序的結果取決於下列因素:
DBAPI 規格 在 上有這樣的說法遊標.callproc
:
實際上,只有當程序傳回單行且列數與 INOUT 和 OUT 參數的數量相符時,使用 Cursor.callproc 的傳回值才有效,因此存在一些問題結果處理方式的變化。
以下是主要 MySQL Python 連接器套件處理這些情況的方式 - MySQL 連接器,mysqlclient (MySQLdb)< /a> 和 PyMySQL#。 < /p>
單行結果,透過 INOUT 或 OUT 參數傳回
#MySQL Connector 傳回輸入序列的修改副本作為 cursor.callproc
的回傳值;該值是一個元組。
params = [in_param, out_param1, out_param2] in_, out1, out2 = cursor.callproc("test_proc", params)
mysqlclient和PyMySQL要求查詢資料庫取得輸出參數,然後透過遊標取得結果;該值是元組的元組。要查詢的參數名稱的形式為'@_{procedure_name}_{params.index(param)}'
cursor.callproc("test_proc", params) cursor.execute("""SELECT @_test_proc_0, @_test_proc_1""") result = cursor.fetchall()
單一結果集中的一行或多行,未定義 INOUT 或 OUT 參數
MySQL Connector 透過遊標的 stored_results 方法(cursor.stored_results
不是 DBAPI 規格的一部分)
cursor.callproc("test_proc", params) results = [r.fetchall() for r in cursor.stored_results()]
mysqlclient 和 PyMySQL 透過遊標的 fetch* 方法公開結果
cursor.callproc("test_proc", params) results = cursor.fetchall()
多個結果集,未定義 INOUT 或 OUT 參數
MySQL Connector 透過遊標的 stored_results
方法公開結果
cursor.callproc("test_proc", params) results = [r.fetchall() for r in cursor.stored_results()]
mysqlclient 和 PyMySQL 要求在呼叫 cursor.nextset 前進到下一個結果集。請注意,可能會傳回額外的空結果集,這是呼叫過程的結果(如果透過 cursor.nextset
檢索結果集而不是僅呼叫 <代码>cursor.fetchall一次)。
cursor.callproc("test_proc", params) results = [cursor.fetchall()] while cursor.nextset(): results.append(cursor.fetchall())
版本資訊
$ mysql --version mysql Ver 15.1 Distrib 10.1.41-MariaDB, for debian-linux-gnu (x86_64) using readline 5.2 $ pip list | grep -i mysql mysql-connector-python 8.0.18 mysqlclient 1.4.6 PyMySQL 0.9.3
P粉0054177482023-08-25 10:38:33
您是否嘗試過選擇其中一個結果集?
for result in cursor.stored_results(): people = result.fetchall()
即使您只有一個 SELECT
stmt,它也可能會指派多個結果集。我知道在 PHP 的 MySQLi 預存程序中這樣做是為了允許 INOUT 和 OUT 變數回傳(同樣,你沒有,但也許它無論如何都在分配)。
我正在使用的完整程式碼(正在運行)是:
import mysql.connector cnx = mysql.connector.connect(user='me',password='pw',host='localhost',database='mydb') cnx._open_connection() cursor = cnx.cursor() cursor.callproc("getperson",[1]) for result in cursor.stored_results(): people=result.fetchall() for person in people: print person cnx.close()