4

我有两个表:tbl_listings,列:prop_id;和另一个表:tbl_bookings,列:prop_id,booking_date。

我想编写一个查询来计算 prop_id 出现在 tbl_bookings 中的所有时间,然后用该查询的结果填充 tbl_listings 中的一个新列。

我的查询看起来像:

ALTER TABLE tbl_listings
ADD COLUMN prop_count INT

UPDATE tbl_listings
    SET prop_count =
    (SELECT COUNT(*)
    FROM tbl_bookings
    GROUP BY prop_id)

但由于某种原因,我收到一条错误消息:子查询返回超过 1 行。我该如何解决?

4

1 回答 1

6

该子查询为您提供每个 distinct 的计数prop_id。您只能将一个计数值分配给prop_count。如果您打算更新prop_count与 prop_ids 对应的 in 多行,则需要将相关子查询添加到更新中,以将prop_idintbl_bookings与相应的prop_idin相关联tbl_listings

当我更多地考虑您的问题时,我想知道您是否打算插入一个空的 tbl_listings 表而不是更新。您可以使用以下命令执行此操作:

INSERT INTO tbl_listings(prop_id,prop_count)
SELECT prop_id, COUNT(*) as prop_count
FROM tbl_bookings
GROUP BY prop_id

如果您真的打算更新并假设每个prop_id都存在于您的tbl_listings表中,您可以发出以下更新:

UPDATE tbl_listings
SET prop_count=(SELECT COUNT(*) 
                FROM tbl_bookings AS TB
                WHERE TB.prop_id=TL.prop_id)
FROM tbl_listings AS TL

如果您想tbl_listings通过插入新的 prop_idstbl_bookings及其各自的计数来更新,您可以执行以下操作:

INSERT INTO tbl_listings(prop_id,prop_count)
SELECT prop_id, COUNT(*) as prop_count
FROM tbl_bookings AS TB
WHERE NOT EXISTS(SELECT prop_id -- Insert only new prop_ids/counts
                 FROM tbl_listings AS TL 
                 WHERE TL.prop_id=TB.prop_id)
GROUP BY prop_id
于 2013-08-09T16:26:19.727 回答