我试图弄清楚如何不为我的应用程序使用全局变量,但我想不出其他任何东西。
实际上,我实际上是在烧瓶插座模块的帮助下编码Web界面,以与音乐播放器实时交互。
这是包含播放功能的代码的片段(我认为我只需要一个示例,然后我可以为所有其他功能进行调整):
from flask import Flask, render_template
from flask_socketio import SocketIO
app = Flask(__name__)
socketio = SocketIO(app)
isPlaying = False #This is the variable that I would like to avoid making global
@socketio.on('request_play')
def cycle_play():
global isPlaying
if isPlaying == True:
socketio.emit('pause', broadcast=True)
isPlaying = False
else:
socketio.emit('play', broadcast=True)
isPlaying = True
if __name__ == '__main__':
socketio.run(app, port=5001)
这只是代码的删除版本,但我认为这足以理解我要完成的工作。
我还需要从其他功能访问该变量,我需要使用歌曲名称,持续时间和当前时间进行操作。
事先感谢您的帮助,对不起,如果我的英语不清楚。
这是我使用的解决方案:
from flask import Flask, render_template
from flask_socketio import SocketIO
app = Flask(__name__)
socketio = SocketIO(app)
class Player():
def __init__(self):
self.isPlaying = False
def cycle_play(self):
if self.isPlaying == True:
socketio.emit('pause', broadcast=True)
self.isPlaying = False
else:
socketio.emit('play', broadcast=True)
self.isPlaying = True
if __name__ == '__main__':
player = Player()
socketio.on('request_play')(player.cycle_play) #this is the decorator
socketio.run(app, port=5001)
您可以使用用户会话来存储此类值。您可以在此处阅读有关会话对象的更多信息:blask.pocoo.org/docs/0.12/quickstart/#sessions。
from flask import session
@socketio.on('initialize')
def initialize(isPlaying):
session['isPlaying'] = isPlaying
@socketio.on('request_play')
def cycle_play():
# Note, it's good practice to use 'is' instead of '==' when comparing against builtin constants.
# PEP8 recommended way is to check for trueness rather than the value True, so you'd want to first assert that this variable can only be Boolean.
assert type(session['isPlaying']) is bool
if session['isPlaying']:
socketio.emit('pause', broadcast=True)
session['isPlaying'] = False
else:
socketio.emit('play', broadcast=True)
session['isPlaying'] = True
提示自己的解决方案是定义一个封装状态变量和对其变化的响应的类。由于我不熟悉Flask-SocketIO
的详细信息,请将其视为pseduocode,而不是要粘贴到工作程序中。
class PlayControl:
def __init__(self, initial):
self.is_playing = initial
def cycle_play(self):
if self.is_playing:
socketio.emit('pause', broadcast=True)
self.is_playing = False
else:
socketio.emit('play', broadcast=True)
self.is_playing = True
然后,您将创建此类的实例,然后将实例的cycle_play
方法传递给您装饰原始功能的相同功能。因为此行为是动态的,因此在方法定义上使用装饰器不合适。
control = PlayControl(False)
socketio.on('request_play')(control.cycle_play)
要减少程序代码的数量,您甚至可以定义一个将函数拨打的类和作为参数发出的值的类,进一步推广该概念以使代码更加简洁,并且使用较少的样板。
我的建议是使用类,内部 init 方法只需使用self.isplaying = false即可。您始终可以从类中的所有功能中参考此变量。为了示例:
class PLAYER(object):
def __init__(self,other parameters):
self.isPlaying = False
#your cod
def cycle_play(self):
#global isPlaying
if self.isPlaying == True:
socketio.emit('pause', broadcast=True)
self.isPlaying = False
else:
socketio.emit('play', broadcast=True)
self.isPlaying = True