我有一排看起来像这样的数据:
200,500,1000 | 50,100,200 | TUA03 | 2019-02-21
通过以下查询。
select distinct
tbl.qualifier_value,
tbl.h_discount_val,
tbl.longlist_mm_text,
tbl.p_start_date
from @HoldingTable tbl
我需要将前两个字段拆分为新的对应行。提供以下输出。
200 | 50 | TUA03 | 2019-02-21
500 | 100 | TUA03 | 2019-02-21
1000 | 200 | TUA03 | 2019-02-21
我可以像这样拆分第一个字段:
select distinct
s.Item,
tbl.h_discount_val,
tbl.longlist_mm_text,
tbl.p_start_date
from @HoldingTable tbl
outer apply [dbo].[Split](qualifier_value, ',') s
哪个给:
1000 | 50,100,200 | TUA03 | 2019-02-21
200 | 50,100,200 | TUA03 | 2019-02-21
500 | 50,100,200 | TUA03 | 2019-02-21
我现在还需要拆分第二个字段,但要小心地将该位置绑定到第一列中的正确位置。通过在第二个字段外部应用相同的想法,我得到了9行,但是我无法匹配从第一个字段值位置匹配的第二个字段值。
这可以实现吗?
答案 0 :(得分:5)
一种方法是递归CTE。我不清楚列名是什么,所以我使它们通用:
with cte as (
select left(col1, charindex(',', col1) - 1) as col1,
left(col2, charindex(',', col2) - 1) as col2,
col3, col4,
stuff(col1, 1, charindex(',', col1), '') as col1_rest,
stuff(col2, 1, charindex(',', col2), '') as col2_rest
from t
union all
select left(col1_rest, charindex(',', col1_rest + ',') - 1) as col1,
left(col2_rest, charindex(',', col2_rest + ',') - 1) as col2,
col3, col4,
stuff(col1_rest, 1, charindex(',', col1_rest + ','), '') as col1_rest,
stuff(col2_rest, 1, charindex(',', col2_rest + ','), '') as col2_rest
from cte
where col1_rest > ''
)
select col1, col2, col3, col4
from cte;
Here是db <>小提琴。