MySQL可以替换多个字符吗?

时间:2009-11-04 00:32:22

标签: mysql sql string replace

我正在尝试替换MySQL字段中的一堆字符。我知道REPLACE函数,但一次只能替换一个字符串。我看不到任何适当的函数in the manual

我可以一次更换或删除多个字符串吗?例如,我需要用短划线替换空格并删除其他标点符号。

6 个答案:

答案 0 :(得分:61)

您可以链接REPLACE函数:

select replace(replace('hello world','world','earth'),'hello','hi')

这将打印hi earth

您甚至可以使用子查询来替换多个字符串!

select replace(london_english,'hello','hi') as warwickshire_english
from (
    select replace('hello world','world','earth') as london_english
) sub

或使用JOIN替换它们:

select group_concat(newword separator ' ')
from (
    select 'hello' as oldword
    union all
    select 'world'
) orig
inner join (
    select 'hello' as oldword, 'hi' as newword
    union all
    select 'world', 'earth'
) trans on orig.oldword = trans.oldword

我将使用常用表格表达式作为读者的练习留下翻译;)

答案 1 :(得分:8)

Cascading是mysql用于多字符替换的唯一简单直接的解决方案。

UPDATE table1 
SET column1 = replace(replace(REPLACE(column1, '\r\n', ''), '<br />',''), '<\r>','')

答案 2 :(得分:4)

我一直在使用lib_mysqludf_preg,这可以让你:

  

直接在MySQL中使用PCRE正则表达式

安装此库后,您可以执行以下操作:

SELECT preg_replace('/(\\.|com|www)/','','www.example.com');

哪会给你:

example

答案 3 :(得分:1)

REPLACE可以很好地简单地替换字符串中出现的字符或短语。但是,当清洁标点符号时,您可能需要寻找模式 - 例如在文本的特定部分的一系列空格或字符,例如,在一个单词的中间或完全停止后。如果是这种情况,正则表达式替换函数将更加强大。坏消息是MySQL doesn't provide such a thing,但好消息是可以提供解决方法 - 请参阅this blog post

  

我可以一次更换或删除多个字符串吗?比如我需要   用短划线替换空格并删除其他标点符号。

通过结合使用正则表达式替换器和标准REPLACE函数,可以实现上述目的。可以在this online Rextester demo中看到它。

SQL (不包括简洁的功能代码)

SELECT txt,
       reg_replace(REPLACE(txt, ' ', '-'),
                   '[^a-zA-Z0-9-]+',
                   '',
                   TRUE,
                   0,
                   0
                   ) AS `reg_replaced`
FROM test;

答案 4 :(得分:1)

在php上

$dataToReplace = [1 => 'one', 2 => 'two', 3 => 'three'];
$sqlReplace = '';
foreach ($dataToReplace as $key => $val) {
    $sqlReplace = 'REPLACE(' . ($sqlReplace ? $sqlReplace : 'replace_field') . ', "' . $key . '", "' . $val . '")';
}
echo $sqlReplace;

结果

REPLACE(
    REPLACE(
        REPLACE(replace_field, "1", "one"),
    "2", "two"),
"3", "three");

答案 5 :(得分:1)

exec person_sp 1