python3使用pymysql操作My

发布时间:2019-07-25 09:13:04编辑:auto阅读(1474)

    • 一个小例子
      先建立数据库连接返回一个游标对象
      通过对游标对象的各种方法来实现对数据库的增删改查
      最后关闭数据库连接
    #首先在mysql数据库中建立mytest数据库并建立student表
    import pymysql
    
    # 打开数据库连接  connect函数的参数分别为:数据库地址,用户名,密码,数据库名,字符集
    conn = pymysql.connect("localhost", "root", "123456", "mytest",charset="utf8")
    # 得到一个可以执行SQL语句的光标对象 cursor
    # 对于数据库的增删改查基本都是通过cursor对象
    cursor = conn.cursor()
    
    # 游标对象的execute函数用于执行SQL查询语句
    sql = 'select * from student'
    cursor.execute(sql)
    
    #使用fetchall函数以元组形式返回所有查询结果并打印出来
    data = cursor.fetchall()
    print('表中原始数据:')
    print(data)
    print("\n")
    
    
    #插入一条数据并打印出结果
    sql = 'insert into student (name,sex,address) values ("逗逼呀","男","澳大利亚")';
    cursor.execute(sql)
    sql = 'select * from student'
    cursor.execute(sql)
    data = cursor.fetchall()
    print('插入了一条数据:')
    print(data)
    print("\n")
    
    
    #删除第一条数据并打印出结果
    sql ='delete from student where id = 1';
    cursor.execute(sql)
    sql = 'select * from student'
    cursor.execute(sql)
    data = cursor.fetchall()
    print('删除了一条数据:')
    print(data)
      
    # 提交,不然无法保存新建或者修改的数据
    conn.commit()
    # 关闭光标对象
    cursor.close()
    # 关闭数据库连接
    conn.close()
    
    # >>>
    # 表中原始数据:
    # ((1, '张三', '男', '新加坡'), (2, '张四', '男', '新加坡'), (3, '二狗', '男', '重庆'))
    # 
    # 
    # 插入了一条数据:
    # ((1, '张三', '男', '新加坡'), (2, '张四', '男', '新加坡'), (3, '二狗', '男', '重庆'), (5, '逗逼呀', '男', '澳大利亚'))
    # 
    # 
    # 删除了一条数据:
    # ((2, '张四', '男', '新加坡'), (3, '二狗', '男', '重庆'), (5, '逗逼呀', '男', '澳大利亚'))
    

关键字