排行榜

mysql left join 右表数据不唯一的情况解决方法

本文阅读 3 分钟
首页 后端开发 正文
广告

1.left join 基本用法

mysql left join 语句格式

ALEFT JOINBON条件表达式

left join 是以A表为基础,A表即左表,B表即右表。

左表(A)的记录会全部显示,而右表(B)只会显示符合条件表达式的记录,如果在右表(B)中没有符合条件的记录,则记录不足的地方为NULL。

例如:newsnews_category表的结构如下,news表的category_id与news_category表的id是对应关系。

news 表


idtitlecategory_idcontentaddtimelastmodify
1fashion news title1fashion news content2015-01-01 12:00:002015-01-01 12:00:00
2sport news title2sport news content2015-01-01 12:00:002015-01-01 12:00:00
3life news title3life news content2015-01-01 12:00:002015-01-01 12:00:00
4game news title4game news content2015-01-01 12:00:002015-01-01 12:00:00


news_category 表


idname
1fashion
2sport
3life


显示news表记录,并显示news的category名称,查询语句如下

[sql] view plain copy 
select a.id,a.title,b.name as category_name,a.content,a.addtime,a.lastmodify   
from news as a left join news_category as b   
on a.category_id = b.id;

查询结果如下:


idtitlecategory_namecontentaddtimelastmodify
1fashion news titlefashionfashion news content2015-01-01 12:00:002015-01-01 12:00:00
2sport news titlesportsport news content2015-01-01 12:00:002015-01-01 12:00:00
3life news titlelifelife news content2015-01-01 12:00:002015-01-01 12:00:00
4game news titleNULLgame news content2015-01-01 12:00:002015-01-01 12:00:00


news_category表没有id=4的记录,因此news表中category_id=4的记录的category_name=NULL

使用left join, A表与B表所显示的记录数为1:11:0,A表的所有记录都会显示,B表只显示符合条件的记录。

2.left join 右表数据不唯一解决方法


如果B表符合条件的记录数大于1条,就会出现1:n的情况,这样left join后的结果,记录数会多于A表的记录数

例如:membermember_login_log表的结构如下,member记录会员信息,member_login_log记录会员每日的登入记录。member表的id与member_login_log表的uid是对应关系。


member 表


idusername
1fdipzone
2terry


member_login_log 表


iduidlogindate
112015-01-01
222015-01-01
312015-01-02
422015-01-02
522015-01-03


查询member用户的资料及最后登入日期:

如果直接使用left join

[sql] view plain copy 
select a.id, a.username, b.logindate  
from member as a   
left join member_login_log as b on a.id = b.uid;


因member_login_log符合条件的记录比member表多(a.id = b.uid),所以最后得出的记录为:


idusernamelogindate
1fdipzone2015-01-01
1fdipzone2015-01-02
2terry2015-01-01
2terry2015-01-02
2terry2015-01-03


但这并不是我们要的结果,因此这种情况需要保证B表的符合条件的记录是空或唯一,我们可以使用group by来实现。

[sql] view plain copy 
select a.id, a.username, b.logindate  
from member as a   
left join (select uid, max(logindate) as logindate from member_login_log group by uid) as b  
on a.id = b.uid;
idusernamelogindate
1fdipzone2015-01-02
2terry2015-01-03


总结:使用left join的两个表,最好是1:1 或 1:0的关系,这样可以保证A表的记录全部显示,B表显示符合条件的记录。

如果B表符合条件的记录不唯一,就需要检查表设计是否合理了。


本文来自投稿,不代表本站立场,如若转载,请注明出处:https://www.unfit.cn/archives/63.html
MySQL随机获取数据的方法,支持大数据量
« 上一篇 07-19
php自定义apk安装包实例
下一篇 » 07-19
广告

相关推荐