0

我正在尝试创建一个函数,该函数将采用FIQL格式的字符串并返回一个peewee表达式。

假设我有 FIQL 格式的 url 参数,如下所示:

fiql_str = "name==Foo,(country==USA;city==Kansas)"

使用FIQL 解析器我可以取回这个对象:

['OR', ('name', '==', 'Foo'), ['AND', ('country', '==', 'USA'), ('city', '==', 'Kansas')]]

我想做的是创建一个接受上述对象的函数,并创建一个 peewee 可以理解的表达式。我习惯了django & Q objects,我可以像这样将表达式链接在一起:

fm = Q()
for mapping in mappings:
    fm |= Q(subscription__approver=mapping.user)
return self.filter(fm)

我试过用 peewee 的查询生成器/节点来模仿这个,如下所示:

def map_to_filter(expressions, node):
    expression = expressions.pop(0)
    if type(expression) == str:
        if expression == "OR":
            node |= map_to_filter(expressions, node)
        if expression == "AND":
            node &= map_to_filter(expressions, node)
    elif type(expression) == tuple:
        return getattr(Store, expression[0]) + expression[1] + expression[2]
    elif type(expression) == list:
        map_to_filter(expression, node)
    return node

result = map_to_filter(expressions, peewee.Node())

但我得到一个 NotImplementedError:

/lib/python3.7/site-packages/peewee.py in __sql__(self, ctx)
    616
    617     def __sql__(self, ctx):
--> 618         raise NotImplementedError
    619
    620     @staticmethod

NotImplementedError:

是否可以构建这样的功能?否则,还有哪些其他工具/插件可用于解决此问题?

4

1 回答 1

1

您的问题来自使用一个 bare Node,它不对应于任何 SQL(因此,没有sql方法)。

我建议积累一个列表并使用functools.reduce()它们来组合它们。

例如,

list_of_conds = [
    (model.field1 == 'val1'),
    (model.field2 == 'bar')]
reduce(operator.and_, list_of_conds)

您可以在必要时将您的 reduce 函数切换为 operator.or_ 并继续使用深度优先搜索,就像您一样。

于 2019-02-06T15:24:16.877 回答