需求:想要实现以下所有的一个regex_replace
还想知道replace
性能是否比regex_replace
快
下面是我尝试过的
with c as (select ' abc \n def\n' as t
union
select 'abc\tdef' as t)
select t,regexp_replace(t, '[,\t\n]','') from c;
with c as (select ' abc de"f\n' as t
union
select 'abc\td|ef' as t)
select t,replace(replace(replace(t, '\n',' '),'"','\''),'|','-') from c;
发布于 2020-07-09 11:23:58
regexp_replace函数将只匹配一个模式,并将其替换为一个文本值,因此不能根据匹配的内容有选择地替换它。您可以编写一个UDF来完成这一步,这将使您的SQL更加整洁,特别是如果您必须将其放入大量语句中。这三个替代者都是这个:
create or replace function CLEANUP_STRING(STR string)
returns string
language javascript as
$$
var s = STR.replace(/[,\t\n]/g, ""); // Replace comma, tab and new line character to empty
s = s.replace(/"/g, "'"); // Replace double quote with single quote
s = s.replace(/\|/g, "-"); // Replace pipe with dash
return s;
$$;
-- This will display in black font, showing that the line break is gone.
select cleanup_string('This is a "double quoted string". This has a | pipe. This has a new \n line. This has a, comma.');
https://stackoverflow.com/questions/62820597
复制相似问题