| 123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295 |
- import re
- import os
- import logging
- from utils import TaskRunner
- from .manager import (
- BuildManager as bm,
- BuildState
- )
- class BuildProgressUpdater:
- """
- Class for updating the progress of all builds.
- This class ensures that the progress of all builds is
- updated periodically. It operates in a singleton pattern
- to ensure only one instance manages the updates.
- """
- __singleton = None
- def __init__(self):
- """
- Initialises the BuildProgressUpdater instance.
- This uses the BuildManager singleton, so ensure that BuildManager is
- initialised before creating a BuildProgressUpdater instance.
- Raises:
- RuntimeError: If BuildManager is not initialized or
- if another instance of BuildProgressUpdater has already
- been initialised.
- """
- if not bm.get_singleton():
- raise RuntimeError("BuildManager should be initialised first")
- if BuildProgressUpdater.__singleton:
- raise RuntimeError("BuildProgressUpdater must be a singleton.")
- # Set up a periodic task to update build progress every 3 seconds
- # TaskRunner will handle scheduling and running the task.
- tasks = (
- (self.__update_build_progress_all, 3),
- )
- self.__runner = TaskRunner(tasks=tasks)
- self.logger = logging.getLogger(__name__)
- BuildProgressUpdater.__singleton = self
- def start(self) -> None:
- """
- Start BuildProgressUpdater.
- """
- self.logger.info("Starting BuildProgressUpdater.")
- self.__runner.start()
- def stop(self) -> None:
- """
- Stop BuildProgressUpdater.
- """
- self.logger.info("Stopping BuildProgressUpdater.")
- self.__runner.stop()
- def __calc_running_build_progress_percent(self, build_id: str) -> int:
- """
- Calculate the progress percentage of a running build.
- This method analyses the build log to determine the current completion
- percentage by parsing the build steps from the log file.
- Parameters:
- build_id (str): The unique ID of the build for which progress is
- calculated.
- Returns:
- int: The calculated build progress percentage (0 to 100).
- Raises:
- ValueError: If no build information is found for the provided
- build ID.
- """
- build_info = bm.get_singleton().get_build_info(build_id=build_id)
- if build_info is None:
- raise ValueError(f"No build found with ID {build_id}")
- if build_info.progress.state != BuildState.RUNNING:
- raise RuntimeError(
- "This method should only be called for running builds."
- )
- # Construct path to the build's log file
- log_file_path = bm.get_singleton().get_build_log_path(build_id)
- self.logger.debug(f"Opening log file: {log_file_path}")
- try:
- # Read the log content
- with open(log_file_path, encoding='utf-8') as f:
- build_log = f.read()
- except FileNotFoundError:
- self.logger.error(
- f"Log file not found for RUNNING build with ID: {build_id}"
- )
- return build_info.progress.percent
- # Regular expression to extract the build progress steps
- compiled_regex = re.compile(r'(\[\D*(\d+)\D*\/\D*(\d+)\D*\])')
- self.logger.debug(f"Regex pattern: {compiled_regex}")
- all_matches = compiled_regex.findall(build_log)
- self.logger.debug(f"Log matches: {all_matches}")
- # If no matches are found, return a default progress value of 0
- if len(all_matches) < 1:
- return 0
- completed_steps, total_steps = all_matches[-1][1:]
- self.logger.debug(
- f"Completed steps: {completed_steps},"
- f"Total steps: {total_steps}"
- )
- # Handle initial compilation/linking steps (minor weight)
- if int(total_steps) < 20:
- return 1
- # Handle building the OS phase (4% weight)
- if int(total_steps) < 200:
- return (int(completed_steps) * 4 // int(total_steps)) + 1
- # Major build phase (95% weight)
- return (int(completed_steps) * 95 // int(total_steps)) + 5
- def __refresh_running_build_state(self, build_id: str) -> BuildState:
- """
- Refresh the state of a running build.
- This method analyses the build log to determine the build has
- concluded. If yes, it detects the success of a build by finding
- the success message in the log.
- Parameters:
- build_id (str): The unique ID of the build for which progress is
- calculated.
- Returns:
- BuildSate: The current build state based on the log.
- Raises:
- ValueError: If no build information is found for the provided
- build ID.
- """
- build_info = bm.get_singleton().get_build_info(build_id=build_id)
- if build_info is None:
- raise ValueError(f"No build found with ID {build_id}")
- if build_info.progress.state != BuildState.RUNNING:
- raise RuntimeError(
- "This method should only be called for running builds."
- )
- # Builder ships the archive post completion
- # This is irrespective of SUCCESS or FAILURE
- if not os.path.exists(
- bm.get_singleton().get_build_archive_path(build_id)
- ):
- return BuildState.RUNNING
- log_file_path = bm.get_singleton().get_build_log_path(build_id)
- try:
- # Read the log content
- with open(log_file_path, encoding='utf-8') as f:
- build_log = f.read()
- except FileNotFoundError:
- self.logger.error(
- f"Log file not found for RUNNING build with ID: {build_id}"
- )
- return BuildState.ERROR
- # Build has finished, check if it succeeded or failed
- flash_summary_pos = build_log.find("Total Flash Used")
- if flash_summary_pos == -1:
- return BuildState.FAILURE
- else:
- return BuildState.SUCCESS
- def __update_build_percent(self, build_id: str) -> None:
- """
- Update the progress percentage of a given build.
- """
- build_info = bm.get_singleton().get_build_info(build_id=build_id)
- if build_info is None:
- raise ValueError(f"No build found with ID {build_id}")
- current_state = build_info.progress.state
- current_percent = build_info.progress.percent
- new_percent = current_percent
- self.logger.debug(
- f"Build id: {build_id}, "
- f"Current state: {current_state}, "
- f"Current percentage: {current_percent}, "
- )
- if current_state == BuildState.PENDING:
- # Keep existing percentage
- pass
- elif current_state == BuildState.RUNNING:
- new_percent = self.__calc_running_build_progress_percent(build_id)
- elif current_state == BuildState.SUCCESS:
- new_percent = 100
- elif current_state == BuildState.FAILURE:
- # Keep existing percentage
- pass
- elif current_state == BuildState.ERROR:
- # Keep existing percentage
- pass
- else:
- raise Exception("Unhandled BuildState.")
- self.logger.debug(
- f"Build id: {build_id}, "
- f"New percentage: {new_percent}, "
- )
- if new_percent != current_percent:
- bm.get_singleton().update_build_progress_percent(
- build_id=build_id,
- percent=new_percent
- )
- def __update_build_state(self, build_id: str) -> None:
- """
- Update the state of a given build.
- """
- build_info = bm.get_singleton().get_build_info(build_id=build_id)
- if build_info is None:
- raise ValueError(f"No build found with ID {build_id}")
- current_state = build_info.progress.state
- new_state = current_state
- self.logger.debug(
- f"Build id: {build_id}, "
- f"Current state: {current_state.name}, "
- )
- log_file_path = bm.get_singleton().get_build_log_path(build_id)
- if current_state == BuildState.PENDING:
- # Builder creates log file when it starts
- # running a build
- if os.path.exists(log_file_path):
- new_state = BuildState.RUNNING
- elif current_state == BuildState.RUNNING:
- new_state = self.__refresh_running_build_state(build_id)
- elif current_state == BuildState.SUCCESS:
- # SUCCESS is a conclusive state
- pass
- elif current_state == BuildState.FAILURE:
- # FAILURE is a conclusive state
- pass
- elif current_state == BuildState.ERROR:
- # ERROR is a conclusive state
- pass
- else:
- raise Exception("Unhandled BuildState.")
- self.logger.debug(
- f"Build id: {build_id}, "
- f"New state: {new_state.name}, "
- )
- if current_state != new_state:
- bm.get_singleton().update_build_progress_state(
- build_id=build_id,
- new_state=new_state,
- )
- def __update_build_progress_all(self) -> None:
- """
- Update progress for all builds.
- This method will iterate through all builds, calculate their
- progress, and update the build manager with the latest progress state
- and percentage.
- """
- for build_id in bm.get_singleton().get_all_build_ids():
- self.__update_build_state(build_id)
- self.__update_build_percent(build_id)
- @staticmethod
- def get_singleton() -> "BuildProgressUpdater":
- """
- Get the singleton instance of BuildProgressUpdater.
- Returns:
- BuildProgressUpdater: The singleton instance of this class.
- """
- return BuildProgressUpdater.__singleton
|