如何使用sqlAlchemy调用sql server的存储过程?
答案 0 :(得分:15)
Engines和Connections有一个execute()
方法可用于任意sql语句,Sessions也是如此。例如:
results = sess.execute('myproc ?, ?', [param1, param2])
如果需要,您可以使用outparam()
创建输出参数(或使用bindparam()
选项将isoutparam=True
与绑定参数一起使用)
答案 1 :(得分:7)
只需执行使用func
创建的过程对象:
from sqlalchemy import create_engine, func
from sqlalchemy.orm import sessionmaker
engine = create_engine('sqlite://', echo=True)
print engine.execute(func.upper('abc')).scalar() # Using engine
session = sessionmaker(bind=engine)()
print session.execute(func.upper('abc')).scalar() # Using session
答案 2 :(得分:6)
假设您已经使用sessionmaker()创建了会话,则可以使用以下函数:
def exec_procedure(session, proc_name, params):
sql_params = ",".join(["@{0}={1}".format(name, value) for name, value in params.items()])
sql_string = """
DECLARE @return_value int;
EXEC @return_value = [dbo].[{proc_name}] {params};
SELECT 'Return Value' = @return_value;
""".format(proc_name=proc_name, params=sql_params)
return session.execute(sql_string).fetchall()
现在,您可以使用以下参数执行存储过程“MyProc”:
params = {
'Foo': foo_value,
'Bar': bar_value
}
exec_procedure(session, 'MyProc', params)
答案 3 :(得分:4)
使用SQLAlchemy在MySQL中调用存储过程的最简单方法是使用callproc
Engine.raw_connection()
方法。 call_proc
将需要调用存储过程所需的过程名称和参数。
def call_procedure(function_name, params):
connection = cloudsql.Engine.raw_connection()
try:
cursor = connection.cursor()
cursor.callproc(function_name, params)
results = list(cursor.fetchall())
cursor.close()
connection.commit()
return results
finally:
connection.close()
答案 4 :(得分:4)
context :我使用flask-sqlalchemy和MySQL,没有ORM映射。通常,我使用:
# in the init method
_db = SqlAlchemy(app)
#... somewhere in my code ...
_db.session.execute(query)
开箱即用不支持调用存储过程:callproc
不是通用的,而是特定于mysql连接器。
对于存储过程没有指出,可以执行类似
的查询_db.session.execute(sqlalchemy.text("CALL my_proc(:param)"), param='something')
像往常一样。当你有 out params ... 时,事情变得更加复杂
使用params的一种方法是通过engine.raw_connection()
访问底层连接器。例如:
conn = _db.engine.raw_connection()
# do the call. The actual parameter does not matter, could be ['lala'] as well
results = conn.cursor().callproc('my_proc_with_one_out_param', [0])
conn.close() # commit
print(results) # will print (<out param result>)
这很好,因为我们能够访问out参数,但这个连接不是由烧瓶会话管理。这意味着它不会像其他托管查询一样提交/中止...(仅当您的过程有副作用时才会出现问题)。
最后,我最终这样做了:
# do the call and store the result in a local mysql variabl
# the name does not matter, as long as it is prefixed by @
_db.session.execute('CALL my_proc_with_one_out_param(@out)')
# do another query to get back the result
result = _db.session.execute('SELECT @out').fetchone()
result
将是一个具有一个值的元组:out param。这不是理想的,但是最不危险的是:如果在会话期间另一个查询失败,那么过程调用也将被中止(回滚)。
答案 5 :(得分:1)
出于对我的项目的迫切需求,我编写了一个处理存储过程调用的函数。
你走了:
import sqlalchemy as sql
def execute_db_store_procedure(database, types, sql_store_procedure, *sp_args):
""" Execute the store procedure and return the response table.
Attention: No injection checking!!!
Does work with the CALL syntax as of yet (TODO: other databases).
Attributes:
database -- the database
types -- tuple of strings of SQLAlchemy type names.
Each type describes the type of the argument
with the same number.
List: http://docs.sqlalchemy.org/en/rel_0_7/core/types.html
sql_store_procudure -- string of the stored procedure to be executed
sp_args -- arguments passed to the stored procedure
"""
if not len(types) == len(sp_args):
raise ValueError("types tuple must be the length of the sp args.")
# Construch the type list for the given types
# See
# http://docs.sqlalchemy.org/en/latest/core/sqlelement.html?highlight=expression.text#sqlalchemy.sql.expression.text
# sp_args (and their types) are numbered from 0 to len(sp_args)-1
type_list = [sql.sql.expression.bindparam(
str(no), type_=getattr(sql.types, typ)())
for no, typ in zip(range(len(types)), types)]
try:
# Adapts to the number of arguments given to the function
sp_call = sql.text("CALL `%s`(%s)" % (
sql_store_procedure,
", ".join([":%s" % n for n in range(len(sp_args))])),
bindparams=type_list
)
#raise ValueError("%s\n%s" % (sp_call, type_list))
with database.engine.begin() as connection:
return connection.execute(
sp_call,
# Don't do this at home, kids...
**dict((str(no), arg)
for (no, arg) in zip(range(len(sp_args)), sp_args)))
except sql.exc.DatabaseError:
raise
它适用于CALL语法,因此MySQL应该按预期工作。我想,MSSQL使用EXEC而不是调用和一些不同的语法。因此,使服务器不可知取决于你,但不应该太难。
答案 6 :(得分:1)
另一种解决方法:
query = 'call Procedure ('+"'"+@param1+"'"+','+"'"+@param2+"'"+','+"'"+@param3+"'"+')'
sqlEngine = sqlalchemy.create_engine(jdbc)
conn = sqlEngine.connect()
df = pd.read_sql(query,conn,index_col=None)