scratch-vm/src/engine/sequencer.js

85 lines
2.6 KiB
JavaScript
Raw Normal View History

2016-04-26 17:06:24 -04:00
var Timer = require('../util/timer');
function Sequencer (runtime) {
/**
* A utility timer for timing thread sequencing.
* @type {!Timer}
*/
this.timer = new Timer();
/**
* Reference to the runtime owning this sequencer.
* @type {!Runtime}
*/
this.runtime = runtime;
2016-04-18 17:20:30 -04:00
}
/**
* The sequencer does as much work as it can within WORK_TIME milliseconds,
* then yields. This is essentially a rate-limiter for blocks.
* In Scratch 2.0, this is set to 75% of the target stage frame-rate (30fps).
* @const {!number}
*/
Sequencer.WORK_TIME = 1000 / 60;
/**
* Step through all threads in `this.threads`, running them in order.
* @return {Array.<Thread>} All threads which have finished in this iteration.
*/
2016-04-26 15:51:14 -04:00
Sequencer.prototype.stepThreads = function (threads) {
// Start counting toward WORK_TIME
this.timer.start();
// List of threads which have been killed by this step.
var inactiveThreads = [];
// While there are still threads to run and we are within WORK_TIME,
// continue executing threads.
2016-04-26 15:51:14 -04:00
while (threads.length > 0 &&
this.timer.timeElapsed() < Sequencer.WORK_TIME) {
// New threads at the end of the iteration.
var newThreads = [];
// Attempt to run each thread one time
2016-04-26 15:51:14 -04:00
for (var i = 0; i < threads.length; i++) {
var activeThread = threads[i];
this.stepThread(activeThread);
if (activeThread.nextBlock !== null) {
newThreads.push(activeThread);
} else {
inactiveThreads.push(activeThread);
}
}
// Effectively filters out threads that have stopped.
2016-04-26 15:51:14 -04:00
threads = newThreads;
}
return inactiveThreads;
};
/**
* Step the requested thread
* @param {!Thread} thread Thread object to step
*/
2016-04-26 15:51:14 -04:00
Sequencer.prototype.stepThread = function (thread) {
var opcode = this.runtime._getOpcode(thread.nextBlock);
if (!opcode) {
console.warn('Could not get opcode for block: ' + thread.nextBlock);
}
else {
var blockFunction = this.runtime.getOpcodeFunction(opcode);
if (!blockFunction) {
console.warn('Could not get implementation for opcode: ' + opcode);
}
else {
try {
blockFunction();
}
catch(e) {
console.error('Exception calling block function', {opcode: opcode, exception: e});
}
}
}
thread.nextBlock = this.runtime._getNextBlock(thread.nextBlock);
};
2016-04-18 17:20:30 -04:00
module.exports = Sequencer;