I have a comma delimited list as a string in a PL/SQL procedure. I need to
I have found mul
There are multiple methods to split a delimited string. One of which is to use a simple PL/SQL function:
CREATE TYPE string_list IS TABLE OF VARCHAR2(4000);
/
CREATE OR REPLACE FUNCTION split_String(
i_str IN VARCHAR2,
i_delim IN VARCHAR2 DEFAULT ','
) RETURN STRING_LIST DETERMINISTIC
AS
p_result STRING_LIST := STRING_LIST();
p_start NUMBER(5) := 1;
p_end NUMBER(5);
c_len CONSTANT NUMBER(5) := LENGTH( i_str );
c_ld CONSTANT NUMBER(5) := LENGTH( i_delim );
BEGIN
IF c_len > 0 THEN
p_end := INSTR( i_str, i_delim, p_start );
WHILE p_end > 0 LOOP
p_result.EXTEND;
p_result( p_result.COUNT ) := SUBSTR( i_str, p_start, p_end - p_start );
p_start := p_end + c_ld;
p_end := INSTR( i_str, i_delim, p_start );
END LOOP;
IF p_start <= c_len + 1 THEN
p_result.EXTEND;
p_result( p_result.COUNT ) := SUBSTR( i_str, p_start, c_len - p_start + 1 );
END IF;
END IF;
RETURN p_result;
END;
/
This is a pure PL/SQL function using simple string functions (rather than using more expensive regular expressions and context switches into an SQL scope).
There is also a very simple, built-in, function SET( collection_value ) for removing duplicates from a collection:
SET( STRING_LIST( 'A', 'B', 'A', 'C', 'B' ) )
Will give the collection:
STRING_LIST( 'A', 'B', 'C' )
So, if you want to split a delimited string and de-duplicate it then you can just do:
SET( split_String( 'A,B,C,A,B,D,C,E' ) )
Which will give you:
STRING_LIST( 'A', 'B', 'C', 'D', 'E' )