如何在postgresql中使用单个regexp_replace函数替换字符串中的多个字符串值

ztigrdn8  于 5个月前  发布在  PostgreSQL
关注(0)|答案(2)|浏览(84)

字符串为fd_val__pharmacy_1_2_3_text
在上面的字符串中,我想替换
1.双下划线与单下划线
1.将fd_替换为空白
1.将_1_2_3替换为空白。
我尝试多次使用Replace函数。但我想只使用regexp_replace函数一次。是否可能。请帮助我查询。
查询的输出应为瓦尔_pharmacy_text

omvjsjqw

omvjsjqw1#

要获得如上所述的所需输出,您可以使用以下查询来解决它。查询如下:

SELECT
  regexp_replace(
    '_val_pharmacy_1_2_3_text',
    '^_+|_+[0-9]+|_+$',
    '',
    'g'
  ) AS replaced_string;

字符串
示例说明和实现可以在这里找到:https://dbfiddle.uk/93OllCaa
希望这有帮助

4smxwvx5

4smxwvx52#

从Postgres 16开始,没有内置函数可以在一次遍历中执行多个替换。Perl的替换操作符提供了一种有效的方法。我使用下面的plperl函数:

/*
  Substitute substrings within a larger string, with Perl s// operator,
  in a single pass. Each element in @orig found in @string (scanned left
  to right) is replaced by the element at the same index in @repl.
  When multiple strings in the array match simultaneously, the longest one
  wins.
*/
CREATE OR REPLACE FUNCTION multi_replace(string text, orig text[], repl text[])
RETURNS text
AS $BODY$
  my ($string, $orig, $repl) = @_;
  my %subs;

  # Check that the arrays are of the same size, unidimensional,
  # and contain no null values.
  if (@$orig != @$repl) {
     elog(ERROR, "array sizes mismatch");
  }
  if (ref @$orig[0] eq 'ARRAY' || ref @$repl[0] eq 'ARRAY') {
     elog(ERROR, "multi-dimensional arrays are not allowed");
  }
  if (grep { !defined } (@$orig, @$repl)) {
     elog(ERROR, "null elements are not allowed");
  }

  # Each element of $orig is a key in %subs to the element at the same
  # index in $repl
  @subs{@$orig} = @$repl;

  # Build a regexp of the form (s1|s2|...)
  # with the substrings sorted to match longest first
  my $re = join "|", map quotemeta,
     sort { (length($b) <=> length($a)) } keys %subs;
  $re = qr/($re)/;

  # The order will be kept in matching because (from perlre):
  # "Alternatives are tried from left to right, so the first alternative
  # found for which the entire expression matches, is the one that is
  # chosen"

  $string =~ s/$re/$subs{$1}/g;
  return $string;

$BODY$ language plperl strict immutable;

字符串
范例:

select multi_replace(
  'fd_val__pharmacy_1_2_3_text',
  '{__,fd_,_1,_2,_3}',
  '{_, "", "", "", ""}'
);

   multi_replace   
-------------------
 val_pharmacy_text


您可以在博客文章Multiple strings replacement with plperl中找到有关问题陈述和实现的更多细节。

相关问题