0

我希望这在 MYSQL 中是可能的,我正在使用 PHP 编写脚本。

我正在尝试根据每个月根据各个条件和分组在值的 SUM 和 COUNT 上创建多个列。这些表已经通过 accountid 加入。我有两张表每月报告(表 1)和播种机(表 2)。

所需结果见表 1

月度报告(表 1)

REPORTID|ACCOUNTID|COMPMONTH|SUMtoDATE|COUNTtoDATE|SUMcompDATE|COUNTcompDATE|
1     |   190     |    JAN    |   150     |      2      |    150      |       2       | 
2     |   190     |    FEB    |     0     |      0      |    100      |       1       |

播种机(表 2)

PlanterID | ACCOUNTID |PLANTER |  SALARY |  compDATE  |    toDATE   |
1         |    190    |   aaa  |   100   | Jan-1-2013 | Jan-05-2013 |
2         |    190    |   bbb  |    50   | Jan-9-2013 | Jan-12-2013 |
3         |    190    |   aaa  |   100   | Feb-1-2013 | Mar-12-2013 |
4         |    190    |   bbb  |     0   | Mar-5-2013 | Mar-12-2013 |

带有内部联接的单个查询已经可以工作,但是如果我同时运行这两个查询,我什么也得不到,因为如果可能的话,我似乎无法获得逻辑。

这是我到目前为止从 stackoverflow 得到的,但出现错误。希望有人可以重构它或使其工作。

SELECT *,
(
SELECT COUNT(planters.todate), SUM(planters.todate)
FROM monthlyreport 
INNER JOIN planters ON monthlyreport.accountid = planters.accountid
WHERE monthlyreport.accountid = 190 AND MONTH(monthlyreport.compmonth) = MONTH(planters.todate)
GROUP BY monthlyreport.mthreportid, month(planters.todate)
) AS count_1,

(
SELECT COUNT(planters.compdate), SUM(planters.compdate)
FROM monthlyreport 
INNER JOIN planters ON monthlyreport.accountid = planters.accountid
WHERE monthlyreport.accountid = 190 AND MONTH(monthlyreport.compmonth) = MONTH(planters.compdate)
GROUP BY monthlyreport.mthreportid, month(planters.compdate)
) AS count_2
4

1 回答 1

0

它不是很清楚,但据我所知,您想要的是在单个查询结果中获得两个结果。尝试根据两个表中的 accountID 加入它们。AS:

SELECT *
from
(select accountID,COUNT(planters.todate) as count2date, SUM(planters.todate) as sum2date
-----
-----) count_1
inner join
(SELECT accountID,COUNT(planters.compdate) as countcomp, SUM(planters.compdate) as sumcomp
-----
-----) count_2
using(accountID);

请勿在 count_1 或 count_2 之前使用“AS”。最好将外部选择查询中的 * 替换为更具体的属性,例如 count_1.count2date 等。

希望这可以帮助 !如果您正在寻找其他任何东西,请告诉我。

- - -更新 - - -

查看您上传的文件后,我提出了以下查询:

SELECT count1.compmonth, IFNULL( todatecount, 0 ) , IFNULL( todatesum, 0 ) , IFNULL(      compdatecount, 0 ) , IFNULL( compdatesum, 0 ) 
FROM count_1
LEFT JOIN count_2 ON count_1.compmonth = count_2.compmonth
UNION 
SELECT count2.compmonth, IFNULL( todatecount, 0 ) , IFNULL( todatesum, 0 ) , IFNULL( compdatecount, 0 ) , IFNULL( compdatesum, 0 ) 
FROM count_1
RIGHT JOIN count_2 ON count_1.compmonth = count_2.compmonth

您可以根据自己的意愿格式化 0。此外,如果您的数据库平台支持“FULL OUTER JOIN”,您可以使用它来代替左右连接的联合。

您必须将“FROM count_1”替换为:
FROM (select accountID,COUNT(planters.todate) as count2date, SUM(planters.todate) as sum2date ----- -----) count_1

同样对于FROM count_2。我知道这看起来像一个巨大的查询,但它所做的只是在共同日期加入 2 个表,并且所有其他不匹配的字段都指定为 NULL。

于 2013-08-25T01:32:50.937 回答