增删改查基础操作
1.创建查询数据库:
mysql>create database web;
mysql>show databases;
2.创建数据表:
#选择要使用的数据库:
mysql> use web;
#创建a1表,并添加id和name字段以及类型:
mysql> create table a1(id int,name char(30));
#查看表结构(字段)
mysql> describe a1;
#字段要求为正数,且自增长,主键:
mysql> create table a2(id int unsigned not null auto increment,
#字符型长度30字节,默认值为空格
name char(30) not null default '',
#字段默认值为0
age int not null default 0,
#设置id为主键
primary key(id));
mysql> describe a2;
3.插入数据:
#指明插入字段和数据:
mysql> insert into a2(id,name,age) values (1,'zhangsan',21);
#查询a2表中的所有数据(*代表所有)
mysql> select * from a2;
#按顺序插入指定字段:
mysql> insert into a2 values (2,'lisi',20);
#未声明年龄
mysql> insert into a2 values (3,'liu');
#插入多条数据
mysql> insert into a2 values (4,'zhang',18),(5,'song',26);
4.将表a2的数据复制到表a1:
mysql> select * from a1;
mysql> insert into a1(id,name) select id,name from a2;
#查询a2值,并写入到a1;
mysql> select * from a1;
5.删除数据库:
mysql> drop database abc;
mysql> show databases;
6.删除数据表:
mysql> drop table a1;
mysql> show table;
7.删除表里的数据记录:
mysql> delete from a2 where id=5; #删除id=5的记录
#删除年龄在23-25之间的
mysql> delete from a2 where between 23 and 25;
注意: 库和表删除用drop,记录删除用delete。
8.修改表中的数据:
mysql> update a2 set age=21 where id=3;
9.修改数据表的名称:
mysql> alter table a2 rename a1;
10.修改数据表的字段类型:
mysql> describe a1;
mysql> alter table a1 modify name char(50);
mysql> describe a1;
11.修改数据表的字段类型详情:
mysql> describe a1;
mysql>alter table a1 change name username char(50) not null default ;
mysql> describe a1;
12.添加字段:
mysql> describe a1;
mysql> alter table a1 add time datetime;
mysql> describe a1;
#添加位置默认在末尾
mysql> alter table a1 add birthday year first; #添加字段到第一列
mysql> alter a1 add sex nchar(1) after id; #添加到指定字段后
13.删除字段:
mysql> alter table a1 drop birthday;
14.mysql 用户授权:
授予用户全部权限
mysql> select user from mysql.user;
mysql> grant all on aa.a1 to liu@'%'; #给已存在用户授权
#创建用户并授权
mysql> grant all on aa.a1 to abc@'%' identified by '123456';
取消abc用户的删除库、表、表中数据的权限:
mysql> revoke drop,delete on aa.a1 from abc@'%'; #取消删除权限
mysql> show grants for abc@'%';
mysql> show grants for liu@'%';
)
3.
网友评论