2

我想用 python voluptuous 验证 url 和 email 输入数据,可能是这样的:

schema = Schema({
    Required('url'): All(str, Url()),
    Required('email'): All(str, Email())
})

查看源代码,我看到 voluptuous 有一个内置的 Url 函数,在电子邮件的情况下它没有,所以我想构建自己的,问题是我不知道必须调用这个函数架构内。

4

1 回答 1

9

更新:现在voluptuous有电子邮件验证器。

您可以像这样编写自己的验证器

import re
from voluptuous import All, Invalid, Required, Schema

def Email(msg=None):
    def f(v):
        if re.match("[\w\.\-]*@[\w\.\-]*\.\w+", str(v)):
            return str(v)
        else:
            raise Invalid(msg or ("incorrect email address"))
    return f

schema = Schema({
        Required('email') : All(Email())
    })

schema({'email' : "invalid_email.com"}) # <-- this will result in a MultipleInvalid Exception
schema({'email' : "valid@email.com"}) # <-- this should validate the email address
于 2013-03-08T11:30:29.190 回答