improve train speed and add speed constrain
This commit is contained in:
@@ -9,7 +9,7 @@ class Server():
|
||||
self.check_running_servers(psutil, first_server_p, first_monitor_p, n_servers)
|
||||
except ModuleNotFoundError:
|
||||
print("Info: Cannot check if the server is already running, because the psutil module was not found")
|
||||
|
||||
|
||||
self.first_server_p = first_server_p
|
||||
self.n_servers = n_servers
|
||||
self.rcss_processes = []
|
||||
@@ -18,29 +18,38 @@ class Server():
|
||||
# makes it easier to kill test servers without affecting train servers
|
||||
cmd = "rcssservermj"
|
||||
for i in range(n_servers):
|
||||
port = first_server_p + i
|
||||
mport = first_monitor_p + i
|
||||
|
||||
server_cmd = f"{cmd} --aport {port} --mport {mport} --no-render --no-realtime"
|
||||
|
||||
self.rcss_processes.append(
|
||||
subprocess.Popen((f"{cmd} --aport {first_server_p+i} --mport {first_monitor_p+i}").split(),
|
||||
stdout=subprocess.DEVNULL, stderr=subprocess.STDOUT, start_new_session=True)
|
||||
subprocess.Popen(
|
||||
server_cmd.split(),
|
||||
stdout=subprocess.DEVNULL,
|
||||
stderr=subprocess.STDOUT,
|
||||
start_new_session=True
|
||||
)
|
||||
)
|
||||
|
||||
def check_running_servers(self, psutil, first_server_p, first_monitor_p, n_servers):
|
||||
''' Check if any server is running on chosen ports '''
|
||||
found = False
|
||||
p_list = [p for p in psutil.process_iter() if p.cmdline() and "rcssservermj" in " ".join(p.cmdline())]
|
||||
range1 = (first_server_p, first_server_p + n_servers)
|
||||
range2 = (first_monitor_p,first_monitor_p + n_servers)
|
||||
range1 = (first_server_p, first_server_p + n_servers)
|
||||
range2 = (first_monitor_p, first_monitor_p + n_servers)
|
||||
bad_processes = []
|
||||
|
||||
for p in p_list:
|
||||
for p in p_list:
|
||||
# currently ignoring remaining default port when only one of the ports is specified (uncommon scenario)
|
||||
ports = [int(arg) for arg in p.cmdline()[1:] if arg.isdigit()]
|
||||
if len(ports) == 0:
|
||||
ports = [60000,60100] # default server ports (changing this is unlikely)
|
||||
ports = [60000, 60100] # default server ports (changing this is unlikely)
|
||||
|
||||
conflicts = [str(port) for port in ports if (
|
||||
(range1[0] <= port < range1[1]) or (range2[0] <= port < range2[1]) )]
|
||||
(range1[0] <= port < range1[1]) or (range2[0] <= port < range2[1]))]
|
||||
|
||||
if len(conflicts)>0:
|
||||
if len(conflicts) > 0:
|
||||
if not found:
|
||||
print("\nThere are already servers running on the same port(s)!")
|
||||
found = True
|
||||
@@ -55,9 +64,8 @@ class Server():
|
||||
for p in bad_processes:
|
||||
p.kill()
|
||||
return
|
||||
|
||||
|
||||
def kill(self):
|
||||
for p in self.rcss_processes:
|
||||
p.kill()
|
||||
print(f"Killed {self.n_servers} rcssservermj processes starting at {self.first_server_p}")
|
||||
print(f"Killed {self.n_servers} rcssservermj processes starting at {self.first_server_p}")
|
||||
|
||||
@@ -31,31 +31,29 @@ class Train_Base():
|
||||
args = script.args
|
||||
self.script = script
|
||||
self.ip = args.i
|
||||
self.server_p = args.p # (initial) server port
|
||||
self.monitor_p = args.m + 100 # monitor port when testing
|
||||
self.monitor_p_1000 = args.m + 1100 # initial monitor port when training
|
||||
self.server_p = args.p # (initial) server port
|
||||
self.monitor_p = args.m + 100 # monitor port when testing
|
||||
self.monitor_p_1000 = args.m + 1100 # initial monitor port when training
|
||||
self.robot_type = args.r
|
||||
self.team = args.t
|
||||
self.uniform = args.u
|
||||
self.cf_last_time = 0
|
||||
self.cf_delay = 0
|
||||
# self.cf_target_period = World.STEPTIME # target simulation speed while testing (default: real-time)
|
||||
|
||||
|
||||
|
||||
@staticmethod
|
||||
def prompt_user_for_model(self):
|
||||
|
||||
gyms_logs_path = "./mujococodebase/scripts/gyms/logs/"
|
||||
gyms_logs_path = "./scripts/gyms/logs/"
|
||||
folders = [f for f in listdir(gyms_logs_path) if isdir(join(gyms_logs_path, f))]
|
||||
folders.sort(key=lambda f: os.path.getmtime(join(gyms_logs_path, f)), reverse=True) # sort by modification date
|
||||
folders.sort(key=lambda f: os.path.getmtime(join(gyms_logs_path, f)), reverse=True) # sort by modification date
|
||||
|
||||
while True:
|
||||
try:
|
||||
folder_name = UI.print_list(folders,prompt="Choose folder (ctrl+c to return): ")[1]
|
||||
folder_name = UI.print_list(folders, prompt="Choose folder (ctrl+c to return): ")[1]
|
||||
except KeyboardInterrupt:
|
||||
print()
|
||||
return None # ctrl+c
|
||||
return None # ctrl+c
|
||||
|
||||
folder_dir = os.path.join(gyms_logs_path, folder_name)
|
||||
models = [m[:-4] for m in listdir(folder_dir) if isfile(join(folder_dir, m)) and m.endswith(".zip")]
|
||||
@@ -64,16 +62,17 @@ class Train_Base():
|
||||
print("The chosen folder does not contain any .zip file!")
|
||||
continue
|
||||
|
||||
models.sort(key=lambda m: os.path.getmtime(join(folder_dir, m+".zip")), reverse=True) # sort by modification date
|
||||
|
||||
models.sort(key=lambda m: os.path.getmtime(join(folder_dir, m + ".zip")),
|
||||
reverse=True) # sort by modification date
|
||||
|
||||
try:
|
||||
model_name = UI.print_list(models,prompt="Choose model (ctrl+c to return): ")[1]
|
||||
model_name = UI.print_list(models, prompt="Choose model (ctrl+c to return): ")[1]
|
||||
break
|
||||
except KeyboardInterrupt:
|
||||
print()
|
||||
|
||||
return {"folder_dir":folder_dir, "folder_name":folder_name, "model_file":os.path.join(folder_dir, model_name+".zip")}
|
||||
|
||||
return {"folder_dir": folder_dir, "folder_name": folder_name,
|
||||
"model_file": os.path.join(folder_dir, model_name + ".zip")}
|
||||
|
||||
# def control_fps(self, read_input = False):
|
||||
# ''' Add delay to control simulation speed '''
|
||||
@@ -87,7 +86,7 @@ class Train_Base():
|
||||
# if speed == '0':
|
||||
# inp = input("Paused. Set new speed or '' to use previous speed:")
|
||||
# if inp != '':
|
||||
# speed = inp
|
||||
# speed = inp
|
||||
|
||||
# try:
|
||||
# speed = int(speed)
|
||||
@@ -95,7 +94,7 @@ class Train_Base():
|
||||
# self.cf_target_period = World.STEPTIME * 100 / speed
|
||||
# print(f"Changed simulation speed to {speed}%")
|
||||
# except:
|
||||
# print("""Train_Base.py:
|
||||
# print("""Train_Base.py:
|
||||
# Error: To control the simulation speed, enter a non-negative integer.
|
||||
# To disable this control module, use test_model(..., enable_FPS_control=False) in your gyms environment.""")
|
||||
|
||||
@@ -108,15 +107,15 @@ class Train_Base():
|
||||
# else:
|
||||
# self.cf_delay = 0
|
||||
|
||||
|
||||
def test_model(self, model:BaseAlgorithm, env, log_path:str=None, model_path:str=None, max_episodes=0, enable_FPS_control=True, verbose=1):
|
||||
def test_model(self, model: BaseAlgorithm, env, log_path: str = None, model_path: str = None, max_episodes=0,
|
||||
enable_FPS_control=True, verbose=1):
|
||||
'''
|
||||
Test model and log results
|
||||
|
||||
Parameters
|
||||
----------
|
||||
model : BaseAlgorithm
|
||||
Trained model
|
||||
Trained model
|
||||
env : Env
|
||||
Gym-like environment
|
||||
log_path : str
|
||||
@@ -147,12 +146,12 @@ class Train_Base():
|
||||
break
|
||||
else:
|
||||
log_path += "/test.csv"
|
||||
|
||||
|
||||
with open(log_path, 'w') as f:
|
||||
f.write("reward,ep. length,rew. cumulative avg., ep. len. cumulative avg.\n")
|
||||
print("Train statistics are saved to:", log_path)
|
||||
|
||||
if enable_FPS_control: # control simulation speed (using non blocking user input)
|
||||
if enable_FPS_control: # control simulation speed (using non blocking user input)
|
||||
print("\nThe simulation speed can be changed by sending a non-negative integer\n"
|
||||
"(e.g. '50' sets speed to 50%, '0' pauses the simulation, '' sets speed to MAX)\n")
|
||||
|
||||
@@ -172,8 +171,8 @@ class Train_Base():
|
||||
ep_reward += reward
|
||||
ep_length += 1
|
||||
|
||||
if enable_FPS_control: # control simulation speed (using non blocking user input)
|
||||
self.control_fps(select.select([sys.stdin], [], [], 0)[0])
|
||||
if enable_FPS_control: # control simulation speed (using non blocking user input)
|
||||
self.control_fps(select.select([sys.stdin], [], [], 0)[0])
|
||||
|
||||
if done:
|
||||
obs, _ = env.reset()
|
||||
@@ -182,25 +181,28 @@ class Train_Base():
|
||||
reward_max = max(ep_reward, reward_max)
|
||||
reward_min = min(ep_reward, reward_min)
|
||||
ep_no += 1
|
||||
avg_ep_lengths = ep_lengths_sum/ep_no
|
||||
avg_rewards = rewards_sum/ep_no
|
||||
avg_ep_lengths = ep_lengths_sum / ep_no
|
||||
avg_rewards = rewards_sum / ep_no
|
||||
|
||||
if verbose > 0:
|
||||
print( f"\rEpisode: {ep_no:<3} Ep.Length: {ep_length:<4.0f} Reward: {ep_reward:<6.2f} \n",
|
||||
end=f"--AVERAGE-- Ep.Length: {avg_ep_lengths:<4.0f} Reward: {avg_rewards:<6.2f} (Min: {reward_min:<6.2f} Max: {reward_max:<6.2f})", flush=True)
|
||||
|
||||
print(
|
||||
f"\rEpisode: {ep_no:<3} Ep.Length: {ep_length:<4.0f} Reward: {ep_reward:<6.2f} \n",
|
||||
end=f"--AVERAGE-- Ep.Length: {avg_ep_lengths:<4.0f} Reward: {avg_rewards:<6.2f} (Min: {reward_min:<6.2f} Max: {reward_max:<6.2f})",
|
||||
flush=True)
|
||||
|
||||
if log_path is not None:
|
||||
with open(log_path, 'a') as f:
|
||||
writer = csv.writer(f)
|
||||
writer.writerow([ep_reward, ep_length, avg_rewards, avg_ep_lengths])
|
||||
|
||||
|
||||
if ep_no == max_episodes:
|
||||
return
|
||||
|
||||
ep_reward = 0
|
||||
ep_length = 0
|
||||
|
||||
def learn_model(self, model:BaseAlgorithm, total_steps:int, path:str, eval_env=None, eval_freq=None, eval_eps=5, save_freq=None, backup_env_file=None, export_name=None):
|
||||
def learn_model(self, model: BaseAlgorithm, total_steps: int, path: str, eval_env=None, eval_freq=None, eval_eps=5,
|
||||
save_freq=None, backup_env_file=None, export_name=None):
|
||||
'''
|
||||
Learn Model for a specific number of time steps
|
||||
|
||||
@@ -251,7 +253,7 @@ class Train_Base():
|
||||
# If path already exists, add suffix to avoid overwriting
|
||||
if os.path.isdir(path):
|
||||
for i in count():
|
||||
p = path.rstrip("/")+f'_{i:03}/'
|
||||
p = path.rstrip("/") + f'_{i:03}/'
|
||||
if not os.path.isdir(p):
|
||||
path = p
|
||||
break
|
||||
@@ -265,22 +267,28 @@ class Train_Base():
|
||||
evaluate = bool(eval_env is not None and eval_freq is not None)
|
||||
|
||||
# Create evaluation callback
|
||||
eval_callback = None if not evaluate else EvalCallback(eval_env, n_eval_episodes=eval_eps, eval_freq=eval_freq, log_path=path,
|
||||
best_model_save_path=path, deterministic=True, render=False)
|
||||
eval_callback = None if not evaluate else EvalCallback(eval_env, n_eval_episodes=eval_eps, eval_freq=eval_freq,
|
||||
log_path=path,
|
||||
best_model_save_path=path, deterministic=True,
|
||||
render=False)
|
||||
|
||||
# Create custom callback to display evaluations
|
||||
custom_callback = None if not evaluate else Cyclic_Callback(eval_freq, lambda:self.display_evaluations(path,True))
|
||||
custom_callback = None if not evaluate else Cyclic_Callback(eval_freq,
|
||||
lambda: self.display_evaluations(path, True))
|
||||
|
||||
# Create checkpoint callback
|
||||
checkpoint_callback = None if save_freq is None else CheckpointCallback(save_freq=save_freq, save_path=path, name_prefix="model", verbose=1)
|
||||
checkpoint_callback = None if save_freq is None else CheckpointCallback(save_freq=save_freq, save_path=path,
|
||||
name_prefix="model", verbose=1)
|
||||
|
||||
# Create custom callback to export checkpoint models
|
||||
export_callback = None if save_freq is None or export_name is None else Export_Callback(save_freq, path, export_name)
|
||||
export_callback = None if save_freq is None or export_name is None else Export_Callback(save_freq, path,
|
||||
export_name)
|
||||
|
||||
callbacks = CallbackList([c for c in [eval_callback, custom_callback, checkpoint_callback, export_callback] if c is not None])
|
||||
callbacks = CallbackList(
|
||||
[c for c in [eval_callback, custom_callback, checkpoint_callback, export_callback] if c is not None])
|
||||
|
||||
model.learn( total_timesteps=total_steps, callback=callbacks )
|
||||
model.save( os.path.join(path, "last_model") )
|
||||
model.learn(total_timesteps=total_steps, callback=callbacks)
|
||||
model.save(os.path.join(path, "last_model"))
|
||||
|
||||
# Display evaluations if they exist
|
||||
if evaluate:
|
||||
@@ -288,18 +296,18 @@ class Train_Base():
|
||||
|
||||
# Display timestamps + Model path
|
||||
end_date = datetime.now().strftime('%d/%m/%Y %H:%M:%S')
|
||||
duration = timedelta(seconds=int(time.time()-start))
|
||||
duration = timedelta(seconds=int(time.time() - start))
|
||||
print(f"Train start: {start_date}")
|
||||
print(f"Train end: {end_date}")
|
||||
print(f"Train duration: {duration}")
|
||||
print(f"Model path: {path}")
|
||||
|
||||
|
||||
# Append timestamps to backup environment file
|
||||
if backup_env_file is not None:
|
||||
with open(backup_file, 'a') as f:
|
||||
f.write(f"\n# Train start: {start_date}\n")
|
||||
f.write( f"# Train end: {end_date}\n")
|
||||
f.write( f"# Train duration: {duration}")
|
||||
f.write(f"# Train end: {end_date}\n")
|
||||
f.write(f"# Train duration: {duration}")
|
||||
|
||||
return path
|
||||
|
||||
@@ -318,50 +326,57 @@ class Train_Base():
|
||||
|
||||
with np.load(eval_npz) as data:
|
||||
time_steps = data["timesteps"]
|
||||
results_raw = np.mean(data["results"],axis=1)
|
||||
ep_lengths_raw = np.mean(data["ep_lengths"],axis=1)
|
||||
results_raw = np.mean(data["results"], axis=1)
|
||||
ep_lengths_raw = np.mean(data["ep_lengths"], axis=1)
|
||||
sample_no = len(results_raw)
|
||||
|
||||
xvals = np.linspace(0, sample_no-1, 80)
|
||||
results = np.interp(xvals, range(sample_no), results_raw)
|
||||
xvals = np.linspace(0, sample_no - 1, 80)
|
||||
results = np.interp(xvals, range(sample_no), results_raw)
|
||||
ep_lengths = np.interp(xvals, range(sample_no), ep_lengths_raw)
|
||||
|
||||
results_limits = np.min(results), np.max(results)
|
||||
results_limits = np.min(results), np.max(results)
|
||||
ep_lengths_limits = np.min(ep_lengths), np.max(ep_lengths)
|
||||
|
||||
results_discrete = np.digitize(results, np.linspace(results_limits[0]-1e-5, results_limits[1]+1e-5, console_height+1))-1
|
||||
ep_lengths_discrete = np.digitize(ep_lengths, np.linspace(0, ep_lengths_limits[1]+1e-5, console_height+1))-1
|
||||
results_discrete = np.digitize(results, np.linspace(results_limits[0] - 1e-5, results_limits[1] + 1e-5,
|
||||
console_height + 1)) - 1
|
||||
ep_lengths_discrete = np.digitize(ep_lengths,
|
||||
np.linspace(0, ep_lengths_limits[1] + 1e-5, console_height + 1)) - 1
|
||||
|
||||
matrix = np.zeros((console_height, console_width, 2), int)
|
||||
matrix[results_discrete[0] ][0][0] = 1 # draw 1st column
|
||||
matrix[ep_lengths_discrete[0]][0][1] = 1 # draw 1st column
|
||||
matrix[results_discrete[0]][0][0] = 1 # draw 1st column
|
||||
matrix[ep_lengths_discrete[0]][0][1] = 1 # draw 1st column
|
||||
rng = [[results_discrete[0], results_discrete[0]], [ep_lengths_discrete[0], ep_lengths_discrete[0]]]
|
||||
|
||||
# Create continuous line for both plots
|
||||
for k in range(2):
|
||||
for i in range(1,console_width):
|
||||
for i in range(1, console_width):
|
||||
x = [results_discrete, ep_lengths_discrete][k][i]
|
||||
if x > rng[k][1]:
|
||||
rng[k] = [rng[k][1]+1, x]
|
||||
rng[k] = [rng[k][1] + 1, x]
|
||||
elif x < rng[k][0]:
|
||||
rng[k] = [x, rng[k][0]-1]
|
||||
rng[k] = [x, rng[k][0] - 1]
|
||||
else:
|
||||
rng[k] = [x,x]
|
||||
for j in range(rng[k][0],rng[k][1]+1):
|
||||
rng[k] = [x, x]
|
||||
for j in range(rng[k][0], rng[k][1] + 1):
|
||||
matrix[j][i][k] = 1
|
||||
|
||||
print(f'{"-"*console_width}')
|
||||
print(f'{"-" * console_width}')
|
||||
for l in reversed(range(console_height)):
|
||||
for c in range(console_width):
|
||||
if np.all(matrix[l][c] == 0): print(end=" ")
|
||||
elif np.all(matrix[l][c] == 1): print(end=symb_xo)
|
||||
elif matrix[l][c][0] == 1: print(end=symb_x)
|
||||
else: print(end=symb_o)
|
||||
if np.all(matrix[l][c] == 0):
|
||||
print(end=" ")
|
||||
elif np.all(matrix[l][c] == 1):
|
||||
print(end=symb_xo)
|
||||
elif matrix[l][c][0] == 1:
|
||||
print(end=symb_x)
|
||||
else:
|
||||
print(end=symb_o)
|
||||
print()
|
||||
print(f'{"-"*console_width}')
|
||||
print(f'{"-" * console_width}')
|
||||
print(f"({symb_x})-reward min:{results_limits[0]:11.2f} max:{results_limits[1]:11.2f}")
|
||||
print(f"({symb_o})-ep. length min:{ep_lengths_limits[0]:11.0f} max:{ep_lengths_limits[1]:11.0f} {time_steps[-1]/1000:15.0f}k steps")
|
||||
print(f'{"-"*console_width}')
|
||||
print(
|
||||
f"({symb_o})-ep. length min:{ep_lengths_limits[0]:11.0f} max:{ep_lengths_limits[1]:11.0f} {time_steps[-1] / 1000:15.0f}k steps")
|
||||
print(f'{"-" * console_width}')
|
||||
|
||||
# save CSV
|
||||
if save_csv:
|
||||
@@ -370,8 +385,7 @@ class Train_Base():
|
||||
writer = csv.writer(f)
|
||||
if sample_no == 1:
|
||||
writer.writerow(["time_steps", "reward ep.", "length"])
|
||||
writer.writerow([time_steps[-1],results_raw[-1],ep_lengths_raw[-1]])
|
||||
|
||||
writer.writerow([time_steps[-1], results_raw[-1], ep_lengths_raw[-1]])
|
||||
|
||||
# def generate_slot_behavior(self, path, slots, auto_head:bool, XML_name):
|
||||
# '''
|
||||
@@ -394,7 +408,7 @@ class Train_Base():
|
||||
# xml_pretty = minidom.parseString(xml_rough).toprettyxml(indent=" ")
|
||||
# with open(file, "w") as x:
|
||||
# x.write(xml_pretty)
|
||||
|
||||
|
||||
# print(file, "was created!")
|
||||
|
||||
# @staticmethod
|
||||
@@ -406,7 +420,7 @@ class Train_Base():
|
||||
# ----------
|
||||
# initial_value : float
|
||||
# Initial learning rate
|
||||
|
||||
|
||||
# Returns
|
||||
# -------
|
||||
# schedule : Callable[[float], float]
|
||||
@@ -420,7 +434,7 @@ class Train_Base():
|
||||
# ----------
|
||||
# progress_remaining : float
|
||||
# Progress will decrease from 1 (beginning) to 0
|
||||
|
||||
|
||||
# Returns
|
||||
# -------
|
||||
# learning_rate : float
|
||||
@@ -452,28 +466,28 @@ class Train_Base():
|
||||
if not os.path.isfile(f):
|
||||
output_file = f
|
||||
break
|
||||
|
||||
model = PPO.load(input_file)
|
||||
weights = model.policy.state_dict() # dictionary containing network layers
|
||||
|
||||
w = lambda name : weights[name].detach().cpu().numpy() # extract weights from policy
|
||||
model = PPO.load(input_file)
|
||||
weights = model.policy.state_dict() # dictionary containing network layers
|
||||
|
||||
w = lambda name: weights[name].detach().cpu().numpy() # extract weights from policy
|
||||
|
||||
var_list = []
|
||||
for i in count(0,2): # add hidden layers (step=2 because that's how SB3 works)
|
||||
for i in count(0, 2): # add hidden layers (step=2 because that's how SB3 works)
|
||||
if f"mlp_extractor.policy_net.{i}.bias" not in weights:
|
||||
break
|
||||
var_list.append([w(f"mlp_extractor.policy_net.{i}.bias"), w(f"mlp_extractor.policy_net.{i}.weight"), "tanh"])
|
||||
var_list.append(
|
||||
[w(f"mlp_extractor.policy_net.{i}.bias"), w(f"mlp_extractor.policy_net.{i}.weight"), "tanh"])
|
||||
|
||||
var_list.append( [w("action_net.bias"), w("action_net.weight"), "none"] ) # add final layer
|
||||
|
||||
with open(output_file,"wb") as f:
|
||||
pickle.dump(var_list, f, protocol=4) # protocol 4 is backward compatible with Python 3.4
|
||||
var_list.append([w("action_net.bias"), w("action_net.weight"), "none"]) # add final layer
|
||||
|
||||
with open(output_file, "wb") as f:
|
||||
pickle.dump(var_list, f, protocol=4) # protocol 4 is backward compatible with Python 3.4
|
||||
|
||||
|
||||
def print_list(data, numbering=True, prompt=None, divider=" | ", alignment="<", min_per_col=6):
|
||||
'''
|
||||
Print list - prints list, using as many columns as possible
|
||||
|
||||
|
||||
Parameters
|
||||
----------
|
||||
data : `list`
|
||||
@@ -488,7 +502,7 @@ class Train_Base():
|
||||
f-string style alignment ( '<', '>', '^' )
|
||||
min_per_col : int
|
||||
avoid splitting columns with fewer items
|
||||
|
||||
|
||||
Returns
|
||||
-------
|
||||
item : `int`, item
|
||||
@@ -496,65 +510,67 @@ class Train_Base():
|
||||
or `None` (if `numbering` or `prompt` are `None`)
|
||||
|
||||
'''
|
||||
|
||||
|
||||
WIDTH = shutil.get_terminal_size()[0]
|
||||
|
||||
data_size = len(data)
|
||||
data_size = len(data)
|
||||
items = []
|
||||
items_len = []
|
||||
|
||||
#--------------------------------------------- Add numbers, margins and divider
|
||||
# --------------------------------------------- Add numbers, margins and divider
|
||||
for i in range(data_size):
|
||||
number = f"{i}-" if numbering else ""
|
||||
items.append( f"{divider}{number}{data[i]}" )
|
||||
items_len.append( len(items[-1]) )
|
||||
items.append(f"{divider}{number}{data[i]}")
|
||||
items_len.append(len(items[-1]))
|
||||
|
||||
max_cols = np.clip((WIDTH+len(divider)) // min(items_len),1,math.ceil(data_size/max(min_per_col,1))) # width + len(divider) because it is not needed in last col
|
||||
max_cols = np.clip((WIDTH + len(divider)) // min(items_len), 1, math.ceil(
|
||||
data_size / max(min_per_col, 1))) # width + len(divider) because it is not needed in last col
|
||||
|
||||
#--------------------------------------------- Check maximum number of columns, considering content width (min:1)
|
||||
for i in range(max_cols,0,-1):
|
||||
# --------------------------------------------- Check maximum number of columns, considering content width (min:1)
|
||||
for i in range(max_cols, 0, -1):
|
||||
cols_width = []
|
||||
cols_items = []
|
||||
table_width = 0
|
||||
a,b = divmod(data_size,i)
|
||||
a, b = divmod(data_size, i)
|
||||
for col in range(i):
|
||||
start = a*col + min(b,col)
|
||||
end = start+a+(1 if col<b else 0)
|
||||
cols_items.append( items[start:end] )
|
||||
start = a * col + min(b, col)
|
||||
end = start + a + (1 if col < b else 0)
|
||||
cols_items.append(items[start:end])
|
||||
col_width = max(items_len[start:end])
|
||||
cols_width.append( col_width )
|
||||
cols_width.append(col_width)
|
||||
table_width += col_width
|
||||
if table_width <= WIDTH+len(divider):
|
||||
if table_width <= WIDTH + len(divider):
|
||||
break
|
||||
table_width -= len(divider)
|
||||
|
||||
#--------------------------------------------- Print columns
|
||||
print("="*table_width)
|
||||
|
||||
# --------------------------------------------- Print columns
|
||||
print("=" * table_width)
|
||||
for row in range(math.ceil(data_size / i)):
|
||||
for col in range(i):
|
||||
content = cols_items[col][row] if len(cols_items[col]) > row else divider # print divider when there are no items
|
||||
content = cols_items[col][row] if len(
|
||||
cols_items[col]) > row else divider # print divider when there are no items
|
||||
if col == 0:
|
||||
l = len(divider)
|
||||
print(end=f"{content[l:]:{alignment}{cols_width[col]-l}}") # remove divider from 1st col
|
||||
print(end=f"{content[l:]:{alignment}{cols_width[col] - l}}") # remove divider from 1st col
|
||||
else:
|
||||
print(end=f"{content :{alignment}{cols_width[col] }}")
|
||||
print()
|
||||
print("="*table_width)
|
||||
print(end=f"{content :{alignment}{cols_width[col]}}")
|
||||
print()
|
||||
print("=" * table_width)
|
||||
|
||||
#--------------------------------------------- Prompt
|
||||
# --------------------------------------------- Prompt
|
||||
if prompt is None:
|
||||
return None
|
||||
|
||||
if numbering is None:
|
||||
return None
|
||||
else:
|
||||
idx = UI.read_int( prompt, 0, data_size )
|
||||
idx = UI.read_int(prompt, 0, data_size)
|
||||
return idx, data[idx]
|
||||
|
||||
|
||||
|
||||
class Cyclic_Callback(BaseCallback):
|
||||
''' Stable baselines custom callback '''
|
||||
|
||||
def __init__(self, freq, function):
|
||||
super(Cyclic_Callback, self).__init__(1)
|
||||
self.freq = freq
|
||||
@@ -563,10 +579,12 @@ class Cyclic_Callback(BaseCallback):
|
||||
def _on_step(self) -> bool:
|
||||
if self.n_calls % self.freq == 0:
|
||||
self.function()
|
||||
return True # If the callback returns False, training is aborted early
|
||||
return True # If the callback returns False, training is aborted early
|
||||
|
||||
|
||||
class Export_Callback(BaseCallback):
|
||||
''' Stable baselines custom callback '''
|
||||
|
||||
def __init__(self, freq, load_path, export_name):
|
||||
super(Export_Callback, self).__init__(1)
|
||||
self.freq = freq
|
||||
@@ -577,8 +595,7 @@ class Export_Callback(BaseCallback):
|
||||
if self.n_calls % self.freq == 0:
|
||||
path = os.path.join(self.load_path, f"model_{self.num_timesteps}_steps.zip")
|
||||
Train_Base.export_model(path, f"./scripts/gyms/export/{self.export_name}")
|
||||
return True # If the callback returns False, training is aborted early
|
||||
|
||||
return True # If the callback returns False, training is aborted early
|
||||
|
||||
|
||||
|
||||
|
||||
Reference in New Issue
Block a user