时间:2021-07-01 10:21:17 帮助过:14人阅读
-->数据库范围:
对于目标数据库以及内部其他: 数据库名.* 数据库中的所有 数据库名.表 指定数据库中的某张表 数据库名.存储过程 指定数据库中的存储过程 *.* 所有数据库
-->用户范围:
用户名@IP地址 用户只能在改IP下才能访问 用户名@192.168.1.% 用户只能在改IP段下才能访问(通配符%表示任意) 用户名@% 用户可以再任意IP下访问(默认IP地址为%)
(1)、创建表
1 2 3 4 |
create table 表名(
列名 类型 是否可以为空,
列名 类型 是否可以为空
)
|
约束(1)是否可空null
是否可空,null表示空,非字符串 not null - 不可空 null - 可空
约束(2)默认值default
默认值,创建列时可以指定默认值,当插入数据时如果未主动设置,则自动添加默认值 create table tb1( nid int not null defalut 2, num int not null )
约束(3)自增auto_increment
自增,如果为某列设置自增列,插入数据时无需设置此列,默认将自增(表中只能有一个自增列) create table tb1( nid int not null auto_increment primary key, num int null ) 或 create table tb1( nid int not null auto_increment, num int null, index(nid) ) 注意:1、对于自增列,必须是索引(含主键)。 2、对于自增可以设置步长和起始值 show session variables like ‘auto_inc%‘; set session auto_increment_increment=2; set session auto_increment_offset=10; shwo global variables like ‘auto_inc%‘; set global auto_increment_increment=2; set global auto_increment_offset=10;
约束(4)主键primary key
主键,一种特殊的唯一索引,不允许有空值,如果主键使用单个列,则它的值必须唯一,如果是多列,则其组合必须唯一。 create table tb1( nid int not null auto_increment primary key, num int null ) 或 create table tb1( nid int not null, num int not null, primary key(nid,num) )
约束(5)唯一键unique key
create table tb1( nid int not null auto_increment primary key, num int null unique key, )
约束(6)外键foreign key
外键,一个特殊的索引,只能是指定内容 creat table color( nid int not null primary key, name char(16) not null ) create table fruit( nid int not null primary key, smt char(32) null , color_id int not null, constraint fk_cc foreign key (color_id) references color(nid) )
(2)、删除表
1 |
drop table 表名
|
(3)、清空表
1 2 |
delete from 表名
truncate table 表名 # 和上面的区别在于,这条语句能够使自增id恢复到0
|
(4)、修改表
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 |
添加列:alter table 表名 add 列名 类型
删除列:alter table 表名 drop column 列名
修改列:
alter table 表名 modify column 列名 类型; - - 类型
alter table 表名 change 原列名 新列名 类型; - - 列名,类型
添加主键:
alter table 表名 add primary key(列名);
删除主键:
alter table 表名 drop primary key;
alter table 表名 modify 列名 int , drop primary key;
添加外键:alter table 从表 add constraint 外键名称(形如:FK_从表_主表) foreign key 从表(外键字段) references 主表(主键字段);
删除外键:alter table 表名 drop foreign key 外键名称
修改默认值:ALTER TABLE testalter_tbl ALTER i SET DEFAULT 1000 ;
删除默认值:ALTER TABLE testalter_tbl ALTER i DROP DEFAULT;
|
(5)、基本数据类型
MySQL的数据类型大致分为:数值、时间和字符串
http://www.runoob.com/mysql/mysql-data-types.html
1、增加数据
insert into 表 (列名,列名...) values (值,值,值...) insert into 表 (列名,列名...) values (值,值,值...),(值,值,值...) insert into 表 (列名,列名...) select (列名,列名...) from 表
2、删除数据
delete from 表 delete from 表 where id=1 and name=‘alex‘
3、修改数据
update 表 set name = ‘alex‘ where id>1
4、查询数据
select * from 表 select * from 表 where id > 1 select nid,name,gender as gg from 表 where id > 1
5、其他
View Code一些总结和练习
视图是一个虚拟表(非真实存在),其本质是【根据SQL语句获取动态的数据集,并为其命名】,用户使用时只需使用【名称】即可获取结果集,并可以将其当作表来使用。
临时表搜索1、创建视图
View Code2、删除视图
View Code3、修改视图
View Code4、使用视图
使用视图时,将其当作表进行操作即可,由于视图是虚拟表,所以无法使用其对真实表进行创建、更新和删除操作,仅能做查询用。
View Code对某个表进行【增/删/改】操作的前后如果希望触发某个特定的行为时,可以使用触发器,触发器用于定制用户对表的行进行【增/删/改】前后的行为。
1、创建基本语法
View Code 插入前触发器 插入后触发器特别的:NEW表示即将插入的数据行,OLD表示即将删除的数据行。
2、删除触发器
DROP TRIGGER tri_after_insert_tb1;
3、使用触发器
触发器无法由用户直接调用,而知由于对表的【增/删/改】操作被动引发的。
insert into tb1(num) values(666)
存储过程是一个SQL语句集合,当主动去调用存储过程时,其中内部的SQL语句会按照逻辑执行。
1、创建存储过程和执行过程
View Code对于存储过程,可以接收参数,其参数有三类:
2、删除存储过程
drop procedure proc_name;
3、执行存储过程
-- 无参数 call proc_name() -- 有参数,全in call proc_name(1,2) -- 有参数,有in,out,inout DECLARE @t1 INT; DECLARE @t2 INT default 3; call proc_name(1,2,@t1,@t2)pymysql执行存储过程
MySQL中提供了许多内置函数,例如:
部分内置函数更多:
http://doc.mysql.cn/mysql5/refman-5.1-zh.html-chapter/functions.html#encryption-functions
http://dev.mysql.com/doc/refman/5.7/en/string-functions.html
1、自定义函数
View Code2、删除函数
drop function func_name;
3、执行函数
View Code事务用于将某些操作的多个SQL作为原子性操作,一旦有某一个出现错误,即可回滚到原来的状态,从而保证数据库数据完整性。
支持事务的存储过程 执行存储过程索引,是数据库中专门用于帮助用户快速查询数据的一种数据结构。类似于字典中的目录,查找字典内容时可以根据目录查找到数据的存放位置,然后直接获取即可。
MySQL中常见索引有:
1、普通索引
普通索引仅有一个功能:加速查询
创建表+索引 创建索引 删除索引 查看索引注意:对于创建索引时如果是BLOB 和 TEXT 类型,必须指定length。
View Code2、唯一索引
唯一索引有两个功能:加速查询 和 唯一约束(可含null)
创建表+索引 创建唯一键索引 删除唯一键索引3、主键索引
主键有两个功能:加速查询 和 唯一约束(不可含null)
创建表+主键索引 创建主键 删除主键4、组合索引
组合索引是将n个列组合成一个索引
其应用场景为:频繁的同时使用n列来进行查询,如:where n1 = ‘redhat‘ and n2 = 666。
创建表 创建组合索引如上创建组合索引之后,查询:
注意:对于同时搜索n个条件时,组合索引的性能好于多个单一索引合并。
1、条件语句
View Code2、循环语句
while循环 repeat循环 loop循环3、动态执行SQL语句
View Codepymsql是Python中操作MySQL的模块,其使用方法和MySQLdb几乎相同。这里介绍pymysql
1 |
pip install pymysql
|
# 先往数据库插入点数据 mysql> CREATE DATABASE IF NOT EXISTS testdb DEFAULT CHARACTER SET utf8 COLLATE utf8_general_ci; mysql> use testdb; mysql> CREATE TABLE hosts (id int not null auto_increment primary key,ip varchar(20) not null,port int not null); mysql> INSERT INTO hosts (ip,port) values (‘1.1.1.1‘,22),(‘1.1.1.2‘,22), (‘1.1.1.3‘,22),(‘1.1.1.4‘,22), (‘1.1.1.5‘,22);
1、执行SQL
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 |
#!/usr/bin/env python
# -*- coding:utf-8 -*-
import pymysql
# 创建连接
conn = pymysql.connect(host = ‘127.0.0.1‘ , port = 3306 , user = ‘root‘ , passwd = ‘123456‘ , db = ‘testdb‘ , charset = ‘utf8‘ )
# 创建游标
cursor = conn.cursor()
# 执行SQL,并返回收影响行数
r = effect_row = cursor.execute( "update hosts set ip = ‘1.1.1.2‘" )
print (r)
# 执行SQL,并返回受影响行数
effect_row = cursor.execute( "update hosts set ip = ‘1.1.1.6‘ where id > %s" , ( 6 ,))
# 执行SQL,并返回受影响行数
effect_row = cursor.executemany( "insert into hosts(ip,port) values(%s,%s)" , [( "1.1.1.7" , 21 ),( "1.1.1.8" , 23 )])
# 提交,不然无法保存新建或者修改的数据
conn.commit()
# 关闭游标
cursor.close()
# 关闭连接
conn.close()
|
2、获取新创建数据自增ID
1 2 3 4 5 6 7 8 9 10 11 12 13 14 |
#!/usr/bin/env python
# -*- coding:utf-8 -*-
import pymysql
conn = pymysql.connect(host = ‘127.0.0.1‘ , port = 3306 , user = ‘root‘ , passwd = ‘123456‘ , db = ‘testdb‘ )
cursor = conn.cursor()
cursor.executemany( "insert into hosts(ip,port) values(%s,%s)" , [( "1.1.1.9" , 21 ),( "1.1.1.10" , 222 )])
conn.commit()
cursor.close()
conn.close()
# 获取最新自增ID
new_id = cursor.lastrowid
print (new_id)<br><br> # 获取当前行行号<br>current_row = cursor.rownumber<br>print(current_row)
|
3、获取查询数据
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 |
#!/usr/bin/env python
# -*- coding:utf-8 -*-
import pymysql
conn = pymysql.connect(host = ‘127.0.0.1‘ , port = 3306 , user = ‘root‘ , passwd = ‘123456‘ , db = ‘testdb‘ )
cursor = conn.cursor()
cursor.execute( "select * from hosts" )
# 获取第一行数据
row = cursor.fetchone()
print (row)
print (cursor.rownumber)
# 获取第二行数据
row_1 = cursor.fetchone()
print (row_1)
print (cursor.rownumber)
# 获取前n行数据
row_2 = cursor.fetchmany( 3 )
print (row_2)
# 获取所有数据
row_3 = cursor.fetchall()
print (row_3)
conn.commit()
cursor.close()
conn.close()
|
注:在fetch数据时按照顺序进行,可以使用cursor.scroll(num,mode)来移动游标位置,如:
4、fetch数据类型
关于默认获取的数据是元祖类型,如果想要或者字典类型的数据,即:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 |
#!/usr/bin/env python
# -*- coding:utf-8 -*-
import pymysql
conn = pymysql.connect(host = ‘127.0.0.1‘ , port = 3306 , user = ‘root‘ , passwd = ‘123456‘ , db = ‘testdb‘ )
# 游标设置为字典类型
cursor = conn.cursor(cursor = pymysql.cursors.DictCursor)
r = cursor.execute( "select * from hosts" )
print (r)
result = cursor.fetchone()
print (result)
conn.commit()
cursor.close()
conn.close()
|
SQLAlchemy是Python编程语言下的一款ORM框架,该框架建立在数据库API之上,使用关系对象映射进行数据库操作,简言之便是:将对象转换成SQL,然后使用数据API执行SQL并获取执行结果。
SQLAlchemy安装
1 |
pip install sqlalchemy
|
SQLAlchemy本身无法操作数据库,其必须以来pymsql等第三方插件,Dialect用于和数据API进行交流,根据配置文件的不同调用不同的数据库API,从而实现对数据库的操作,如:
1 2 3 4 5 6 7 8 9 10 11 12 13 |
MySQL - Python
mysql + mysqldb: / / <user>:<password>@<host>[:<port>] / <dbname>
pymysql
mysql + pymysql: / / <username>:<password>@<host> / <dbname>[?<options>]
MySQL - Connector
mysql + mysqlconnector: / / <user>:<password>@<host>[:<port>] / <dbname>
cx_Oracle
oracle + cx_oracle: / / user: pass @host:port / dbname[?key = value&key = value...]
更多详见:http: / / docs.sqlalchemy.org / en / latest / dialects / index.html
|
使用 Engine/ConnectionPooling/Dialect 进行数据库操作,Engine使用ConnectionPooling连接数据库,然后再通过Dialect执行SQL语句。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 |
#!/usr/bin/env python
# -*- coding:utf-8 -*-
from sqlalchemy import create_engine
engine = create_engine( "mysql+pymysql://root:123456@127.0.0.1:3306/testdb" , max_overflow = 5 ) # max_overflow可以超出连接池5个连接
#执行SQL
cur = engine.execute(
"INSERT INTO hosts (ip,port) VALUES (‘1.1.1.11‘, 22)"
)
#新插入行自增ID
cur.lastrowid
#执行SQL
cur = engine.execute(
"INSERT INTO hosts (ip,port) VALUES(%s, %s)" ,[( ‘1.1.1.12‘ , 22 ),( ‘1.1.1.13‘ , 55 ),]
)
#执行SQL
cur = engine.execute(
"INSERT INTO hosts (ip,port) VALUES (%(ip)s, %(port)s)" ,
ip = ‘1.1.1.15‘ , port = 80
)
#执行SQL
cur = engine.execute( ‘select * from hosts‘ )
#获取第一行数据
cur.fetchone()
#获取第n行数据
cur.fetchmany( 3 )
#获取所有数据
cur.fetchall()
|
使用 ORM/Schema Type/SQL Expression Language/Engine/ConnectionPooling/Dialect 所有组件对数据进行操作。根据类创建对象,对象转换成SQL,执行SQL。
1、创建表
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 |
#!/usr/bin/env python
# -*- coding:utf-8 -*-
from sqlalchemy.ext.declarative import declarative_base
from sqlalchemy import Column, Integer, String, ForeignKey, UniqueConstraint, Index
from sqlalchemy.orm import sessionmaker, relationship
from sqlalchemy import create_engine
engine = create_engine( "mysql+pymysql://root:123456@127.0.0.1:3306/testdb" , max_overflow = 5 )
Base = declarative_base()
# 创建单表
class Users(Base):
__tablename__ = ‘users‘
id = Column(Integer, primary_key = True ,autoincrement = True )
name = Column(String( 32 ))
extra = Column(String( 16 ))
__table_args__ = (
UniqueConstraint( ‘id‘ , ‘name‘ , name = ‘uix_id_name‘ ), # 设置组合唯一键约束
Index( ‘ix_id_name‘ , ‘name‘ , ‘extra‘ ), # 创建索引
)
# 一对多关系
class Favor(Base):
__tablename__ = ‘favor‘
nid = Column(Integer, primary_key = True ,autoincrement = True )
caption = Column(String( 50 ), default = ‘playing‘ , unique = True )
class Person(Base):
__tablename__ = ‘person‘
nid = Column(Integer, primary_key = True ,autoincrement = True )
name = Column(String( 32 ), index = True , nullable = True )
favor_id = Column(Integer, ForeignKey( "favor.nid" )) # 设置外键,外键依赖于主表favor的主键nid
# 与生成表结构无关,仅用于外键查询方便
favor = relationship( "Favor" , backref = ‘pers‘ )
# 多对多
class Group(Base):
__tablename__ = ‘group‘
id = Column(Integer, primary_key = True ,autoincrement = True )
name = Column(String( 64 ), unique = True , nullable = False )
# group = relationship(‘Group‘,secondary=ServerToGroup,backref=‘host_list‘)
class Server(Base):
__tablename__ = ‘server‘
id = Column(Integer, primary_key = True , autoincrement = True )
hostname = Column(String( 64 ), unique = True , nullable = False )
port = Column(Integer, default = 22 )
class ServerToGroup(Base):
"""多对多关系,则是多生成一张表用来存储主键"""
__tablename__ = ‘servertogroup‘
nid = Column(Integer, primary_key = True , autoincrement = True )
server_id = Column(Integer, ForeignKey( ‘server.id‘ )) # 设置主键
group_id = Column(Integer, ForeignKey( ‘group.id‘ )) # 设置主键
def init_db():
"""创建表的函数,调用之后会创建表"""
Base.metadata.create_all(engine)
def drop_db():
"""删除表的函数,调用之后会删除表"""
Base.metadata.drop_all(engine)
init_db() # 创建完最好注释,如果表已经创建,执行此步不会再创建表
# drop_db()
# 想要对表进行操作则需要绑定会话
Session = sessionmaker(bind = engine)
session = Session()
|
2、操作表
(1)增加数据
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 |
# 插入一条
obj = Users(name = ‘redhat‘ , extra = ‘rh‘ )
print (obj)
session.add(obj)
# 插入多条
session.add_all([
Users(name = ‘centos‘ , extra = ‘ct‘ ),
Users(name = ‘debian‘ , extra = ‘db‘ ),
Users(name = ‘ubuntu‘ , extra = ‘ub‘ ),
Users(name = ‘fedora‘ , extra = ‘fd‘ ),
])
# 插入完需要提交否则不生效
session.commit()
|
(2)删除数据
1 2 |
session.query(Users). filter (Users. id > 5 ).delete()
session.commit()
|
(3)修改数据
1 2 3 4 |
session.query(Users). filter (Users. id > 2 ).update({ "name" : "opensuse" })
session.query(Users). filter (Users. id > 2 ).update({Users.name: Users.name + "099" }, synchronize_session = False )
#session.query(Users).filter(Users.id > 2).update({"num": Users.num + 1}, synchronize_session="evaluate")
session.commit()
|
(4)查询数据(如果没有使用ORM则返回的是一个表对象)
1 2 3 4 |
ret = session.query(Users). all ()
ret = session.query(Users.name, Users.extra). all ()
ret = session.query(Users).filter_by(name = ‘opensuse099‘ ). all ()
ret = session.query(Users).filter_by(name = ‘opensuse099‘ ).first()
|
(5)其他一些查询操作