select一对多关系表中的单行多条记录

select single row of multiple records in One to Many relation tables

在 MSSQL 中,我有两个具有一对多关系的表。

表格:

tb_Products:
ID
ProductName

tb_Images:
ProductID
MidPath

在存储过程中,显示​​产品及其图像(也显示空记录), 如果tb_Images中有多个productID,则显示一条记录。

我可以通过这个查询完成这项工作:

declare @rowIndexToFetch int
set @rowIndexToFetch=0

select p.ID,p.ProductName,p.CategoryID,c.ParentId,  
    pi.MidPath
    from tb_Products p
    join tb_Categories c
    on p.CategoryID=c.ID
    left outer join tb_Images pi
    on pi.ProductID=p.ID

    where c.ID=3 or c.ParentId=3

    order by pi.ID desc
    offset @rowIndexToFetch rows
    fetch next 1 rows only

但是,如果我使用 offset 和 fetch,我将无法再从 tb_Images 检索 NULL 记录。左外连接不再有效。

示例记录 returns 没有偏移获取:

ID    ProductName   CategoryID   ParentId  MidPath
154   Chef Ceket     33            3       /cdn/www.sample.com/x
154   Chef Ceket     33            3       /cdn/www.sample.com/y
154   Chef Ceket     33            3       /cdn/www.sample.com/z
1     Eldiven        3             3       NULL

使用偏移量获取:

ID    ProductName   CategoryID   ParentId  MidPath
154   Chef Ceket     33            3       /cdn/www.sample.com/x

预计 return:

   ID    ProductName   CategoryID   ParentId  MidPath
   154   Chef Ceket     33            3       /cdn/www.sample.com/x
   1     Eldiven        3             3       NULL

问题是,当我使用 offset-fetch 语句时,我无法检索空记录。我该如何解决这个问题?

select distinct p.ID,p.ProductName,p.CategoryID,c.ParentId,  
    pi.MidPath
    from tb_Products p
    join tb_Categories c
    on p.CategoryID=c.ID
    left outer join tb_Images pi
    on pi.ProductID=p.ID

    where c.ID=3 or c.ParentId=3
        where c.ID=3 or c.ParentId=3

试试这个代码,在 productImage 中最大。每个 productID 1 个值。

WITH    productImage
      AS ( SELECT   MAX(pi.ID) AS ID
                  , pi.ProductID
           FROM     tb_Images pi
           GROUP BY pi.ProductID
         )
SELECT  p.ID
      , p.ProductName
      , p.CategoryID
      , c.ParentId
      , pi.MidPath
FROM    tb_Products p
        JOIN tb_Categories c ON p.CategoryID = c.ID
        LEFT OUTER JOIN productImage ON productImage.ProductID = p.ID
        LEFT OUTER JOIN tb_Images pi ON pi.ID = productImage.ID
WHERE   c.ID = 3
        OR c.ParentId = 3;

根据您的评论,我认为您误解了 OFFSET FETCH 构造的行为。再看看说明书。

如果你想得到上面描述的结果,你可以使用这样的查询

WITH query AS (
    SELECT 
        p.ID,
        p.ProductName,
        p.CategoryID,
        c.ParentId,  
        pi.MidPath,
        rn = ROW_NUMBER() OVER( PARTITION BY p.ID ORDER BY pi.MidPath )-- in your code ORDER set by pi.ID but there's no evidence it exists
    FROM tb_Products p
    JOIN tb_Categories c ON p.CategoryID = c.ID
    LEFT JOIN tb_Images pi ON pi.ProductID = p.ID
    WHERE c.ID = 3 or c.ParentId = 3
)
SELECT ID, ProductName, CategoryID, ParentId, MidPath
FROM query
WHERE rn = 1