18

我有一个myTable有 3 列的表。col_1是一个INTEGER,其他 2 列是DOUBLE。例如,col_1={1, 2}, col_2={0.1, 0.2, 0.3}。中的每个元素col_1都由 的所有值组成,col_2并且col_2对于 中的每个元素都有重复的值col_1。第三列可以有任何值,如下所示:

    col_1 | col_2 | Value
    ----------------------
    1     |  0.1  |  1.0
    1     |  0.2  |  2.0
    1     |  0.2  |  3.0
    1     |  0.3  |  4.0
    1     |  0.3  |  5.0
    2     |  0.1  |  6.0
    2     |  0.1  |  7.0
    2     |  0.1  |  8.0
    2     |  0.2  |  9.0
    2     |  0.3  |  10.0

我想要的是SUM()Value列分区上使用聚合函数col_1并按col_2. 上表应如下所示:

    col_1 | col_2 | sum_value
    ----------------------
    1     |  0.1  |  1.0
    1     |  0.2  |  5.0
    1     |  0.3  |  9.0
    2     |  0.1  |  21.0
    2     |  0.2  |  9.0
    2     |  0.3  |  10.0

我尝试了以下 SQL 查询:

SELECT col_1, col_2, sum(Value) over(partition by col_1) as sum_value
from myTable
GROUP BY col_1, col_2

但在 DB2 v10.5 上,它给出了以下错误:

SQL0119N  An expression starting with "Value" specified in a SELECT 
clause, HAVING clause, or ORDER BY clause is not specified in the 
GROUP BY clause or it is in a SELECT clause, HAVING clause, or ORDER 
BY clause with a column function and no GROUP BY clause is specified.

你能指出什么是错的。我对 SQL 没有太多经验。

谢谢你。

4

2 回答 2

25

是的,您可以,但您应该在分组级别方面保持一致。也就是说,如果您的查询是 GROUP BY 查询,那么在分析函数中,您只能使用所选列的“非分析”部分中的“详细”列。因此,您可以使用 GROUP BY 列或非分析聚合,如下例所示:

select product_id, company, 
sum(members) as No_of_Members, 
sum(sum(members)) over(partition by company) as TotalMembership 
From Product_Membership 
Group by Product_ID, Company

希望有帮助

SELECT col_1, col_2, sum(Value) over(partition by col_1) as sum_value
    -- also try changing "col_1" to "col_2" in OVER
from myTable
GROUP BY col_2,col_1 
于 2015-03-25T08:24:21.707 回答
7

我找到了解决方案。

我不需要使用OVER(PARTITION BY col_1),因为它已经在GROUP BY子句中。因此,以下查询给了我正确的答案:

SELECT col_1, col_2, sum(Value) as sum_value
from myTable GROUP BY col_1, col_2

因为我已经在分组 wrtcol_1col_2.

戴夫,谢谢,我从你的帖子中得到了这个想法。

于 2015-03-25T08:52:10.993 回答