- 爱易网页
-
MySQL教程
- 深入理解MySQL 5.5分区功能增强
日期:2014-05-16 浏览次数:21186 次
深入了解MySQL 5.5分区功能增强
深入了解mysql 5.5分区功能增强
http://database.51cto.com 2010-02-22 10:08 黄永兵 译 51cto 我要评论(2)
摘要:oracle在并购sun后对于mysql的态度令人寻味。在新发布的mysql 5.5中带来了许多增强的功能,在这篇文章中,我们将解释一下mysql 5.5分区功能的增强特性。
标签:mysql 5.5分区
限时报名参加“甲骨文全球大会o2010o北京”及“javaone和甲骨文开发者大会2010”
【51cto经典译文】mysql 5.5的发布带来了许多增强的功能,虽然已经报道了很多增强功能,如半同步复制,但大家却忽略了分区方面的增强,有时甚至还对其真正意义产生了误解,在这篇文章中,我们希望解释一下这些很酷的增强,特别是我们大多数人还没有完全理解的地方。51cto向您推荐《mysql数据库入门与精通教程》。
图 1 大家还没注意到我mysql的分区功能也很强了哦
非整数列分区
任何使用过分区的人应该都遇到过不少问题,特别是面对非整数列分区时,mysql 5.1只能处理整数列分区,如果你想在日期或字符串列上进行分区,你不得不使用函数对其进行转换。
mysql 5.5中新增了两类分区方法,rang和list分区法,同时在新的函数中增加了一个columns关键词。我们假设有这样一个表:
create table expenses (
expense_date date not null,
category varchar(30),
amount decimal (10,3)
);
如果你想使用mysql 5.1中的分区类型,那你必须将类型转换成整数,需要使用一个额外的查找表,到了mysql 5.5中,你可以不用再进行类型转换了,如:
alter table expenses
partition by list columns (category)
(
partition p01 values in ( 'lodging', 'food'),
partition p02 values in ( 'flights', 'ground transportation'),
partition p03 values in ( 'leisure', 'customer entertainment'),
partition p04 values in ( 'communications'),
partition p05 values in ( 'fees')
);
这样的分区语句除了更加易读外,对数据的组织和管理也非常清晰,上面的例子只对category列进行分区。
在mysql 5.1中使用分区另一个让人头痛的问题是date类型(即日期列),你不能直接使用它们,必须使用year或to_days转换这些列,如:
/* 在mysql 5.1中*/
create table t2
(
dt date
)
partition by range (to_days(dt))
(
partition p01 values less than (to_days('2007-01-01')),
partition p02 values less than (to_days('2008-01-01')),
partition p03 values less than (to_days('2009-01-01')),
partition p04 values less than (maxvalue));
show create table t2 \g
*************************** 1. row ***************************
table: t2
create table: create table `t2` (
`dt` date default null
) engine=myisam default charset=latin1
/*!50100 partition by range (to_days(dt))
(partition p01 values less than (733042) engine = myisam,
partition p02 values less than (733407) engine = myisam,
partition p03 values less than (733773) engine = myisam,
partition p04 values less than maxvalue engine = myisam) */
看上去非常糟糕,当然也有变通办法,但麻烦确实不少。使用year或to_days定义一个分区的确让人费解,查询时不得不使用赤裸列,因为加了函数的查询不能识别分区。
但在mysql 5.5中情况发生了很大的变化,现在在日期列上可以直接分区,并且方法也很简单。
/*在mysql 5.5中*/
create table t2
(
dt date
)
partition by range columns (dt)
(
partition p01 values less than ('2007-01-01'),
partition p02 values less than ('2008-01-01'),
partition p03 values less than ('2009-01-01'),
partition p04 values less than (maxvalue));
show create table t2 \g
*************************** 1. row ***************************
table: t2
create table: create table `t2` (
`dt` date default null
) engine=myisam default charset=latin1
/*!50500 partition by range columns(dt)
(partition p01 values less than ('2007-01-01') engine = myisam,
partition p02 values less than ('2008-01-01') engine = myisam,
partition p03 values less than ('2009-01-01') engine = myisam,
partition p04 values less than (maxvalue) engine = myisam) */
在这里,通过函数定义和通过列查询之间没有冲突,因为是按列定义的,我们在定义中插入的值是保留的。