Reputation: 53
I have a string such as this:
`a|b^c|d|e^f|g`
and I want to maintain the pipe delimiting, but remove the carrot sub-delimiting, only retaining the first value of that sub-delimiter.
The output result would be:
`a|b|d|e|g`
Is there a way I can do this with a simple SQL function?
Upvotes: 5
Views: 11023
Reputation: 93754
First split the values delimited by |
then extract the first value and concatenate the result back to get the result
Try this
SELECT Cast(left(intr,len(intr)-1) AS VARCHAR(1000)) AS res
FROM (SELECT LEFT(split_val, Isnull(NULLIF(Charindex('^', split_val), 0)-1, Len(split_val))) + '|'
FROM Udf_splitstring('a|bdd^c|d|e^f|g', '|')
FOR xml path (''))a (intr)
Result : a|bdd|d|e|g
Here is a article about split string functions Split strings the right way – or the next best way
Upvotes: 2
Reputation: 82524
Another option, using CHARINDEX
, REPLACE
and SUBSTRING
:
DECLARE @OriginalString varchar(50) = 'a|b^c^d^e|f|g'
DECLARE @MyString varchar(50) = @OriginalString
WHILE CHARINDEX('^', @MyString) > 0
BEGIN
SELECT @MyString = REPLACE(@MyString,
SUBSTRING(@MyString,
CHARINDEX('^', @MyString),
CASE WHEN CHARINDEX('|', @MyString, CHARINDEX('^', @MyString)) > 0 THEN
CHARINDEX('|', @MyString, CHARINDEX('^', @MyString)) - CHARINDEX('^', @MyString)
ELSE
LEN(@MyString)
END
)
, '')
END
SELECT @OriginalString As Original, @MyString As Final
Output:
Original Final
a|b^c^d^e|f|g a|b|f|g
Upvotes: 3
Reputation: 17943
This expression will replace the first instance of caret up to the subsequent pipe (or end of string.) You can just run a loop until no more rows are updated or no more carets are found inside the function, etc.
case
when charindex('^', s) > 0
then stuff(
s,
charindex('^', s),
charindex('|', s + '|', charindex('^', s) + 1) - charindex('^', s),
''
)
else s
end
Here's a loop you can adapt for a function definition:
declare @s varchar(30) = 'a|b^c^d|e|f^g|h^i';
declare @n int = charindex('^', @s);
while @n > 0
begin
set @s = stuff(@s, @n, charindex('|', @s + '|', @n + 1) - @n, '');
set @n = charindex('^', @s, @n + 1);
end
select @s;
A little bit of care needs to be taken for the trailing of the string where there won't be a final pipe separator. You can see I've handled that.
Upvotes: 2