使用正则表达式

时间:2017-07-04 12:33:56

标签: regex excel vba excel-vba excel-2013

使用Excel VBA,我正在尝试替换看起来像这样的简单模式的所有实例:

{some text}

使用其他一些常量字符串。所以我想找到括在花括号中的所有文本,并用另一个字符串替换(带花括号)。

我使用以下代码:

Dim regEx As Object
Set regEx = CreateObject("VBScript.RegExp")
regEx.Pattern = "\{.*?\}"
qtext = regEx.Replace(qtext, html_input)

其中qtexthtml_input是一些字符串。但这只取代了模式的第一个实例。

例如:

qtext = "yadda yadda {1:NM:=12.000:0.120} omtty doom {1:NM:=6/6} loppy loop"
html_input = "I am HTML"

结果应该是:

"yadda yadda I am HTML omtty doom I am HTML loppy loop"

但我得到的是:

"yadda yadda I am HTML omtty doom {1:NM:=6/6} loppy loop"

我错过了什么?

1 个答案:

答案 0 :(得分:5)

正如@SJR在评论中所说,您需要将正则表达式对象的Global属性设置为True。该属性在MSDN

中描述
  

Global - 一个布尔属性,指示是否应针对字符串中的所有可能匹配测试正则表达式。默认情况下,Global设置为False。

所以在你的代码中变成:

Option Explicit

Sub ReplaceText()

    Dim regEx As Object
    Dim qtext As String
    Dim html_input As String

    ' set up regex
    Set regEx = CreateObject("VBScript.RegExp")
    regEx.Pattern = "\{.*?\}"
    regEx.Global = True '<-- set flag to true to replace all occurences of match

    ' input and replacement text
    qtext = "yadda yadda {1:NM:=12.000:0.120} omtty doom {1:NM:=6/6} loppy loop"
    html_input = "I am HTML"

    ' do replace
    qtext = regEx.Replace(qtext, html_input)

    ' test output
    MsgBox qtext

End Sub