逗号分隔结果集+ SQL查询

时间:2012-08-22 02:26:52

标签: sql-server-2008 tsql sql-server-2008-r2 for-xml-path

我有两张包含下列数据的表:

表1:学生

enter image description here

表2:主题

enter image description here

我需要输出为:

enter image description here

我使用下面的查询使用XML PATH

实现了这一点

代码:

WITH    cte
      AS ( SELECT   Stu.Student_Id ,
                    Stu.Student_Name ,
                    ( SELECT    Sub.[Subject] + ','
                      FROM      [Subject] AS Sub
                      WHERE     Sub.Student_Id = Stu.Student_Id
                      ORDER BY  Sub.[Subject]
                    FOR
                      XML PATH('')
                    ) AS [Subjects]
           FROM     dbo.Student AS Stu
         )
SELECT  Student_id [Student Id] ,
        student_name [Student Name] ,
        SUBSTRING(Subjects, 1, ( LEN(Subjects) - 1 )) AS [Student Subjects]
FROM    cte

我的问题是,如果不使用XML Path,有更好的方法吗?

1 个答案:

答案 0 :(得分:2)

这是一种非常好的方法,已经被广泛接受。有几种方法,blog post描述了很多

存在一种有趣的方法是使用CLR为您完成工作,这将通过运行外部代码来显着降低查询的复杂性。下面是该类在程序集中的外观示例。

using System;
using System.Collections.Generic;
using System.Data.SqlTypes;
using System.IO;
using Microsoft.SqlServer.Server;

[Serializable]
[SqlUserDefinedAggregate(Format.UserDefined,  MaxByteSize=8000)]
public struct strconcat : IBinarySerialize{

    private List values;

    public void Init()    {
        this.values = new List();
    }

    public void Accumulate(SqlString value)    {
        this.values.Add(value.Value);
    }

    public void Merge(strconcat value)    {
        this.values.AddRange(value.values.ToArray());
    }

    public SqlString Terminate()    {
        return new SqlString(string.Join(", ", this.values.ToArray()));
    }

    public void Read(BinaryReader r)    {
        int itemCount = r.ReadInt32();
        this.values = new List(itemCount);
        for (int i = 0; i <= itemCount - 1; i++)    {
            this.values.Add(r.ReadString());
        }
    }

    public void Write(BinaryWriter w)    {
        w.Write(this.values.Count);
        foreach (string s in this.values)      {
            w.Write(s);
        }
    }
}

这会使查询更像这样。

SELECT CategoryId,
           dbo.strconcat(ProductName)
      FROM Products
     GROUP BY CategoryId ;

显然这有点简单。把它当作值得的东西:)

美好的一天!