-2
SELECT p.userId, u.username, SUM(p.prices)Price 
FROM tblPrices p, tblUsers u 
WHERE u.userId = p.userId
GROUP BY p.userId, u.username

我想更新Price结果

4

2 回答 2

1

https://dbfiddle.uk/?rdbms=sqlserver_2019&fiddle=cb7049e35720e92e5bee4a678b5283d3

在 SQL Server 中,您有两种创建表的途径。显式CREATE TABLE语句,您在其中显式定义表结构。另一个是通过 SELECT 语句的可选INTO子句管理的。SQL 引擎将识别结果集的形状,然后创建一个与您的结果完全匹配的表。这也将立即将查询的任何结果加载到表中,但这只能工作一次。如果您需要向表中添加更多数据,则必须将查询重写为传统INSERT语句,并且可能UPDATE取决于源数据的可变性。另一种方法是删除表并每次重新创建它。正确的选择取决于业务需求和数据适用性。

模拟您的环境

CREATE TABLE dbo.tblPrices
(
userId int NOT NULL
, prices decimal(18,2) NOT NULL
);

create table dbo.tblUsers
(
userId int NOT NULL
,username varchar(50) nOT NULL
);

insert into
dbo.tblUsers 
VALUES (1,'mo')
,(2, 'bill')
,(3, 'no sales');

insert into dbo.tblPrices
VALUES
(1, 13)
,(1, 7)
, (2, 17);

查询数据

-- create the table if it doesn't exist
-- blows up otherwise
SELECT
    P.userId
,   U.username
,   SUM(P.prices) AS Prices
INTO
    dbo.RESULTS
FROM
    dbo.tblPrices AS P
    INNER JOIN
        dbo.tblUsers AS U
        ON U.userId = P.userId
GROUP BY
    P.userId
,   U.username

;

-- What if we want to see all users, whether they had sales or not
-- Notice the change to a left join as well as reordering of the
-- tables and the use of the users userId as the prices might not exist
SELECT
    U.userId
,   U.username
,   SUM(P.prices) AS Prices
INTO
    dbo.RESULTS_ALL_USERS
FROM
    dbo.tblUsers AS U
    LEFT OUTER JOIN
        dbo.tblPrices aS P
        ON U.userId = P.userId
GROUP BY
    U.userId
,   U.username
;

检查结果

SELECT * FROM dbo.RESULTS AS R ORDER BY userID;
SELECT * FROM dbo.RESULTS_ALL_USERS AS R ORDER BY userID;
于 2020-02-13T15:48:31.227 回答
0

假设每个用户 ID 都有一个对应的用户名,您可以使用带有 JOIN 的 UPDATE 语句来替换价格值:

UPDATE A
SET A.Prices=B.Price_Sum
FROM tblPrices A 
INNER JOIN 
    (Select userId,SUM(prices) as Price_Sum
    from tblPrices 
    GROUP BY userId) B
ON A.UserID=B.UserID

这会将价格字段替换为该用户的所有价格的总和。希望这可以帮助。

编辑:正如 Billinkc 在评论中提到的那样,这将用总和取代所有单独的价格。仅当您确定这是您想要的时才使用此查询。另外,请注意更新语句只能运行一次。如果多次运行,您将得到错误的结果。

于 2020-02-13T15:52:19.343 回答