如何在python中检查一行是否是一个有效的函数调用?

时间:2017-09-11 12:28:49

标签: python regex parsing string-operations

背景:我目前正在为ipython创建一个魔术线。这种魔法仅适用于行,其中函数的返回值被赋值给变量。

我正在寻找一种方法来确保一行是python中有效的函数调用+赋值。

e.g。以下内容应予以接受:

a = b()
a,b = c(d,e="f")
a = b(c()+c)

以下内容将被拒绝:

a = def fun() # no function call
b(a=2) # no assignment
a = b + c # no function call 
a = b() + c() # top-level on right-hand-side must be function call

如果该行根本不是有效的python,我不在乎它是否通过,因为这将在另一个阶段处理。

2 个答案:

答案 0 :(得分:6)

您可以使用Python自己的解析器(可通过ast模块访问)直接检查每个语句,看它是否是一个右侧是呼叫的分配。 / p>

import ast

def is_call_assignment(line):
    try:
        node = ast.parse(line)
    except SyntaxError:
        return False
    if not isinstance(node, ast.Module):
        return False
    if len(node.body) != 1 or not isinstance(node.body[0], ast.Assign):
        return False
    statement = node.body[0]
    return isinstance(statement.value, ast.Call)


test_cases = [
    'a = b()',
    'a,b = c(d,e="f")',
    'a = b(c()+c)',
    'a = def fun()',
    'b(a=2)',
    'a = b + c',
    'a = b() + c()'
]

for line in test_cases:
    print(line)
    print(is_call_assignment(line))
    print("")

结果:

a = b()
True

a,b = c(d,e="f")
True

a = b(c()+c)
True

a = def fun()
False

b(a=2)
False

a = b + c
False

a = b() + c()
False

答案 1 :(得分:-1)

最好的我想出了这个:

  1. 应用此正则表达式
    [A-z, ]*= *[A-z_]* *\(.*\)
  2. 在第一个" ="
  3. 分开
  4. 确保括号平衡,但如果括号计数在最后一个括号
  5. 之前达到零,则会失败

    需要执行第3步,以使此案例失败:

    a = b() + c() # top-level on right-hand-side must be function call
    

    步骤3也有点像这样:

    def matched(str):
        count = 0
        for i in str.strip():
            if i == "(":
                count += 1
            elif i == ")":
                count -= 1
            if count < 0 or (count < 1 and i>=len(str)-1):
                return False
        return count == 0
    

    (基于this

    这个解决方案非常丑陋,因为如果顶层没有函数调用,我无法弄清楚如何很好地失败。

    更好的解决方案可能会使用python的AST,但我不知道如何访问它。