Общий алгоритм работает следующим образом:
DECLARE input CHAR(100);
DECLARE separator_position INTEGER;
SET input = 'AA+CCC+D';
CREATE TABLE
#output
(
part CHAR(10)
);
SET separator_position = POSITION('+' IN input);
WHILE separator_position > 0 DO
INSERT INTO #output (part) VALUES (SUBSTRING(input, 1, separator_position - 1));
SET input = SUBSTRING(input, separator_position + 1, 100);
SET separator_position = POSITION('+' IN input);
END WHILE;
INSERT INTO #output(part) VALUES (SUBSTRING(input, 1, 10));
SELECT * FROM #output;
Этот код будет вставить 3 строки AA
, CCC
, D
во временную таблицу #output.
Вот версия, которая работает с несколькими разделителями символов, а также содержит часть счетчика:
DECLARE @input STRING;
DECLARE @delimiter_position INTEGER;
DECLARE @delimiter STRING;
TRY DROP TABLE #output; CATCH ALL END TRY;
SET @delimiter = CHAR(13) + CHAR(10);
SET @input = 'AA' + CHAR(13) + CHAR(10) + 'CCC' + CHAR(13) + CHAR(10) + 'D';
CREATE TABLE
#output
(
counter AUTOINC
, part CHAR(10)
);
SET @delimiter_position = POSITION(@delimiter IN @input);
WHILE @delimiter_position > 0 DO
INSERT INTO #output (part) VALUES (LEFT(@input, @delimiter_position - 1));
SET @input = RIGHT(@input, LENGTH(@input) - (@delimiter_position + LENGTH(@delimiter)) + 1);
SET @delimiter_position = POSITION(@delimiter IN @input);
END WHILE;
INSERT INTO #output(part) VALUES (LEFT(@input, LENGTH(@input)));
SELECT * FROM #output;
отлично работает! Большое спасибо за ваше время – Philippe