我编写了一个Oracle函数,它将一些符号替换为其他符号。 字符串示例:
SELECT ReplaceStringFormat('Employee with FIO <FIO>') FROM dual;
替换后的结果:
'Employee with FIO '||FIO||''
当字符串以括号开头或以括号结束时,我有一个错误ORA-12725:
SELECT ReplaceStringFormat('(<DEPTID>) have <EMP_NUMB> employees') FROM dual;
或
SELECT ReplaceStringFormat('Employee <FIO> works in dept (<DEPTID>)') FROM dual;
我是REGEXP的新手.. 请解释一下,我该如何解决我的问题。
功能代码:
CREATE OR REPLACE FUNCTION ReplaceStringFormat (p_source_string IN VARCHAR2)
RETURN VARCHAR2 IS
v_result_string VARCHAR2(4000);
v_counter BINARY_INTEGER := 1;
v_flag NUMBER(1);
v_last_char CHAR(1);
v_last_char_new VARCHAR(5);
v_first_char CHAR(1);
v_first_char_new VARCHAR(5);
v_first_char_flag NUMBER(1) := 0;
BEGIN
v_result_string := p_source_string;
v_flag := 0;
WHILE v_counter <= 2 LOOP
IF v_flag = 0 THEN
IF INSTR (v_result_string, '<') = 1 THEN
v_result_string := REGEXP_REPLACE(v_result_string, '<', '', '1', '1');
v_first_char_flag := 1;
ELSE
IF v_first_char_flag = 0 THEN
v_first_char := SUBSTR(v_result_string, 1, 1);
v_first_char_new := ''''||v_first_char;
v_result_string := REGEXP_REPLACE(v_result_string, v_first_char, v_first_char_new, 1);
v_first_char_flag := 1;
ELSE
v_result_string := REPLACE(v_result_string, '<', '''||');
v_counter := v_counter + 1;
v_flag := 1;
END IF;
END IF;
ELSE
v_result_string := REPLACE(v_result_string, '>','||''');
v_last_char := SUBSTR(v_result_string, LENGTH(v_result_string), 1);
v_last_char_new := v_last_char||'''';
v_result_string := REGEXP_REPLACE(v_result_string, v_last_char, v_last_char_new, LENGTH(v_result_string));
v_counter := v_counter + 1;
END IF;
END LOOP;
RETURN v_result_string;
END ReplaceStringFormat;
ORA-12725出现在以下行:
v_result_string := REGEXP_REPLACE(v_result_string, v_first_char, v_first_char_new, 1);
和
v_result_string := REGEXP_REPLACE(v_result_string, v_last_char, v_last_char_new, LENGTH(v_result_string));
感谢您的建议!
答案 0 :(得分:1)
我不确定你真的需要正则表达式。标准REPLACE
应该有效:
SQL> SELECT '''' || REPLACE(REPLACE(txt, '<', '''||'), '>', '||''') || '''' rep
2 FROM (SELECT 'Employee <FIO> works in dept (<DEPTID>)' txt FROM dual);
REP
-------------------------------------------------
'Employee '||FIO||' works in dept ('||DEPTID||')'
关于ORA-12725
错误,您应该在代码中添加调试信息。我不确定你要在这里完成什么,但如果添加一个异常块,你会发现:
v_result_string = 'Employee '||FIO||' works in dept ('||D'EPTID||')
v_last_char = )
v_last_char_new = )'
此处字符串)
不是正确的正则表达式。
似乎你要用这个字符后跟一个引号来替换字符串的最后一个字符。我再次认为你正在尝试使用正则表达式,因为它们不是最合适的工具。附加单引号最好留给追加运算符||
(或concat
函数)。
正则表达式是一个强大的工具,但they are not the best-suited for every tasks。要做附加字符串之类的基本操作,你应该使用标准函数。