Oracle
 sql >> Datenbank >  >> RDS >> Oracle

String nach Position des Trennzeichens mit Oracle aufteilen

Wenn Sie nur einen String haben und wissen, dass er immer genau vier Teile hat, können Sie ihn so aufteilen, indem Sie nur Standard-String-Funktionen verwenden (und reguläre Ausdrücke vermeiden, die flexibler, aber oft langsamer sind).

HINWEIS :Die zweite Hälfte dieser Antwort behandelt Strings mit variabler Anzahl von "Teilen".

with inputs ( str ) as (
       select ',,defoifcd,87765' from dual
     )
-- end of TEST data; SQL query begins below (use your actual table and column names)
select substr(str, 1, instr(str, ',') - 1) as part_1,
       substr(str, instr(str, ',') + 1, 
              instr(str, ',', 1, 2) - instr(str, ',') - 1) as part_2,
       substr(str, instr(str, ',', 1, 2) + 1, 
              instr(str, ',', 1, 3) - instr(str, ',', 1, 2) - 1) as part_3,
       substr(str, instr(str, ',', -1) + 1) as part_4
from   inputs;

PART_1   PART_2   PART_3   PART_4
-------- -------- -------- --------
                  defoifcd 87765

1 row selected.

Wenn die Anzahl der Teile nicht im Voraus bekannt ist, ist es besser, die Ausgabe in einem anderen Format zu erhalten (siehe Ausgabe unten). Wenn man die Teile in Spalten anordnen muss, kann das erledigt werden, nachdem alle anderen Verarbeitungen erledigt sind – und es ist immer am besten, dies der Berichtsanwendung zu überlassen, anstatt es ohnehin in SQL zu tun.

with inputs ( id, str ) as (
       select 1, ',,defoifcd,87765' from dual union all
       select 2, ''                 from dual union all
       select 3, 'a, b, c'          from dual
     )
-- end of TEST data; SQL query begins below (use your actual table and column names)
select id, str, level as part_number,
       substr(aug_str, instr(aug_str, ',', 1, level) + 1,
              instr(aug_str, ',', 1, level + 1) - instr(aug_str, ',', 1, level) - 1) as val
from   ( select id, str, ',' || str || ',' as aug_str from inputs)
connect by level <= length(str) - length(translate(str, 'z,', 'z')) + 1
       and prior id = id
       and prior sys_guid() is not null
;

ID STR              PART_NUMBER VAL
-- ---------------- ----------- ----------
 1 ,,defoifcd,87765           1
 1 ,,defoifcd,87765           2
 1 ,,defoifcd,87765           3 defoifcd
 1 ,,defoifcd,87765           4 87765
 2                            1
 3 a, b, c                    1 a
 3 a, b, c                    2  b
 3 a, b, c                    3  c

8 rows selected.