यह एक तरीका हो सकता है:
-- a test case
with test(id, str) as (
select 1, 'This is a EXAMPLE' from dual union all
select 2, 'This is a TEST' from dual union all
select 3, 'This is a VALUE' from dual union all
select 4, 'This IS aN EXAMPLE' from dual
)
-- concatenate the resulting words
select id, listagg(str, ' ') within group (order by pos)
from (
-- tokenize the strings by using the space as a word separator
SELECT id,
trim(regexp_substr(str, '[^ ]+', 1, level)) str,
level as pos
FROM test t
CONNECT BY instr(str, ' ', 1, level - 1) > 0
and prior id = id
and prior sys_guid() is not null
)
-- only get the uppercase words
where regexp_like(str, '^[A-Z]+$')
group by id
विचार यह है कि प्रत्येक स्ट्रिंग को टोकन किया जाए, फिर उन शब्दों को काट दिया जाए जो अपर केस वर्णों से नहीं बने हैं और फिर शेष शब्दों को जोड़ दें।
परिणाम:
1 EXAMPLE
2 TEST
3 VALUE
4 IS EXAMPLE
यदि आपको बड़े अक्षर के रूप में किसी अन्य वर्ण को संभालने की आवश्यकता है, तो आप where
. संपादित कर सकते हैं मेल खाने वाले शब्दों के लिए फ़िल्टर करने की शर्त; उदाहरण के लिए, '_' के साथ:
with test(id, str) as (
select 1, 'This is a EXAMPLE' from dual union all
select 2, 'This is a TEST' from dual union all
select 3, 'This is a VALUE' from dual union all
select 4, 'This IS aN EXAMPLE' from dual union all
select 5, 'This IS AN_EXAMPLE' from dual
)
select id, listagg(str, ' ') within group (order by pos)
from (
SELECT id,
trim(regexp_substr(str, '[^ ]+', 1, level)) str,
level as pos
FROM test t
CONNECT BY instr(str, ' ', 1, level - 1) > 0
and prior id = id
and prior sys_guid() is not null
)
where regexp_like(str, '^[A-Z_]+$')
group by id
देता है:
1 EXAMPLE
2 TEST
3 VALUE
4 IS EXAMPLE
5 IS AN_EXAMPLE