在 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中文網其他相關文章!