docopt + 验证模式
有没有更好的方法来处理这个验证呢:
#!/usr/bin/env python
""" command.
Usage:
command start ID
command finish ID FILE
command (-h | --help)
command (-v | --version)
Arguments:
FILE input file
PATH out directory
Options:
-h --help Show this screen.
-v --version Show version.
"""
from docopt import docopt
from schema import Schema, Use, SchemaError
if __name__ == '__main__':
args = docopt(__doc__, version='command alpha')
# Remove False or None keys from args dict
for k, v in args.items():
if (not v):
args.pop(k)
if 'start' in args:
args.pop('start')
schema = Schema({
'FILE': Use(open, error='FILE should be readable'),
'ID': Use(int, error='ID should be an int'),
})
elif 'finish' in args:
args.pop('finish')
schema = Schema({
'FILE': Use(open, error='FILE should be readable'),
'ID': Use(int, error='ID should be an int'),
})
try:
args = schema.validate(args)
except SchemaError as e:
exit(e)
print(args)
1 个回答
10
我会这样做:
#!/usr/bin/env python
"""Command.
Usage:
command start ID
command finish ID FILE
command (-h | --help)
command (-v | --version)
Arguments:
ID
FILE input file
Options:
-h --help Show this screen.
-v --version Show version.
"""
from docopt import docopt
from schema import Schema, Use, Or, SchemaError
if __name__ == '__main__':
args = docopt(__doc__, version='command alpha')
id_schema = Use(int, error='ID should be an int')
file_schema = Or(None, Use(open, error='FILE should be readable'))
try:
args['ID'] = id_schema.validate(args['ID'])
args['FILE'] = file_schema.validate(args['FILE'])
except SchemaError as e:
exit(e)
print(args)
虽然我希望schema能用一个单一的结构来表达,而不是两个。我会努力在未来实现这样的结构:
schema = Schema({'ID': Use(int, error='ID should be an int'),
'FILE': Or(None, Use(open, error='FILE should be readable')),
object: object})
通过object: object
的方式,意味着我只关心'ID'
和'FILE'
这两个,其他的键值对可以是任意的对象。
更新
自从0.2.0版本以来,schema现在可以正确处理这种情况:
schema = Schema({'ID': Use(int, error='ID should be an int'),
'FILE': Or(None, Use(open, error='FILE should be readable')),
object: object})