Flask之flask-script模块使用
FlaskScript扩展提供向Flask插入外部脚本的功能,包括运行一个开发用的服务器,一个定制的Pythonshell,设置数据库的脚本,cronjobs,及其他运行在web应用之外的命令行任务;使得脚本和系统分开;
FlaskScript和Flask本身的工作方式类似,只需定义和添加从命令行中被Manager实例调用的命令;
官方文档:http://flask-script.readthedocs.io/en/latest/
创建并运行命令
首先,创建一个Python模板运行命令脚本,可起名为manager.py;
在该文件中,必须有一个Manager实例,Manager类追踪所有在命令行中调用的命令和处理过程的调用运行情况;
Manager只有一个参数——Flask实例,也可以是一个函数或其他的返回Flask实例;
调用manager.run()启动Manager实例接收命令行中的命令;
#-*-coding:utf8-*- fromflask_scriptimportManager fromdebugimportapp manager=Manager(app) if__name__=='__main__': manager.run()
其次,创建并加入命令;
有三种方法创建命令,即创建Command子类、使用@command修饰符、使用@option修饰符;
第一种——创建Command子类
Command子类必须定义一个run方法;
举例:创建Hello命令,并将Hello命令加入Manager实例;
fromflask_scriptimportManager,Server fromflask_scriptimportCommand fromdebugimportapp manager=Manager(app) classHello(Command): 'helloworld' defrun(self): print'helloworld' #自定义命令一: manager.add_command('hello',Hello()) #自定义命令二: manager.add_command("runserver",Server())#命令是runserver if__name__=='__main__': manager.run()
执行如下命令:
pythonmanager.pyhello
>helloworldpythonmanager.pyrunserver
>helloworld
第二种——使用Command实例的@command修饰符
#-*-coding:utf8-*- fromflask_scriptimportManager fromdebugimportapp manager=Manager(app) @manager.command defhello(): 'helloworld' print'helloworld' if__name__=='__main__': manager.run()
该方法创建命令的运行方式和Command类创建的运行方式相同;
pythonmanager.pyhello
>helloworld
第三种——使用Command实例的@option修饰符
复杂情况下,建议使用@option;
可以有多个@option选项参数;
fromflask_scriptimportManager fromdebugimportapp manager=Manager(app) @manager.option('-n','--name',dest='name',help='Yourname',default='world')#命令既可以用-n,也可以用--name,dest="name"用户输入的命令的名字作为参数传给了函数中的name @manager.option('-u','--url',dest='url',default='www.csdn.com')#命令既可以用-u,也可以用--url,dest="url"用户输入的命令的url作为参数传给了函数中的url defhello(name,url): 'helloworldorhello' print'hello',name printurl if__name__=='__main__': manager.run()
运行方式如下:
pythonmanager.pyhello
>helloworld
>www.csdn.compythonmanager.pyhello-nsissiy-uwww.sissiy.com
>hellosissiy
>www.sissiy.compythonmanager.pyhello-namesissiy-urlwww.sissiy.com
>hellosissiy
>www.sissiy.com
以上就是本文的全部内容,希望对大家的学习有所帮助,也希望大家多多支持毛票票。