1

如何从以下可能的排列中提取roundUp(...)using (或其他一些衍生物):regex

[[[ roundUp( 10.0 ) ]]]
[[[ roundUp( 10.0 + 2.0 ) ]]]
[[[ roundUp( (10.0 * 2.0) + 2.0 ) ]]]
[[[ 10.0 + roundUp( (10.0 * 2.0) + 2.0 ) ]]]
[[[ 10.0 + roundUp( (10.0 * 2.0) + 2.0 ) + 20.0 ]]]

我问的原因是我想在我的代码roundUp(...)中用math.ceil((...)*100)/100.0

4

2 回答 2

5

这是python,你为什么不重新绑定名称roundUp

def my_roundup(x):
  return math.ceil(x*100)/100.

roundUp = my_roundup
于 2012-09-16T23:50:27.163 回答
1

您无法使用正则表达式解决一般情况。正则表达式的功能不足以表示类似于堆栈的任何内容,例如嵌套到任意深度的括号或 XML 标记。

如果您python 中解决问题,您可以执行类似的操作

import re

def roundup_sub(m):
    close_paren_index = None
    level = 1
    for i, c in enumerate(m.group(1)):
        if c == ')':
            level -= 1
        if level == 0:
            close_paren_index = i
            break
        if c == '(':
            level += 1
    if close_paren_index is None:
        raise ValueError("Unclosed roundUp()")
    return 'math.ceil((' + m.group(1)[1:close_paren_index] + ')*100)/100.0' + \
            m.group(1)[close_paren_index:]    # matching ')' and everything after

def replace_every_roundup(text):
    while True:
        new_text = re.sub(r'(?ms)roundUp\((.*)', roundup_sub, text)
        if new_text == text:
            return text
        text = new_text

这使用 re.sub 的 repl=function 形式,并使用正则表达式查找开头和 python 匹配括号并决定在哪里结束替换。


使用它们的一个例子:

my_text = """[[[ roundUp( 10.0 ) ]]]
[[[ roundUp( 10.0 + 2.0 ) ]]]
[[[ roundUp( (10.0 * 2.0) + 2.0 ) ]]]
[[[ 10.0 + roundUp( (10.0 * 2.0) + 2.0 ) ]]]
[[[ 10.0 + roundUp( (10.0 * 2.0) + 2.0 ) + 20.0 ]]]"""
print replace_every_roundup(my_text)

这给了你输出

[[[ math.ceil((10.0 )*100)/100.0) ]]]
[[[ math.ceil((10.0 + 2.0 )*100)/100.0) ]]]
[[[ math.ceil(((10.0 * 2.0) + 2.0 )*100)/100.0) ]]]
[[[ 10.0 + math.ceil(((10.0 * 2.0) + 2.0 )*100)/100.0) ]]]
[[[ 10.0 + math.ceil(((10.0 * 2.0) + 2.0 )*100)/100.0) + 20.0 ]]]

另一种选择是实现一个正则表达式,它可以处理一定深度的嵌套括号。

于 2012-09-17T00:23:49.880 回答