diff --git a/hugvey/central_command.py b/hugvey/central_command.py index 7e4ec83..526313e 100644 --- a/hugvey/central_command.py +++ b/hugvey/central_command.py @@ -128,6 +128,8 @@ class CentralCommand(object): # status['counts'] = {t: len(a) for t, a in status['history'].items() if t != 'directions' } status['counts'] = {} if not hv.story else hv.story.getLogCounts() status['duration'] = 0 if not hv.story else hv.story.timer.getElapsed() + status['has_state'] = Story.hugveyHasSavedState(hv.id) + status['variables'] = {} if not isSelected or not hv.story else hv.story.variableValues return status @@ -583,10 +585,20 @@ class HugveyState(object): self.startMsgId = event['msg_id'] self.logger.debug(f"Restart from {self.startMsgId}") self.restart() +# Unfortunately setCurrentMessage() doesn't cut it, as the story +# needs to be reloaded, this cannot be done with keeping the state either way +# msg = self.story.get(event['msg_id']) +# await self.story.setCurrentMessage(msg) self.eventQueue = None def setLanguage(self, language_code): + self.configureLanguage(language_code) + + if self.isRunning.is_set(): + self.restart() + + def configureLanguage(self, language_code): if language_code not in self.command.languages: raise Exception("Invalid language {}".format(language_code)) @@ -596,11 +608,6 @@ class HugveyState(object): if self.google: self.google.setLanguage(language_code) - if self.isRunning.is_set(): - self.restart() -# self.story.reset() -# self.story.setStoryData(self.command.languages[language_code]) - def pause(self): self.logger.info('Pause') if self.google: @@ -611,7 +618,7 @@ class HugveyState(object): self.setStatus(self.STATE_PAUSE) def resume(self): - """ Start playing without reset""" + """Start playing without reset, also used to play from a saved state""" self.logger.info('Resume') if self.google: self.google.resume() @@ -623,6 +630,8 @@ class HugveyState(object): def restart(self): """Start playing with reset""" self.logger.info('Restart') + if Story.hugveyHasSavedState(self.id): + Story.clearSavedState(self.id) if self.story: self.story.stop() self.resume() @@ -702,15 +711,30 @@ class HugveyState(object): else: # new story instance on each run port = self.command.config['web']['port'] - self.story = Story(self, port) - startMsgId = self.startMsgId - self.startMsgId = None # use only once, reset before 'run' - self.logger.warn(f"Starting from {startMsgId}") + + if Story.hugveyHasSavedState(self.id): + self.logger.info(f"Recovering from state :-)") + self.story = Story.loadStoryFromState(self) + if self.story.language_code != self.language_code: + self.logger.info("Changing language") + self.configureLanguage(self.story.language_code) + else: + self.story = Story(self, port) + self.story.setStoryData(copy.deepcopy(self.command.languages[self.language_code]), self.language_code) + + if not self.streamer: await asyncio.sleep(1) self.streamer.triggerStart() - self.story.setStoryData(copy.deepcopy(self.command.languages[self.language_code])) + + startMsgId = self.startMsgId + self.startMsgId = None # use only once, reset before 'run' + if not startMsgId and self.story.currentMessage: + startMsgId = self.story.currentMessage.id + + self.logger.info(f"Starting from {startMsgId}") + self.setLightStatus(False) await self.story.run(startMsgId) # self.story = None diff --git a/hugvey/story.py b/hugvey/story.py index 503e053..c4529d8 100644 --- a/hugvey/story.py +++ b/hugvey/story.py @@ -16,6 +16,9 @@ import wave import sox from pythonosc import udp_client import random +import pickle +import os +import traceback mainLogger = logging.getLogger("hugvey") logger = mainLogger.getChild("narrative") @@ -37,6 +40,12 @@ class Utterance(object): def isFinished(self): return self.endTime is not None + + + def __getstate__(self): +# print(f'get utterance {self}') + state = self.__dict__.copy() + return state class Message(object): @@ -59,6 +68,20 @@ class Message(object): self.parseForVariables() self.uuid = None # Have a unique id each time the message is played back. self.color = None + + def __getstate__(self): + # Copy the object's state from self.__dict__ which contains + # all our instance attributes. Always use the dict.copy() + # method to avoid modifying the original state. +# print(f'get msg {self.id}') + state = self.__dict__.copy() + # Remove the unpicklable entries. + del state['filenameFetchLock'] + return state + + def __setstate__(self, state): + self.__dict__.update(state) + self.filenameFetchLock = asyncio.Lock() def setStory(self, story): self.story = story @@ -183,11 +206,18 @@ class Message(object): return filename + class Reply(object): def __init__(self, message: Message): self.forMessage = None self.utterances = [] self.setForMessage(message) + + + def __getstate__(self): +# print(f'get reply {self}') + state = self.__dict__.copy() + return state def setForMessage(self, message: Message): self.forMessage = message @@ -264,6 +294,12 @@ class Condition(object): self.logInfo = None self.originalJsonString = None self.usedContainsDuration = None + + + def __getstate__(self): +# print(f'get condition {self.id}') + state = self.__dict__.copy() + return state @classmethod def initFromJson(conditionClass, data, story): @@ -461,6 +497,12 @@ class Direction(object): self.conditions = [] self.conditionMet = None self.isDiversionReturn = False + + + def __getstate__(self): +# print(f'get direction {self.id}') + state = self.__dict__.copy() + return state def addCondition(self, condition: Condition): self.conditions.append(condition) @@ -523,6 +565,12 @@ class Diversion(object): if not self.method: raise Exception("No valid type given for diversion") + + + def __getstate__(self): +# print(f'get diversion {self.id}') + state = self.__dict__.copy() + return state @classmethod def initFromJson(diversionClass, data, story): @@ -944,6 +992,65 @@ class Stopwatch(object): def clearMark(self, name): if name in self.marks: self.marks.pop(name) + + def __getstate__(self): +# print(f'get stopwatch') + state = self.__dict__.copy() + state['isRunning'] = self.isRunning.is_set() + return state + + def __setstate__(self, state): + self.__dict__.update(state) + + self.isRunning = asyncio.Event() + if 'isRunning' in state and state['isRunning']: + self.isRunning.set() + else: + self.isRunning.clear() + + +class StoryState(object): + """ + Because Story not only contains state, but also logic/control variables, we need + a separate class to keep track of the state of things. This way, we can recreate + the exact state in which a story was before. + """ + msgLog = [] + currentMessage = None + currentDiversion = None + currentReply = None + allowReplyInterrupt = False + timer = Stopwatch() + isRunning = False + + lastMsgTime = None + lastSpeechStartTime = None + lastSpeechEndTime = None + variableValues = {} # captured variables from replies + finish_time = False + + events = [] # queue of received events + commands = [] # queue of commands to send + log = [] # all nodes/elements that are triggered + msgLog = [] + + stats = { + 'timeouts': 0, + 'silentTimeouts': 0, + 'consecutiveSilentTimeouts': 0, + 'diversions': { + 'no_response': 0, + 'repeat': 0, + 'reply_contains': 0, + 'timeout': 0, + 'timeout_total': 0, + 'timeout_last': 0 + } + } + + def __init__(self): + pass +# class Story(object): """Story represents and manages a story/narrative flow""" @@ -1017,11 +1124,12 @@ class Story(object): def hasVariableSet(self, name) -> bool: return name in self.variableValues and self.variableValues is not None - def setStoryData(self, story_data): + def setStoryData(self, story_data, language_code): """ Parse self.data into a working story engine """ self.data = story_data + self.language_code = language_code # keep to be able to reset it in the end currentId = self.currentMessage.id if self.currentMessage else None @@ -1356,10 +1464,9 @@ class Story(object): await self._processPendingEvents() # Test stability of Central Command with deliberate crash -# if self.timer.getElapsed() > 5: -# raise Exception('test') +# if self.timer.getElapsed() > 10: +# raise Exception("Test exception") - # The finish is not here anymore, but only on the playbackFinish event. directions = self.getCurrentDirections() await self._processDirections(directions) @@ -1448,6 +1555,7 @@ class Story(object): logmsg += "\n- {0} -> {1} (when: {2}) ".format(direction.msgFrom.id, direction.msgTo.id, conditions) self.logger.log(LOG_BS,logmsg) + self.storeState() def getCurrentDirections(self): if self.currentMessage.id not in self.directionsPerMsg: @@ -1566,5 +1674,75 @@ class Story(object): return None # TODO: should the direction have at least a timeout condition set, or not perse? - return self.directionsPerMsg[msg.id][0] + + @classmethod + def getStateDir(self): + return "/tmp" +# day = time.strftime("%Y%m%d") +# t = time.strftime("%H:%M:%S") +# +# self.out_folder = os.path.join(self.main_folder, day, f"{self.hv_id}", t) +# if not os.path.exists(self.out_folder): +# self.logger.debug(f"Create directory {self.out_folder}") +# self.target_folder = os.makedirs(self.out_folder, exist_ok=True) + + @classmethod + def getStateFilename(cls, hv_id): + return os.path.join(cls.getStateDir(), f"hugvey{hv_id}") + + def storeState(self): +# TODO: stop stopwatch + fn = self.getStateFilename(self.hugvey.id) + tmpfn = fn + '.tmp' + self.stateSave = time.time() + with open(tmpfn, 'wb') as fp: + pickle.dump(self, fp) + # write atomic to disk: flush, close, rename + fp.flush() + os.fsync(fp.fileno()) + + os.rename(tmpfn, fn) + self.logger.debug(f"saved state to {fn}") + + def hasSavedState(self): + return self.hugveyHasSavedState(self.hugvey.id) + + @classmethod + def hugveyHasSavedState(cls, hv_id): + return os.path.exists(cls.getStateFilename(hv_id)) + + @classmethod + def loadStoryFromState(cls, hugvey_state): +# restart stopwatch + with open(cls.getStateFilename(hugvey_state.id), 'rb') as fp: + story = pickle.load(fp) + + story.hugvey = hugvey_state + story.logger = mainLogger.getChild(f"{story.hugvey.id}").getChild("story") + return story + # TODO: take running state etc. + + @classmethod + def clearSavedState(cls, hv_id): + fn = cls.getStateFilename(hv_id) + if os.path.exists(fn): + os.unlink(fn) + mainLogger.info(f"Removed state: {fn}") +# + def __getstate__(self): + # Copy the object's state from self.__dict__ which contains + # all our instance attributes. Always use the dict.copy() + # method to avoid modifying the original state. + state = self.__dict__.copy() + + # Remove the unpicklable entries. + del state['hugvey'] + del state['logger'] +# del state['isRunning'] + + return state + + def __setstate__(self, state): + self.__dict__.update(state) + diff --git a/www/css/styles.css b/www/css/styles.css index 13f5154..bb506f1 100644 --- a/www/css/styles.css +++ b/www/css/styles.css @@ -350,3 +350,13 @@ body.showTimeline #toggleTimeline { color: orange; } #logbook .content .extra { color: #555; } + +#variables { + position: absolute; + bottom: 0; + left: 0; + color: white; } + #variables .name { + font-weight: bold; } + #variables .name::after { + content: " - "; } diff --git a/www/index.html b/www/index.html index 8df8f00..23c9cf6 100644 --- a/www/index.html +++ b/www/index.html @@ -68,6 +68,8 @@
Finish
Pause
Resume
+ +
Resume from save
@@ -96,6 +98,12 @@ + diff --git a/www/js/hugvey_console.js b/www/js/hugvey_console.js index 96054fb..0da83eb 100644 --- a/www/js/hugvey_console.js +++ b/www/js/hugvey_console.js @@ -146,6 +146,9 @@ class Panopticon { this.loadNarrative(hv.language); } } + +// let varEl = document.getElementById("variables"); +// varEl.innerHTML = ""; } if(this.hasGraph) { diff --git a/www/scss/styles.scss b/www/scss/styles.scss index dfd341c..278b7e6 100644 --- a/www/scss/styles.scss +++ b/www/scss/styles.scss @@ -560,4 +560,17 @@ img.icon{ color:#555; } } +} + +#variables{ + position: absolute; + bottom: 0; + left: 0; + color: white; + .name{ + font-weight:bold; + &::after{ + content:" - "; + } + } } \ No newline at end of file