I am building a game using Flask where every round has a countdown time to complete the round. I want the time value to decrease by 1 every second and to update without reloading the page. The countdown itself uses a time.sleep to wait 1 second before setting the next value of a generator to a global variable, which is passed through jsonify to my HTML. However it is not working. Any help would be appreciated!
python:
def countdownGen(t):
return (t-i for i in range(t))
def countdown(t):
gen = countdownGen(t)
while t > 0:
try:
globaltimer = next(gen)
time.sleep(1)
except StopIteration:
globaltimer = 0
@app.route('/_timer', methods=['GET'])
def timer():
global globaltimer
globaltimer = 60
countdown(globaltimer)
return jsonify(result=globaltimer)
HTML / JS:
<script type="text/javascript">
var intervalID = setInterval(update_values,1000);
$SCRIPT_ROOT = {{request.script_root|tojson|safe}};
function update_values() {
$.getJSON($SCRIPT_ROOT + '/_timer',
function(data) {
$('#result').text(data.result);
});
};
</script>
<body onload="update_values();">
<span id="result">?</span>
<script>
document.getElementById("result").innerHTML;
</script>
</body>
You could do something like this:
and this:
When I logged
request.script_root
I got an empty string back, making the request fail, so that might also be a problem on your end. I usedrequest.root_url
instead.request.root_url
does have a trailing slash so you need to be aware of that when you're trying to call endpoints with it.The idea here is to create a class where an instance of this class can be passsed an initial time which can be decremented and returned.
In your code you use both
setInterval(update_values, 1000)
andtime.sleep(1)
. I removed thetime.sleep(1)
call since we're already only calling the_timer
endpoint every second so we don't need to wait an extra second.I only decrement the time if the time is more than
0
. In the template ifdata.result
(i.e. the time received from Flask) is0
we don't decrement anymore and clear the interval.Also be aware that since we're decrementing the time based on
setInterval
something like a refresh won't reset the timer. That might be desired behavior, but either way something to keep in mind.