我正在试图弄清楚如何不为我的应用程序使用全局变量,但我想不出别的什么。
我实际上是在Flask-SocketIO模块的帮助下编写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)
答案 0 :(得分:2)
您可以使用用户会话来存储此类值。您可以在此处阅读有关会话对象的更多信息:flask.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
答案 1 :(得分:0)
建议自己的解决方案是定义一个类,它封装了状态变量和对其变化的响应。由于我不熟悉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)
为了减少程序代码的数量,您甚至可以定义一个将函数调用的类和要作为参数发出的值,进一步推广这个概念,使代码更简洁,更少的样板。
答案 2 :(得分:0)
我的建议是使用一个类,在 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