目的:为了提高查询的效率。
条件1:数据量庞大(到底有多么大算庞大,这个需要测试,因为每一个硬件环境不同)
条件2:该字段经常出现在where的后面,以条件的形式存在,也就是说这个字段总是被扫描。
条件3:该字段很少的DML(insert delete update)操作。(因为DML之后,索引需要重新排序。)
create index 要创建的索引名 on 要创建索引的表名(要创建索引的字段);
EXPLAIN select * from dept where loc = ‘北京’;
看rows执行条数
失效的第1种情况:
select * from emp where ename like ‘%T’;
ename上即使添加了索引,也不会走索引,为什么?
原因是因为模糊匹配当中以“%”开头了,mysql找不到。
解决方案:尽量避免模糊查询的时候以“%”开始。这是一种优化的手段/策略。
失效的第2种情况:
使用or的时候会失效,如果使用or那么要求or两边的条件字段都要有索引,才会走索引,如果or其中一边有一个字段没有索引,那么另一个字段上的索引也会失效。
解决方案:
不建议使用or,所以这就是为什么不建议使用or的原因。
或使用union联合查询。
举例:
dept表,loc字段有索引,deptname字段没有索引
select * from dept where loc = ‘福建’ or deptname = ‘信息部’;
查询位于福建的或者信息部的部门信息
以上sql语句,由于deptname没有索引,会导致loc的索引失效,可以使用union联合查询:
select * from dept where loc = ‘福建’
union
select * from dept where deptname = ‘信息部’;
这样loc字段的索引还是生效的。
失效的第3种情况:
使用复合索引的时候,没有用到左侧的字段作为查找条件,索引失效
什么是复合索引?
两个字段,或者更多的字段联合起来添加一个索引,叫做复合索引。
create index emp_job_sal_index on emp(job,sal);
索引正常:explain select * from emp where job = ‘MANAGER’;
索引失效:explain select * from emp where sal = 800;
失效的第4种情况:
在where当中索引列参加了运算,索引失效。
create index emp_sal_index on emp(sal);
索引正常:explain select * from emp where sal = 800;
索引失效:explain select * from emp where sal+1 = 800;
失效的第5种情况:
在where当中索引列使用了函数
ename字段有索引
explain select * from emp where lower(ename) = ‘smith’;
class ShareData {
private int x = 0;
public synchronized void addx() {
x++;
System.out.println("x++ : " + x);
}
public synchronized void subx() {
x--;
System.out.println("x-- : " + x);
}
}
class ThreadsVisitData {
public static ShareData share = new ShareData();
public static void main(String[] args) {
new Thread(new Runnable() {
public void run() {
for (int i = 0; i < 100; i++) {
share.addx();
}
}
}).start();
new Thread(new Runnable() {
public void run() {
for (int i = 0; i < 100; i++) {
share.subx();
}
}
}).start();
}
}
select * from if_aaa limit 10000000,10;
查询优化:
条件:需要 id 是连续递增的
select * from if_aaa where id >= 1000001 limit 10
之前写的文章链接: 线程池入门链接
public ThreadPoolExecutor(int corePoolSize, //核心线程数量
int maximumPoolSize,// 最大线程数
long keepAliveTime, // 最大空闲时间
TimeUnit unit, // 时间单位
BlockingQueue workQueue, // 任务队列
ThreadFactory threadFactory, // 线程工厂
RejectedExecutionHandler handler // 饱和处理机制
)
{ ... }
select substring(concat(GET_PARENT_NODE_NAME(parent_code),depart_name),4) from if_agent_department;
create
definer = root@`%` function GET_PARENT_NODE_NAME(rootId varchar(2000)) returns varchar(2500)
BEGIN
DECLARE fid varchar(50) default '';
DECLARE str varchar(1000) default rootId;
DECLARE nameStr varchar(50) default '';
DECLARE i int default 0;
WHILE rootId is not null do
SET fid =(SELECT parent_code FROM if_agent_department WHERE depart_code = rootId);
SET nameStr =(SELECT depart_name FROM if_agent_department WHERE depart_code = rootId);
IF fid is not null THEN
IF i=0 THEN
SET str = nameStr;
ELSE
SET str = concat(nameStr, str);
END IF;
END IF;
SET rootId = fid;
SET i = i + 1;
END WHILE;
return str;
END;