MySQL 查询:针对特定 ID,对来自两个不同表的相似列的值求和
假设我们有两个表,这两个表都有两列 PlayerId 和 PlayerScore。我们需要将这两个表中的 PlayerScore 相加,但仅限于特定的 PlayerId。
为此,您可以使用 UNION。让我们首先创建一个表:
mysql> create table DemoTable1(PlayerId int,PlayerScore int); Query OK, 0 rows affected (9.84 sec)
使用 insert 命令在表中插入一些记录:
mysql> insert into DemoTable1 values(1000,87); Query OK, 1 row affected (3.12 sec) mysql> insert into DemoTable1 values(1000,65); Query OK, 1 row affected (1.29 sec) mysql> insert into DemoTable1 values(1001,10); Query OK, 1 row affected (1.76 sec) mysql> insert into DemoTable1 values(1000,45); Query OK, 1 row affected (2.23 sec)
使用 select 语句显示表中的所有记录:
mysql> select *from DemoTable1;
这将产生以下输出:
+----------+-------------+ | PlayerId | PlayerScore | +----------+-------------+ | 1000 | 87 | | 1000 | 65 | | 1001 | 10 | | 1000 | 45 | +----------+-------------+ 4 rows in set (0.00 sec)
以下是创建第二个表的查询:
mysql> create table DemoTable2(PlayerId int,PlayerScore int); Query OK, 0 rows affected (11.76 sec)
使用 insert 命令在表中插入一些记录:
mysql> insert into DemoTable2 values(1000,67); Query OK, 1 row affected (0.71 sec) mysql> insert into DemoTable2 values(1001,58); Query OK, 1 row affected (1.08 sec) mysql> insert into DemoTable2 values(1000,32); Query OK, 1 row affected (0.19 sec)
使用 select 语句显示表中的所有记录:
mysql> select *from DemoTable2;
这将产生以下输出:
+----------+-------------+ | PlayerId | PlayerScore | +----------+-------------+ | 1000 | 67 | | 1001 | 58 | | 1000 | 32 | +----------+-------------+ 3 rows in set (0.00 sec)
以下是将一个表中的一列与另一个表中的一列求和的查询。在这里,我们将 PlayerId 为 1000 的 PlayerScore 相加:
mysql> select sum(firstSum) from (select Sum(PlayerScore) firstSum from DemoTable1 where PlayerId=1000 union select Sum(PlayerScore) firstSum from DemoTable2 where PlayerId=1000) tbl;
这将产生以下输出:
+---------------+ | sum(firstSum) | +---------------+ | 296 | +---------------+ 1 row in set (0.02 sec)
广告