在mysql中,多表连接查询是很常见的需求,在使用多表查询时,可以from多个表,也可以使用join
连接连个表
这两种查询有什么区别?哪种查询的效率更高呢? 带着这些疑问,决定动手试试
1.先在本地的mysql上先建两个表one
和two
one表
1CREATE TABLE `one` (
2 `id` int(0) NOT NULL AUTO_INCREMENT,
3 `one` varchar(100) NOT NULL,
4 PRIMARY KEY (`id`)
5) ENGINE = InnoDB CHARACTER SET = utf8;
two表
1CREATE TABLE `two` (
2 `id` int(0) NOT NULL AUTO_INCREMENT,
3 `two` varchar(100) NOT NULL,
4 PRIMARY KEY (`id`)
5) ENGINE = InnoDB CHARACTER SET = utf8;
先随便插入几条数据,查询看一下;
1select one.id,one.one,two.id,two.two from one,two where one.id=two.id;
1select one.id,one.one,two.id,two.two from one join two on one.id=two.id;
为了突出两种查询的性能差异,往one
表中插入100w条数据,往two
表中插入10w条数据,在大量数据面前,一丝一毫的差别也会被无限放大;这时候在来比较一下差异
先使用python往数据库中插入数据,为啥用python,因为python写起了简单
上代码
1import pymysql
2
3db = pymysql.connect("127.0.0.1", 'root', "123456", "bruce")
4cursor = db.cursor()
5
6sql = "INSERT INTO one (one) values (%s)"
7for i in range(1000000):
8 cursor.executemany(sql, ['one' + str(i)])
9 if i % 10000 == 0:
10 db.commit()
11 print(str(i) + '次 commit')
12db.commit()
13
14print('insert one ok')
15sql2 = "INSERT INTO two (two) values (%s)"
16for i in range(100000):
17 cursor.executemany(sql2, ['two' + str(i)])
18 if i % 10000 == 0:
19 db.commit()
20 print(str(i) + '次 commit')
21db.commit()
22print('insert two ok')
耐心等待一会,插入需要一些时间;
等数据插入完成,来查询一些看看
先使用FROM
两个表查询
1select one.id,one.one,two.id,two.two from one,two where one.id=two.id;
再用JOIN
查询看一下
1select one.id,one.one,two.id,two.two from one join two on one.id=two.id;
查询时间没有差别
再看一下sql执行分析
结果还是一样的总结
在mysql中使用FROM
查询多表和使用JOIN
连接(LEFT JOIN
,RIGHT JOIN
除外),查询结果,查询效率是一样的