pattern_manager.py 12 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317
  1. import os
  2. import threading
  3. import time
  4. import random
  5. import logging
  6. from datetime import datetime
  7. from tqdm import tqdm
  8. from dune_weaver_flask.modules.serial import serial_manager
  9. from dune_weaver_flask.modules.core.state import state
  10. from math import pi
  11. # Configure logging
  12. logger = logging.getLogger(__name__)
  13. # Global state
  14. THETA_RHO_DIR = './patterns'
  15. CLEAR_PATTERNS = {
  16. "clear_from_in": "./patterns/clear_from_in.thr",
  17. "clear_from_out": "./patterns/clear_from_out.thr",
  18. "clear_sideway": "./patterns/clear_sideway.thr"
  19. }
  20. os.makedirs(THETA_RHO_DIR, exist_ok=True)
  21. def list_theta_rho_files():
  22. files = []
  23. for root, _, filenames in os.walk(THETA_RHO_DIR):
  24. for file in filenames:
  25. relative_path = os.path.relpath(os.path.join(root, file), THETA_RHO_DIR)
  26. files.append(relative_path)
  27. logger.debug(f"Found {len(files)} theta-rho files")
  28. return files
  29. def parse_theta_rho_file(file_path):
  30. """Parse a theta-rho file and return a list of (theta, rho) pairs."""
  31. coordinates = []
  32. try:
  33. logger.debug(f"Parsing theta-rho file: {file_path}")
  34. with open(file_path, 'r') as file:
  35. for line in file:
  36. line = line.strip()
  37. if not line or line.startswith("#"):
  38. continue
  39. try:
  40. theta, rho = map(float, line.split())
  41. coordinates.append((theta, rho))
  42. except ValueError:
  43. logger.warning(f"Skipping invalid line: {line}")
  44. continue
  45. except Exception as e:
  46. logger.error(f"Error reading file: {e}")
  47. return coordinates
  48. # Normalization Step
  49. if coordinates:
  50. first_theta = coordinates[0][0]
  51. normalized = [(theta - first_theta, rho) for theta, rho in coordinates]
  52. coordinates = normalized
  53. logger.debug(f"Parsed {len(coordinates)} coordinates from {file_path}")
  54. return coordinates
  55. def get_clear_pattern_file(clear_pattern_mode, path=None):
  56. """Return a .thr file path based on pattern_name."""
  57. if not clear_pattern_mode or clear_pattern_mode == 'none':
  58. return
  59. logger.info("Clear pattern mode: " + clear_pattern_mode)
  60. if clear_pattern_mode == "random":
  61. return random.choice(list(CLEAR_PATTERNS.values()))
  62. if clear_pattern_mode == 'adaptive':
  63. _, first_rho = parse_theta_rho_file(path)[0]
  64. if first_rho < 0.5:
  65. return CLEAR_PATTERNS['clear_from_out']
  66. else:
  67. return random.choice([CLEAR_PATTERNS['clear_from_in'], CLEAR_PATTERNS['clear_sideway']])
  68. else:
  69. return CLEAR_PATTERNS[clear_pattern_mode]
  70. def schedule_checker(schedule_hours):
  71. """Pauses/resumes execution based on a given time range."""
  72. if not schedule_hours:
  73. return
  74. start_time, end_time = schedule_hours
  75. now = datetime.now().time()
  76. if start_time <= now < end_time:
  77. if state.pause_requested:
  78. logger.info("Starting execution: Within schedule")
  79. serial_manager.update_machine_position()
  80. state.pause_requested = False
  81. with state.pause_condition:
  82. state.pause_condition.notify_all()
  83. else:
  84. if not state.pause_requested:
  85. logger.info("Pausing execution: Outside schedule")
  86. state.pause_requested = True
  87. serial_manager.update_machine_position()
  88. threading.Thread(target=wait_for_start_time, args=(schedule_hours,), daemon=True).start()
  89. def wait_for_start_time(schedule_hours):
  90. """Keep checking every 30 seconds if the time is within the schedule to resume execution."""
  91. start_time, end_time = schedule_hours
  92. while state.pause_requested:
  93. now = datetime.now().time()
  94. if start_time <= now < end_time:
  95. logger.info("Resuming execution: Within schedule")
  96. state.pause_requested = False
  97. with state.pause_condition:
  98. state.pause_condition.notify_all()
  99. break
  100. else:
  101. time.sleep(30)
  102. def interpolate_path(theta, rho):
  103. # Adding soft limit to reduce hardware sound
  104. soft_limit_threshold = 0.01
  105. if rho < soft_limit_threshold:
  106. rho = soft_limit_threshold
  107. elif rho > (1-soft_limit_threshold):
  108. rho = (1-soft_limit_threshold)
  109. delta_theta = theta - state.current_theta
  110. delta_rho = rho - state.current_rho
  111. # x_increment = delta_theta / (2 * pi) * 100
  112. x_increment = delta_theta / (4 * pi) * 100
  113. y_increment = delta_rho * 100/5
  114. offset = x_increment * (3200/5750/5) # Total angular steps = 16000 / gear ratio = 10 / angular steps = 5750
  115. y_increment += offset
  116. new_x_abs = state.machine_x + x_increment
  117. new_y_abs = state.machine_y + y_increment
  118. # dynamic_speed = compute_dynamic_speed(rho, max_speed=state.speed)
  119. serial_manager.send_grbl_coordinates(round(new_x_abs, 3), round(new_y_abs,3), state.speed)
  120. state.current_theta = theta
  121. state.current_rho = rho
  122. state.machine_x = new_x_abs
  123. state.machine_y = new_y_abs
  124. def pause_execution():
  125. logger.info("Pausing pattern execution")
  126. with state.pause_condition:
  127. state.pause_requested = True
  128. return True
  129. def resume_execution():
  130. logger.info("Resuming pattern execution")
  131. with state.pause_condition:
  132. state.pause_requested = False
  133. state.pause_condition.notify_all()
  134. return True
  135. def reset_theta():
  136. logger.info('Resetting Theta')
  137. state.current_theta = 0
  138. serial_manager.update_machine_position()
  139. def set_speed(new_speed):
  140. state.speed = new_speed
  141. logger.info(f'Set new state.speed {new_speed}')
  142. def run_theta_rho_file(file_path, schedule_hours=None):
  143. """Run a theta-rho file by sending data in optimized batches with tqdm ETA tracking."""
  144. if not file_path:
  145. return
  146. coordinates = parse_theta_rho_file(file_path)
  147. total_coordinates = len(coordinates)
  148. if total_coordinates < 2:
  149. logger.warning("Not enough coordinates for interpolation")
  150. state.current_playing_file = None
  151. state.execution_progress = None
  152. return
  153. state.execution_progress = (0, total_coordinates, None)
  154. # stop actions without resetting the playlist
  155. stop_actions(clear_playlist=False)
  156. with serial_manager.serial_lock:
  157. state.current_playing_file = file_path
  158. state.execution_progress = (0, 0, None)
  159. state.stop_requested = False
  160. logger.info(f"Starting pattern execution: {file_path}")
  161. logger.info(f"t: {state.current_theta}, r: {state.current_rho}")
  162. reset_theta()
  163. with tqdm(total=total_coordinates, unit="coords", desc=f"Executing Pattern {file_path}", dynamic_ncols=True, disable=None) as pbar:
  164. for i, coordinate in enumerate(coordinates):
  165. theta, rho = coordinate
  166. if state.stop_requested:
  167. logger.info("Execution stopped by user after completing the current batch")
  168. break
  169. with state.pause_condition:
  170. while state.pause_requested:
  171. logger.info("Execution paused...")
  172. state.pause_condition.wait()
  173. schedule_checker(schedule_hours)
  174. interpolate_path(theta, rho)
  175. if i != 0:
  176. pbar.update(1)
  177. estimated_remaining_time = pbar.format_dict['elapsed'] / i * total_coordinates
  178. state.execution_progress = (i, total_coordinates, estimated_remaining_time)
  179. serial_manager.check_idle()
  180. state.current_playing_file = None
  181. state.execution_progress = None
  182. logger.info("Pattern execution completed")
  183. def run_theta_rho_files(file_paths, pause_time=0, clear_pattern=None, run_mode="single", shuffle=False, schedule_hours=None):
  184. """Run multiple .thr files in sequence with options."""
  185. state.stop_requested = False
  186. # Set initial playlist state
  187. state.playlist_mode = run_mode
  188. state.current_playlist_index = 0
  189. if shuffle:
  190. random.shuffle(file_paths)
  191. logger.info("Playlist shuffled")
  192. while True:
  193. for idx, path in enumerate(file_paths):
  194. logger.info(f"Upcoming pattern: {path}")
  195. state.current_playlist_index = idx
  196. schedule_checker(schedule_hours)
  197. if state.stop_requested:
  198. logger.info("Execution stopped before starting next pattern")
  199. state.current_playlist = None
  200. state.current_playlist_index = None
  201. state.playlist_mode = None
  202. return
  203. if clear_pattern:
  204. if state.stop_requested:
  205. logger.info("Execution stopped before running the next clear pattern")
  206. state.current_playlist = None
  207. state.current_playlist_index = None
  208. state.playlist_mode = None
  209. return
  210. clear_file_path = get_clear_pattern_file(clear_pattern, path)
  211. logger.info(f"Running clear pattern: {clear_file_path}")
  212. run_theta_rho_file(clear_file_path, schedule_hours)
  213. if not state.stop_requested:
  214. logger.info(f"Running pattern {idx + 1} of {len(file_paths)}: {path}")
  215. run_theta_rho_file(path, schedule_hours)
  216. if idx < len(file_paths) - 1:
  217. if state.stop_requested:
  218. logger.info("Execution stopped before running the next clear pattern")
  219. return
  220. if pause_time > 0:
  221. logger.debug(f"Pausing for {pause_time} seconds")
  222. time.sleep(pause_time)
  223. if run_mode == "indefinite":
  224. logger.info("Playlist completed. Restarting as per 'indefinite' run mode")
  225. if pause_time > 0:
  226. logger.debug(f"Pausing for {pause_time} seconds before restarting")
  227. time.sleep(pause_time)
  228. if shuffle:
  229. random.shuffle(file_paths)
  230. logger.info("Playlist reshuffled for the next loop")
  231. continue
  232. else:
  233. logger.info("Playlist completed")
  234. state.current_playlist = None
  235. state.current_playlist_index = None
  236. state.playlist_mode = None
  237. break
  238. logger.info("All requested patterns completed (or stopped)")
  239. def stop_actions(clear_playlist = True):
  240. """Stop all current actions."""
  241. with state.pause_condition:
  242. state.pause_requested = False
  243. state.stop_requested = True
  244. state.current_playing_file = None
  245. state.execution_progress = None
  246. state.is_clearing = False
  247. if clear_playlist:
  248. # Clear playlist state
  249. state.current_playlist = None
  250. state.current_playlist_index = None
  251. state.playlist_mode = None
  252. state.pause_condition.notify_all()
  253. serial_manager.update_machine_position()
  254. def get_status():
  255. """Get the current execution status."""
  256. # Update state.is_clearing based on current file
  257. if state.current_playing_file in CLEAR_PATTERNS.values():
  258. state.is_clearing = True
  259. else:
  260. state.is_clearing = False
  261. return {
  262. "ser_port": serial_manager.get_port(),
  263. "stop_requested": state.stop_requested,
  264. "pause_requested": state.pause_requested,
  265. "current_playing_file": state.current_playing_file,
  266. "execution_progress": state.execution_progress,
  267. "current_playing_index": state.current_playlist_index,
  268. "current_playlist": state.current_playlist,
  269. "is_clearing": state.is_clearing
  270. }