mirror of
https://github.com/pdxlocations/contact.git
synced 2026-03-28 17:12:35 +01:00
370 lines
17 KiB
Python
370 lines
17 KiB
Python
import curses
|
|
import logging
|
|
import os
|
|
|
|
from save_to_radio import save_changes
|
|
from utilities.config_io import config_export, config_import
|
|
from input_handlers import get_repeated_input, get_text_input, get_fixed32_input, get_list_input
|
|
from ui.menus import generate_menu_from_protobuf
|
|
from ui.colors import setup_colors, get_color
|
|
from utilities.arg_parser import setup_parser
|
|
from utilities.interfaces import initialize_interface
|
|
from user_config import json_editor
|
|
import globals
|
|
|
|
width = 60
|
|
save_option = "Save Changes"
|
|
sensitive_settings = ["Reboot", "Reset Node DB", "Shutdown", "Factory Reset"]
|
|
|
|
def display_menu(current_menu, menu_path, selected_index, show_save_option):
|
|
|
|
# Calculate the dynamic height based on the number of menu items
|
|
num_items = len(current_menu) + (1 if show_save_option else 0) # Add 1 for the "Save Changes" option if applicable
|
|
height = min(curses.LINES - 2, num_items + 5) # Ensure the menu fits within the terminal height
|
|
start_y = (curses.LINES - height) // 2
|
|
start_x = (curses.COLS - width) // 2
|
|
|
|
# Create a new curses window with dynamic dimensions
|
|
menu_win = curses.newwin(height, width, start_y, start_x)
|
|
menu_win.erase()
|
|
menu_win.bkgd(get_color("background"))
|
|
menu_win.attrset(get_color("window_frame"))
|
|
menu_win.border()
|
|
menu_win.keypad(True)
|
|
|
|
menu_pad = curses.newpad(len(current_menu) + 1, width - 8)
|
|
menu_pad.bkgd(get_color("background"))
|
|
|
|
# Display the current menu path as a header
|
|
header = " > ".join(word.title() for word in menu_path)
|
|
if len(header) > width - 4:
|
|
header = header[:width - 7] + "..."
|
|
menu_win.addstr(1, 2, header, get_color("settings_breadcrumbs", bold=True))
|
|
|
|
# Display the menu options
|
|
for idx, option in enumerate(current_menu):
|
|
field_info = current_menu[option]
|
|
current_value = field_info[1] if isinstance(field_info, tuple) else ""
|
|
display_option = f"{option}"[:width // 2 - 2] # Truncate option name if too long``
|
|
display_value = f"{current_value}"[:width // 2 - 4] # Truncate value if too long
|
|
|
|
try:
|
|
# Use red color for "Reboot" or "Shutdown"
|
|
color = get_color("settings_sensitive" if option in sensitive_settings else "settings_default", reverse = (idx == selected_index))
|
|
menu_pad.addstr(idx, 0, f"{display_option:<{width // 2 - 2}} {display_value}".ljust(width - 8), color)
|
|
except curses.error:
|
|
pass
|
|
|
|
# Show save option if applicable
|
|
if show_save_option:
|
|
save_position = height - 2
|
|
menu_win.addstr(save_position, (width - len(save_option)) // 2, save_option, get_color("settings_save", reverse = (selected_index == len(current_menu))))
|
|
|
|
menu_win.refresh()
|
|
menu_pad.refresh(0, 0,
|
|
menu_win.getbegyx()[0] + 3, menu_win.getbegyx()[1] + 4,
|
|
menu_win.getbegyx()[0] + 3 + menu_win.getmaxyx()[0] - 5 - (2 if show_save_option else 0), menu_win.getbegyx()[1] + menu_win.getmaxyx()[1] - 8)
|
|
|
|
return menu_win, menu_pad
|
|
|
|
|
|
def move_highlight(old_idx, new_idx, options, show_save_option, menu_win, menu_pad):
|
|
|
|
if(old_idx == new_idx): # no-op
|
|
return
|
|
|
|
max_index = len(options) + (1 if show_save_option else 0) - 1
|
|
|
|
if show_save_option and old_idx == max_index: # special case un-highlight "Save" option
|
|
menu_win.chgat(menu_win.getmaxyx()[0] - 2, (width - len(save_option)) // 2, len(save_option), get_color("settings_save"))
|
|
else:
|
|
menu_pad.chgat(old_idx, 0, menu_pad.getmaxyx()[1], get_color("settings_sensitive") if options[old_idx] in sensitive_settings else get_color("settings_default"))
|
|
|
|
if show_save_option and new_idx == max_index: # special case highlight "Save" option
|
|
menu_win.chgat(menu_win.getmaxyx()[0] - 2, (width - len(save_option)) // 2, len(save_option), get_color("settings_save", reverse = True))
|
|
else:
|
|
menu_pad.chgat(new_idx, 0,menu_pad.getmaxyx()[1], get_color("settings_sensitive", reverse=True) if options[new_idx] in sensitive_settings else get_color("settings_default", reverse = True))
|
|
|
|
menu_win.refresh()
|
|
|
|
start_index = max(0, new_idx - (menu_win.getmaxyx()[0] - 5 - (2 if show_save_option else 0)) - (1 if show_save_option and new_idx == max_index else 0)) # Leave room for borders
|
|
menu_pad.refresh(start_index, 0,
|
|
menu_win.getbegyx()[0] + 3, menu_win.getbegyx()[1] + 4,
|
|
menu_win.getbegyx()[0] + 3 + menu_win.getmaxyx()[0] - 5 - (2 if show_save_option else 0), menu_win.getbegyx()[1] + menu_win.getmaxyx()[1] - 8)
|
|
|
|
def settings_menu(stdscr, interface):
|
|
curses.update_lines_cols()
|
|
|
|
menu = generate_menu_from_protobuf(interface)
|
|
current_menu = menu["Main Menu"]
|
|
menu_path = ["Main Menu"]
|
|
menu_index = []
|
|
selected_index = 0
|
|
modified_settings = {}
|
|
|
|
need_redraw = True
|
|
show_save_option = False
|
|
|
|
while True:
|
|
if(need_redraw):
|
|
options = list(current_menu.keys())
|
|
|
|
show_save_option = (
|
|
len(menu_path) > 2 and ("Radio Settings" in menu_path or "Module Settings" in menu_path)
|
|
) or (
|
|
len(menu_path) == 2 and "User Settings" in menu_path
|
|
) or (
|
|
len(menu_path) == 3 and "Channels" in menu_path
|
|
)
|
|
|
|
# Display the menu
|
|
menu_win, menu_pad = display_menu(current_menu, menu_path, selected_index, show_save_option)
|
|
|
|
need_redraw = False
|
|
|
|
# Capture user input
|
|
key = menu_win.getch()
|
|
|
|
max_index = len(options) + (1 if show_save_option else 0) - 1
|
|
|
|
if key == curses.KEY_UP:
|
|
old_selected_index = selected_index
|
|
selected_index = max_index if selected_index == 0 else selected_index - 1
|
|
move_highlight(old_selected_index, selected_index, options, show_save_option, menu_win, menu_pad)
|
|
|
|
elif key == curses.KEY_DOWN:
|
|
old_selected_index = selected_index
|
|
selected_index = 0 if selected_index == max_index else selected_index + 1
|
|
move_highlight(old_selected_index, selected_index, options, show_save_option, menu_win, menu_pad)
|
|
|
|
elif key == curses.KEY_RESIZE:
|
|
need_redraw = True
|
|
curses.update_lines_cols()
|
|
|
|
elif key == ord("\t") and show_save_option:
|
|
old_selected_index = selected_index
|
|
selected_index = max_index
|
|
move_highlight(old_selected_index, selected_index, options, show_save_option, menu_win, menu_pad)
|
|
|
|
elif key == curses.KEY_RIGHT or key == ord('\n'):
|
|
need_redraw = True
|
|
menu_win.erase()
|
|
menu_win.refresh()
|
|
if show_save_option and selected_index == len(options):
|
|
save_changes(interface, menu_path, modified_settings)
|
|
modified_settings.clear()
|
|
logging.info("Changes Saved")
|
|
|
|
if len(menu_path) > 1:
|
|
menu_path.pop()
|
|
current_menu = menu["Main Menu"]
|
|
for step in menu_path[1:]:
|
|
current_menu = current_menu.get(step, {})
|
|
selected_index = 0
|
|
|
|
continue
|
|
|
|
selected_option = options[selected_index]
|
|
|
|
if selected_option == "Exit":
|
|
break
|
|
|
|
|
|
elif selected_option == "Export Config":
|
|
filename = get_text_input("Enter a filename for the config file")
|
|
|
|
if not filename:
|
|
logging.warning("Export aborted: No filename provided.")
|
|
continue # Go back to the menu
|
|
|
|
if not filename.lower().endswith(".yaml"):
|
|
filename += ".yaml"
|
|
|
|
try:
|
|
config_text = config_export(globals.interface)
|
|
app_directory = os.path.dirname(os.path.abspath(__file__))
|
|
config_folder = "node-configs"
|
|
yaml_file_path = os.path.join(app_directory, config_folder, filename)
|
|
|
|
if os.path.exists(yaml_file_path):
|
|
overwrite = get_list_input(f"{filename} already exists. Overwrite?", None, ["Yes", "No"])
|
|
if overwrite == "Yes":
|
|
logging.info("Export cancelled: User chose not to overwrite.")
|
|
continue # Return to menu
|
|
os.makedirs(os.path.dirname(yaml_file_path), exist_ok=True)
|
|
with open(yaml_file_path, "w", encoding="utf-8") as file:
|
|
file.write(config_text)
|
|
logging.info(f"Config file saved to {yaml_file_path}")
|
|
break
|
|
except PermissionError:
|
|
logging.error(f"Permission denied: Unable to write to {yaml_file_path}")
|
|
except OSError as e:
|
|
logging.error(f"OS error while saving config: {e}")
|
|
except Exception as e:
|
|
logging.error(f"Unexpected error: {e}")
|
|
continue
|
|
|
|
elif selected_option == "Load Config":
|
|
app_directory = os.path.dirname(os.path.abspath(__file__))
|
|
config_folder = "node-configs"
|
|
folder_path = os.path.join(app_directory, config_folder)
|
|
file_list = [f for f in os.listdir(folder_path) if os.path.isfile(os.path.join(folder_path, f))]
|
|
filename = get_list_input("Choose a config file", None, file_list)
|
|
if filename:
|
|
file_path = os.path.join(app_directory, config_folder, filename)
|
|
overwrite = get_list_input(f"Are you sure you want to load {filename}?", None, ["Yes", "No"])
|
|
if overwrite == "Yes":
|
|
config_import(globals.interface, file_path)
|
|
break
|
|
continue
|
|
|
|
elif selected_option == "Reboot":
|
|
confirmation = get_list_input("Are you sure you want to Reboot?", None, ["Yes", "No"])
|
|
if confirmation == "Yes":
|
|
interface.localNode.reboot()
|
|
logging.info(f"Node Reboot Requested by menu")
|
|
break
|
|
continue
|
|
elif selected_option == "Reset Node DB":
|
|
confirmation = get_list_input("Are you sure you want to Reset Node DB?", None, ["Yes", "No"])
|
|
if confirmation == "Yes":
|
|
interface.localNode.resetNodeDb()
|
|
logging.info(f"Node DB Reset Requested by menu")
|
|
break
|
|
continue
|
|
elif selected_option == "Shutdown":
|
|
confirmation = get_list_input("Are you sure you want to Shutdown?", None, ["Yes", "No"])
|
|
if confirmation == "Yes":
|
|
interface.localNode.shutdown()
|
|
logging.info(f"Node Shutdown Requested by menu")
|
|
break
|
|
continue
|
|
elif selected_option == "Factory Reset":
|
|
confirmation = get_list_input("Are you sure you want to Factory Reset?", None, ["Yes", "No"])
|
|
if confirmation == "Yes":
|
|
interface.localNode.factoryReset()
|
|
logging.info(f"Factory Reset Requested by menu")
|
|
break
|
|
continue
|
|
elif selected_option == "App Settings":
|
|
menu_win.clear()
|
|
menu_win.refresh()
|
|
json_editor(stdscr) # Open the App Settings menu
|
|
continue
|
|
# need_redraw = True
|
|
|
|
field_info = current_menu.get(selected_option)
|
|
if isinstance(field_info, tuple):
|
|
field, current_value = field_info
|
|
|
|
if selected_option in ['longName', 'shortName', 'isLicensed']:
|
|
if selected_option in ['longName', 'shortName']:
|
|
new_value = get_text_input(f"Current value for {selected_option}: {current_value}")
|
|
new_value = current_value if new_value is None else new_value
|
|
current_menu[selected_option] = (field, new_value)
|
|
|
|
elif selected_option == 'isLicensed':
|
|
new_value = get_list_input(f"Current value for {selected_option}: {current_value}", str(current_value), ["True", "False"])
|
|
new_value = new_value == "True"
|
|
current_menu[selected_option] = (field, new_value)
|
|
|
|
for option, (field, value) in current_menu.items():
|
|
modified_settings[option] = value
|
|
|
|
elif selected_option in ['latitude', 'longitude', 'altitude']:
|
|
new_value = get_text_input(f"Current value for {selected_option}: {current_value}")
|
|
new_value = current_value if new_value is None else new_value
|
|
current_menu[selected_option] = (field, new_value)
|
|
|
|
for option in ['latitude', 'longitude', 'altitude']:
|
|
if option in current_menu:
|
|
modified_settings[option] = current_menu[option][1]
|
|
|
|
elif field.type == 8: # Handle boolean type
|
|
new_value = get_list_input(selected_option, str(current_value), ["True", "False"])
|
|
new_value = new_value == "True" or new_value is True
|
|
|
|
elif field.label == field.LABEL_REPEATED: # Handle repeated field
|
|
new_value = get_repeated_input(current_value)
|
|
new_value = current_value if new_value is None else [int(item) for item in new_value]
|
|
|
|
elif field.enum_type: # Enum field
|
|
enum_options = {v.name: v.number for v in field.enum_type.values}
|
|
new_value_name = get_list_input(selected_option, current_value, list(enum_options.keys()))
|
|
new_value = enum_options.get(new_value_name, current_value)
|
|
|
|
elif field.type == 7: # Field type 7 corresponds to FIXED32
|
|
new_value = get_fixed32_input(current_value)
|
|
|
|
elif field.type == 13: # Field type 13 corresponds to UINT32
|
|
new_value = get_text_input(f"Current value for {selected_option}: {current_value}")
|
|
new_value = current_value if new_value is None else int(new_value)
|
|
|
|
elif field.type == 2: # Field type 13 corresponds to INT64
|
|
new_value = get_text_input(f"Current value for {selected_option}: {current_value}")
|
|
new_value = current_value if new_value is None else float(new_value)
|
|
|
|
else: # Handle other field types
|
|
new_value = get_text_input(f"Current value for {selected_option}: {current_value}")
|
|
new_value = current_value if new_value is None else new_value
|
|
|
|
for key in menu_path[3:]: # Skip "Main Menu"
|
|
modified_settings = modified_settings.setdefault(key, {})
|
|
|
|
# Add the new value to the appropriate level
|
|
modified_settings[selected_option] = new_value
|
|
|
|
# Convert enum string to int
|
|
if field and field.enum_type:
|
|
enum_value_descriptor = field.enum_type.values_by_number.get(new_value)
|
|
new_value = enum_value_descriptor.name if enum_value_descriptor else new_value
|
|
|
|
current_menu[selected_option] = (field, new_value)
|
|
else:
|
|
current_menu = current_menu[selected_option]
|
|
menu_path.append(selected_option)
|
|
menu_index.append(selected_index)
|
|
selected_index = 0
|
|
|
|
elif key == curses.KEY_LEFT:
|
|
need_redraw = True
|
|
|
|
menu_win.erase()
|
|
menu_win.refresh()
|
|
|
|
if len(menu_path) < 2:
|
|
modified_settings.clear()
|
|
|
|
# Navigate back to the previous menu
|
|
if len(menu_path) > 1:
|
|
menu_path.pop()
|
|
current_menu = menu["Main Menu"]
|
|
for step in menu_path[1:]:
|
|
current_menu = current_menu.get(step, {})
|
|
selected_index = menu_index.pop()
|
|
|
|
elif key == 27: # Escape key
|
|
menu_win.erase()
|
|
menu_win.refresh()
|
|
break
|
|
|
|
|
|
def main(stdscr):
|
|
logging.basicConfig( # Run `tail -f client.log` in another terminal to view live
|
|
filename="settings.log",
|
|
level=logging.INFO, # DEBUG, INFO, WARNING, ERROR, CRITICAL)
|
|
format="%(asctime)s - %(levelname)s - %(message)s"
|
|
)
|
|
setup_colors()
|
|
curses.curs_set(0)
|
|
stdscr.keypad(True)
|
|
|
|
parser = setup_parser()
|
|
args = parser.parse_args()
|
|
globals.interface = initialize_interface(args)
|
|
|
|
settings_menu(stdscr, globals.interface)
|
|
|
|
if __name__ == "__main__":
|
|
curses.wrapper(main)
|