我有一个表变量,其中包含我想从查询结果中替换的单词列表。
我想在表变量中搜索这些600
个单词中的任何一个。我只做了3个例子。然后,如果找到它,我想替换它。我得到了结果,但每个单词都是重复的。我有一个UDF,它接受公司名称中的每个单词,并查看它是否匹配。
declare @findreservedwords table
(findWord varchar(50) primary key)
INSERT INTO @findreservedwords
VALUES
('Inc','LLC','Corp.')
--actually I have over 500 records in the @findreservedwords table variable. Just 3 for this example
select distinct p.product_id,replace(c.Company_Name,f.findword,'') as NewCompanyName,f.findWord,sep.col
FROM PRODUCT p
INNER JOIN COMPANY c on p.Manufacturer_ID = c.company_id
CROSS APPLY dbo.SeparateValues(c.company_name, ' ') sep
LEFT OUTER JOIN @findreservedwords f on f.findWord = sep.col
WHERE p.product_id = 100
这返回......
Product_ID NewCompanyName FindWord Col
100 null null Sony
100 Sony Inc LLC LLC
100 Sony LLC Inc Inc
我希望它只返回一个结果,并且“LLC”和“Inc”都将被删除,因为这些单词在保留字表变量中。所以字符串,“索尼LLC公司”
会......
Product_ID NewCompanyName
100 Sony
答案 0 :(得分:1)
首先,简化您的问题,只关注公司名称。 join
返回product
是微不足道的,但它会不必要地使查询复杂化。
您的基本查询是:
select replace(c.Company_Name, f.findword,'') as NewCompanyName,
f.findWord, sep.col
FROM COMPANY c CROSS APPLY
dbo.SeparateValues(c.company_name, ' ') sep LEFT OUTER JOIN
@findreservedwords f
on f.findWord = sep.col;
您可以尝试使用递归CTE递归执行替换。相反,在删除您不想要的单词后,将名称重新协调。我将假设SeparateValues
返回索引以及单词。 (您可以在网络上找到执行此操作的split()
功能。因此,让我们将值重新组合在一起:
select c.Company_Name,
stuff((select ' ' + sv.findword
from dbo.SeparateValues(c.company_name) sv left outer join
@findreservedwords f
on f.findWord = sv.col
where f.findword is null
order by sv.wordnumber
for xml path ('concat')
).Value('/concat[1]', 'varchar(max)'), 1, 1, ''
) as NewCompanyName
from company c;
您可以在其他查询中将其用作子查询或CTE,以便在产品级别获得结果。