Python学习日记(四十) Mysql数据库篇 八
程序员文章站
2022-11-06 18:07:45
Mysql存储过程 存储过程是保存在Mysql上的一个别名(就是一堆SQL语句),使用别名就可以查到结果不用再去写SQL语句。存储过程用于替代程序员写SQL语句。 创建存储过程 当我们写完这段代码并执行,再去调用p1()就可以直接执行里面的查询 执行结果: 这样的好处能让功能代码都整合到一块且不用再 ......
mysql存储过程
存储过程是保存在mysql上的一个别名(就是一堆sql语句),使用别名就可以查到结果不用再去写sql语句。存储过程用于替代程序员写sql语句。
创建存储过程
delimiter // create procedure p1() begin select * from studenttable; insert into teachertable(tname) values('陈晨'); end // delimiter ;
当我们写完这段代码并执行,再去调用p1()就可以直接执行里面的查询
call p1();
执行结果:
这样的好处能让功能代码都整合到一块且不用再去写sql语句,不好之处在于如果要改数据库中的资料,那不一定能从存储过程中能拿到数据。
在公司处理数据时选用的方式:
方式一:
mysql(dba):存储过程
程序(程序员):调用存储过程
方式二:
mysql:什么都不做
程序:写sql语句
方式三:
mysql:什么都不做
程序:类和对象(本质就是sql语句 )
通过python中的pymysql模块拿到p1的数据:
import pymysql conn = pymysql.connect(host = 'localhost',user = 'root',password = '',database = 'db2',charset = 'utf8') cursor = conn.cursor() cursor.callproc('p1') conn.commit() result = cursor.fetchall() print(result) cursor.close() conn.close()
传参数in
in表示传入一个值
delimiter // create procedure p2( in pid int, in pnumber int ) begin select * from scoretable where student_id > pid and number > pnumber; end // delimiter ;
呼叫执行过程p2并带入参数
call p2(15,90);
这样就能找到大于学生id15并且分数大于90 的学生成绩
利用pymysql执行达到相同效果:
cursor.callproc('p2',(15,80))
传参数out
out伪造了一个返回值,主要用于表示存储过程的执行结果
delimiter // create procedure p3( in pid int, out pnumber int ) begin set pnumber = 80; select student_id from scoretable where student_id > pid and number > pnumber group by student_id; end // delimiter ;
呼叫执行过程p3并带入参数
set @pn = 80; call p3(20,@pn); select @pn;
在pymysql中执行
import pymysql conn = pymysql.connect(host = 'localhost',user = 'root',password = '',database = 'db2',charset = 'utf8') cursor = conn.cursor() cursor.callproc('p3',(15,80)) r1 = cursor.fetchall() print(r1) cursor.execute('select @_p3_0,@_p3_1') #返回前面写的这两个参数15 80 r2 = cursor.fetchall() print(r2) cursor.close() conn.close()
传参数inout
结合in和out两种特性
事务
比方说双方进行一笔交易,但出现某种错误,一方支付了钱另一方没有收到,就可以通过事务回滚到最初的状态
delimiter // create procedure p4( out p_status tinyint -- 状态变量,用于判断是否出现执行异常 ) begin declare exit handler for sqlexception -- 执行出现异常的代码 begin set p_status = 1; -- 1表示出现异常 rollback; -- 将事务回滚 end ; start transaction; -- 开始事务 select student_id from scoretable group by student_id; insert into scoretable(student_id,course_id,number) values(25,3,78); commit; -- 结束事务 set p_status = 2; -- 2表示没有出现异常 end // delimiter ;
......