DMS*_*DMS 5 oracle plsql tokenize
我有一个管道分隔值的列,例如:
'23 | 12.1 | 450 | 30 | 9 | 78 | 82.5 | 92.1 | 120 | 185 | 52 | 11'
我想解析此列以填充包含12个相应列的表:month1,month2,month3 ... month12.
所以month1的值为23,month2的值为12.1等...
有没有办法通过循环或分隔符解析它,而不是使用substr一次分隔一个值?
谢谢.
你可以使用regexp_substr(10g +):
SQL> SELECT regexp_substr('23|12.1| 450|30|9|', '[^|]+', 1, 1) c1,
2 regexp_substr('23|12.1| 450|30|9|', '[^|]+', 1, 2) c2,
3 regexp_substr('23|12.1| 450|30|9|', '[^|]+', 1, 3) c3
4 FROM dual;
C1 C2 C3
-- ---- ----
23 12.1 450
Run Code Online (Sandbox Code Playgroud)
使用PL/SQL中的循环:
SQL> SET SERVEROUTPUT ON
SQL> DECLARE
2 p_tsv VARCHAR2(1000) := '23|12.1| 450|30|9|78|82.5|92.1|120|185|52|11';
3 l_item VARCHAR2(100);
4 BEGIN
5 FOR i IN 1 .. length(p_tsv) - length(REPLACE(p_tsv, '|', '')) + 1 LOOP
6 l_item := regexp_substr(p_tsv, '[^|]+', 1, i);
7 dbms_output.put_line(l_item);
8 END LOOP;
9 END;
10 /
23
12.1
450
30
9
78
82.5
92.1
120
185
52
11
PL/SQL procedure successfully completed
Run Code Online (Sandbox Code Playgroud)
你只有 12列,我会在没有循环的情况下直接编写查询,它比动态SQL更高效,更易于维护(更不用说更容易编写):
INSERT INTO your_table
(ID, month1, month2, month3...)
SELECT :p_id,
regexp_substr(:p_tsv, '[^|]+', 1, 1) c1,
regexp_substr(:p_tsv, '[^|]+', 1, 2) c2,
regexp_substr(:p_tsv, '[^|]+', 1, 3) c3
...
FROM dual;
Run Code Online (Sandbox Code Playgroud)