MySQL数据去重--distinct的使用

一般情况下,我们会用distinct去除查询的到结果的重复记录,但是distinct只能返回它的目标字段,而无法返回其它字段。

下面先来看看例子:    

table

id name
1 a
2 b
3 c
4 c
5 b
select distinct name from table

得到的结果是:

   name
    a
    b
    c

我想得到ID怎么办?

select distinct name, id from table

结果会是:

   id name
   1  a
   2  b
   3  c
   4  c
   5  b

这样不行,他同时作用了两个字段,也就是必须得id与name都相同的才会被排除,改改呢,select id, distinct name from table 很遗憾,除了错误信息你什么也得不到,distinct必须放在开头。难到不能把distinct放到where条件里?能,照样报错

最后在mysql手册里找到一个用法,用group_concat(distinct name)配合group by name实现了我所需要的功能

select id,group_concat(distinctname) from demo GROUP BY `name`

既然可以使用group_concat函数,那其它函数能行吗?用count函数一试,成功了。

select *, count(distinct name) from tablegroup by name

结果:

   id    name    count(distinct name)
   1     a        1
   2     b        1
   3     c        1

其他函数也可以,大家可以试试。最后一项是多余的,不用管就行了,目的达到了。

 

本文来自CSDN博客,转载请标明出处:http://blog.csdn.net/guocuifang655/archive/2009/03/16/3993612.aspx

转载只为学习,没别的目的,望原博主见谅。

你可能感兴趣的:(Java,Web,数据库)