在 Oracle 中将逗号分隔值转换为行
逗号是将多个值表示为单个字符串的常用分隔符,但在处理 Oracle 中的数据时,可能需要将这些值分离成不同的行。这可以通过多种方法实现。
使用正则表达式的递归查询
一种方法是使用带有正则表达式的递归查询来提取每个值:
<code class="language-sql">select distinct id, trim(regexp_substr(value, '[^,]+', 1, level) ) value, level from tbl1 connect by regexp_substr(value, '[^,]+', 1, level) is not null order by id, level;</code>
此查询使用 REGEXP_SUBSTR 函数提取每个非逗号子字符串,然后使用递归查询连接结果。
不使用正则表达式的递归查询
另一种递归方法避免了使用正则表达式:
<code class="language-sql">WITH t ( id, value, start_pos, end_pos ) AS ( SELECT id, value, 1, INSTR( value, ',' ) FROM tbl1 UNION ALL SELECT id, value, end_pos + 1, INSTR( value, ',', end_pos + 1 ) FROM t WHERE end_pos > 0 ) SELECT id, SUBSTR( value, start_pos, DECODE( end_pos, 0, LENGTH( value ) + 1, end_pos ) - start_pos ) AS value FROM t ORDER BY id, start_pos;</code>
此查询使用 INSTR 函数查找逗号的位置,然后使用 SUBSTR 函数提取各个值。
使用递归联合的 CTE
第三种方法使用带有递归联合的公共表表达式 (CTE):
<code class="language-sql">with t (id,res,val,lev) as ( select id, trim(regexp_substr(value,'[^,]+', 1, 1 )) res, value as val, 1 as lev from tbl1 where regexp_substr(value, '[^,]+', 1, 1) is not null union all select id, trim(regexp_substr(val,'[^,]+', 1, lev+1) ) res, val, lev+1 as lev from t where regexp_substr(val, '[^,]+', 1, lev+1) is not null ) select id, res,lev from t order by id, lev;</code>
此查询使用 UNION ALL 运算符创建一个递归 CTE,该 CTE 提取每个非逗号子字符串。
以上是如何在 Oracle 中将逗号分隔值转换为行?的详细内容。更多信息请关注PHP中文网其他相关文章!