UI: Final Pip-Boy theme adjustments and ASCII fix
All checks were successful
Build Tamigo CLI / Build Linux Binary (push) Successful in 49s
Build Tamigo CLI / Build Windows Binary (push) Successful in 41s
Release Tamigo CLI / Build & Release Linux (release) Successful in 41s
Release Tamigo CLI / Build & Release Windows (release) Successful in 38s

This commit is contained in:
Daniel Dybing
2026-03-11 21:30:30 +01:00
parent 4ca3e7b29c
commit 0271432b23

347
tamigo.py
View File

@@ -14,8 +14,26 @@ from dotenv import load_dotenv
# Load environment variables from .env if it exists # Load environment variables from .env if it exists
load_dotenv() load_dotenv()
# Fallout Pip-Boy Style Theme CONFIG_FILE = "config.json"
fallout_theme = Theme({
def load_config():
if os.path.exists(CONFIG_FILE):
try:
with open(CONFIG_FILE, "r") as f:
return json.load(f)
except:
pass
return {"theme": "fallout"} # Default to fallout because it's cooler
def save_config(config):
with open(CONFIG_FILE, "w") as f:
json.dump(config, f)
# --- Themes ---
THEMES = {
"fallout": {
"rich": Theme({
"info": "bold green", "info": "bold green",
"warning": "bold yellow", "warning": "bold yellow",
"error": "bold red", "error": "bold red",
@@ -24,62 +42,81 @@ fallout_theme = Theme({
"highlight": "bold #33ff33", "highlight": "bold #33ff33",
"table.header": "bold #33ff33", "table.header": "bold #33ff33",
"table.title": "bold #33ff33", "table.title": "bold #33ff33",
}) }),
"questionary": questionary.Style([
('qmark', 'fg:#33ff33 bold'),
('question', 'fg:#33ff33 bold'),
('answer', 'fg:#ffb000 bold'),
('pointer', 'fg:#33ff33 bold'),
('highlighted', 'fg:#000000 bg:#33ff33 bold'), # Reversed: Black on Green
('selected', 'fg:#33ff33'),
('separator', 'fg:#004400'),
('instruction', 'fg:#004400 italic'),
('text', 'fg:#ffb000'),
('disabled', 'fg:#004400 italic')
]),
"header_text": "[bold #33ff33]ROBCO INDUSTRIES (TM) TERMLINK PROTOCOL[/bold #33ff33]",
"welcome_text": "[highlight]WELCOME TO TAMIGO-OS v1.0.0[/highlight]"
},
"normal": {
"rich": Theme({
"info": "blue",
"warning": "yellow",
"error": "red",
"success": "green",
"dim": "dim white",
"highlight": "bold blue",
"table.header": "bold magenta",
"table.title": "bold cyan",
}),
"questionary": questionary.Style([]), # Default style
"header_text": "[bold blue]Tamigo CLI Official Interface[/bold blue]",
"welcome_text": "[bold blue]Welcome to Tamigo CLI[/bold blue]"
}
}
console = Console(theme=fallout_theme) # Initialize with default or loaded config
current_config = load_config()
current_theme_name = current_config.get("theme", "fallout")
theme_data = THEMES[current_theme_name]
console = Console(theme=theme_data["rich"])
# Questionary custom style PIPO_ART = r"""
custom_style = questionary.Style([
('qmark', 'fg:#33ff33 bold'), # token in front of the question
('question', 'fg:#33ff33 bold'), # question text
('answer', 'fg:#33ff33'), # submitted answer text behind the question
('pointer', 'fg:#33ff33 bold'), # pointer used in select input
('highlighted', 'fg:#000000 bg:#33ff33 bold'), # pointed-at choice in select and checkbox
('selected', 'fg:#33ff33'), # pointed-at choice in select and checkbox
('separator', 'fg:#004400'), # separator in lists
('instruction', 'fg:#004400 italic'), # user instructions for checkbox, reorder, etc.
('text', 'fg:#33ff33'), # plain text
('disabled', 'fg:#004400 italic') # disabled choices for select and checkbox
])
PIPO_ART = """
_____ __ __ _____ _____ ____ _____ __ __ _____ _____ ____
|_ _| /\ | \/ |_ _/ ____|/ __ \ |_ _| /\ | \/ |_ _/ ____|/ __ \
| | / \ | \ / | | || | __| | | | | | / \ | \ / | | || | __| | | |
| | / /\ \ | |\/| | | || | |_ | | | | | | / /\ \ | |\/| | | || | |_ | | | |
_| |_ / ____ \| | | |_| || |__| | |__| | _| |_ / ____ \| | | |_| || |__| | |__| |
|_____/_/ \_\_| |_|_____\_____|\____/ |_____/_/ \_\_| |_|_____\_____|\____/
[bold #33ff33]ROBCO INDUSTRIES (TM) TERMLINK PROTOCOL[/bold #33ff33]
""" """
def print_header():
if current_theme_name == "fallout":
console.print(Panel(Text(PIPO_ART, style="highlight"), border_style="highlight", expand=False))
console.print(theme_data["header_text"])
console.print("[dim]-------------------------------------------[/dim]")
console.print(theme_data["welcome_text"])
console.print("[dim]-------------------------------------------[/dim]\n")
# Re-initialize globals when theme changes
def apply_theme(name):
global console, theme_data, current_theme_name
current_theme_name = name
theme_data = THEMES[name]
console = Console(theme=theme_data["rich"])
current_config["theme"] = name
save_config(current_config)
BASE_URL = "https://api.tamigo.com" BASE_URL = "https://api.tamigo.com"
def print_header():
console.print(PIPO_ART, style="highlight")
console.print("[dim]-------------------------------------------[/dim]")
console.print("[highlight]WELCOME TO TAMIGO-OS v1.0.0[/highlight]")
console.print("[dim]-------------------------------------------[/dim]\n")
def parse_tamigo_date(date_str): def parse_tamigo_date(date_str):
""" if not date_str: return None
Parses Tamigo date formats:
- /Date(1600898400000+0200)/
- 2023-10-27T08:00:00
"""
if not date_str:
return None
# Handle /Date(1600898400000+0200)/
match = re.search(r"/Date\((\d+)([+-]\d+)?\)/", date_str) match = re.search(r"/Date\((\d+)([+-]\d+)?\)/", date_str)
if match: if match:
ms = int(match.group(1)) ms = int(match.group(1))
# Convert ms to seconds
return datetime.fromtimestamp(ms / 1000.0) return datetime.fromtimestamp(ms / 1000.0)
# Handle ISO format
try: try:
# datetime.fromisoformat handles T and optional Z/+offset in Python 3.7+
return datetime.fromisoformat(date_str.replace("Z", "+00:00")) return datetime.fromisoformat(date_str.replace("Z", "+00:00"))
except: except:
return None return None
@@ -88,242 +125,132 @@ class TamigoClient:
def __init__(self): def __init__(self):
self.session_token = None self.session_token = None
self.user_info = None self.user_info = None
self.employee_id = None
def login(self, email, password): def login(self, email, password):
urls = [ urls = [f"{BASE_URL}/login/application", f"{BASE_URL}/Login", f"{BASE_URL}/login"]
f"{BASE_URL}/login/application",
f"{BASE_URL}/Login",
f"{BASE_URL}/login",
]
for url in urls: for url in urls:
payload = { payload = {"Email": email, "Password": password, "Name": "TamigoCLI", "Key": password}
"Email": email,
"Password": password,
"Name": "TamigoCLI",
"Key": password
}
try: try:
headers = { headers = {"Content-Type": "application/json", "Accept": "application/json"}
"Content-Type": "application/json",
"Accept": "application/json"
}
response = requests.post(url, json=payload, headers=headers, timeout=15) response = requests.post(url, json=payload, headers=headers, timeout=15)
if response.status_code == 200: if response.status_code == 200:
try:
data = response.json() data = response.json()
self.session_token = data.get("SessionToken") or data.get("securitytoken") or data.get("Token") self.session_token = data.get("SessionToken") or data.get("securitytoken") or data.get("Token")
if self.session_token: if self.session_token:
self.user_info = data self.user_info = data
self.employee_id = data.get("EmployeeId")
return True return True
except json.JSONDecodeError: except: continue
text = response.text.strip().strip('"')
if text and len(text) > 20:
self.session_token = text
self.user_info = {"Email": email}
return True
except:
continue
return False return False
def get_employee_actual_shifts(self, start_date_dt, end_date_dt): def get_employee_actual_shifts(self, start_date_dt, end_date_dt):
if not self.session_token: if not self.session_token: return None
return None headers = {"x-tamigo-token": self.session_token, "securitytoken": self.session_token, "Accept": "application/json"}
headers = {
"x-tamigo-token": self.session_token,
"securitytoken": self.session_token,
"Accept": "application/json"
}
all_shifts = [] all_shifts = []
days_diff = (end_date_dt - start_date_dt).days days_diff = (end_date_dt - start_date_dt).days
for i in range(0, days_diff + 1, 60): for i in range(0, days_diff + 1, 60):
target_date = (end_date_dt - timedelta(days=i)).strftime("%Y-%m-%d") target_date = (end_date_dt - timedelta(days=i)).strftime("%Y-%m-%d")
current_dt = end_date_dt - timedelta(days=i) if (end_date_dt - timedelta(days=i)) < start_date_dt - timedelta(days=60): break
if current_dt < start_date_dt - timedelta(days=60):
break
url = f"{BASE_URL}/actualshifts/past/{target_date}"
try: try:
response = requests.get(url, headers=headers) response = requests.get(f"{BASE_URL}/actualshifts/past/{target_date}", headers=headers)
if response.status_code == 200: if response.status_code == 200: all_shifts.extend(response.json())
data = response.json()
if isinstance(data, list):
all_shifts.extend(data)
elif response.status_code == 401: elif response.status_code == 401:
response = requests.get(url, params={"securitytoken": self.session_token}) resp = requests.get(f"{BASE_URL}/actualshifts/past/{target_date}", params={"securitytoken": self.session_token})
if response.status_code == 200: if resp.status_code == 200: all_shifts.extend(resp.json())
all_shifts.extend(response.json()) except: pass
except:
pass
start_str = start_date_dt.strftime("%Y-%m-%d")
end_str = end_date_dt.strftime("%Y-%m-%d")
url_period = f"{BASE_URL}/shifts/period/{start_str}/{end_str}"
try: try:
response = requests.get(url_period, headers=headers) response = requests.get(f"{BASE_URL}/shifts/period/{start_date_dt.strftime('%Y-%m-%d')}/{end_date_dt.strftime('%Y-%m-%d')}", headers=headers)
if response.status_code == 200: if response.status_code == 200: all_shifts.extend(response.json())
data = response.json() except: pass
if isinstance(data, list):
all_shifts.extend(data)
except:
pass
return all_shifts return all_shifts
def calculate_checkins(client): def calculate_checkins(client):
range_choice = questionary.select( range_choice = questionary.select(
"SELECT TEMPORAL RANGE:", "SELECT TEMPORAL RANGE:" if current_theme_name == "fallout" else "Select period:",
choices=[ choices=["Last 365 days", "Last 30 days", "This Month", "This Year", "Custom range..."],
"Last 365 days", style=theme_data["questionary"]
"Last 30 days",
"This Month",
"This Year",
"Custom range..."
],
style=custom_style
).ask() ).ask()
end_date_dt = datetime.now() end_date_dt = datetime.now()
if range_choice == "Last 365 days": start_date_dt = end_date_dt - timedelta(days=365)
if range_choice == "Last 365 days": elif range_choice == "Last 30 days": start_date_dt = end_date_dt - timedelta(days=30)
start_date_dt = end_date_dt - timedelta(days=365) elif range_choice == "This Month": start_date_dt = end_date_dt.replace(day=1)
elif range_choice == "Last 30 days": elif range_choice == "This Year": start_date_dt = end_date_dt.replace(month=1, day=1)
start_date_dt = end_date_dt - timedelta(days=30)
elif range_choice == "This Month":
start_date_dt = end_date_dt.replace(day=1)
elif range_choice == "This Year":
start_date_dt = end_date_dt.replace(month=1, day=1)
else: else:
while True: while True:
start_str = questionary.text("ENTER START DATE (YYYY-MM-DD):", default=(datetime.now() - timedelta(days=30)).strftime("%Y-%m-%d"), style=custom_style).ask() start_str = questionary.text("ENTER START DATE (YYYY-MM-DD):" if current_theme_name == "fallout" else "Start date (YYYY-MM-DD):", default=(datetime.now() - timedelta(days=30)).strftime("%Y-%m-%d"), style=theme_data["questionary"]).ask()
end_str = questionary.text("ENTER END DATE (YYYY-MM-DD):", default=datetime.now().strftime("%Y-%m-%d"), style=custom_style).ask() end_str = questionary.text("ENTER END DATE (YYYY-MM-DD):" if current_theme_name == "fallout" else "End date (YYYY-MM-DD):", default=datetime.now().strftime("%Y-%m-%d"), style=theme_data["questionary"]).ask()
try: try:
start_date_dt = datetime.strptime(start_str, "%Y-%m-%d") start_date_dt, end_date_dt = datetime.strptime(start_str, "%Y-%m-%d"), datetime.strptime(end_str, "%Y-%m-%d")
end_date_dt = datetime.strptime(end_str, "%Y-%m-%d") if start_date_dt <= end_date_dt: break
if start_date_dt > end_date_dt: console.print("[error]ERROR: INVALID CHRONOLOGY.[/error]")
console.print("[error]ERROR: INVALID CHRONOLOGY. START MUST PRECEDE END.[/error]") except: console.print("[error]ERROR: INVALID DATA FORMAT.[/error]")
continue
break
except ValueError:
console.print("[error]ERROR: INVALID DATA FORMAT. USE YYYY-MM-DD.[/error]")
with console.status(f"[highlight]INITIALIZING DATA RETRIEVAL...[/highlight]"): with console.status("[highlight]INITIALIZING DATA RETRIEVAL...[/highlight]" if current_theme_name == "fallout" else "Fetching data..."):
data = client.get_employee_actual_shifts(start_date_dt, end_date_dt) data = client.get_employee_actual_shifts(start_date_dt, end_date_dt)
if data: if data:
work_days = {} work_days = {}
requested_start = start_date_dt.date()
requested_end = end_date_dt.date()
for item in data: for item in data:
raw_date = item.get("Date") or item.get("StartTime") or item.get("CheckInTime") dt = parse_tamigo_date(item.get("Date") or item.get("StartTime") or item.get("CheckInTime"))
dt = parse_tamigo_date(raw_date) if dt and start_date_dt.date() <= dt.date() <= end_date_dt.date():
if dt:
item_date = dt.date()
if not (requested_start <= item_date <= requested_end):
continue
date_str = dt.strftime("%Y-%m-%d") date_str = dt.strftime("%Y-%m-%d")
is_absent = item.get("IsAbsent", False) hours = float(item.get("ActualShiftHours") or item.get("CheckInOutShiftHours") or item.get("Hours") or 0)
hours = (item.get("ActualShiftHours") or item.get("CheckInOutShiftHours") or item.get("Hours") or 0)
if hours == 0 and item.get("StartTime") and item.get("EndTime"): if hours == 0 and item.get("StartTime") and item.get("EndTime"):
st = parse_tamigo_date(item.get("StartTime")) st, et = parse_tamigo_date(item.get("StartTime")), parse_tamigo_date(item.get("EndTime"))
et = parse_tamigo_date(item.get("EndTime")) if st and et: hours = (et - st).total_seconds() / 3600.0
if st and et: if (hours > 0 or item.get("CheckInTime") or item.get("ActualStartTime") or item.get("StartTime")) and not item.get("IsAbsent", False):
hours = (et - st).total_seconds() / 3600.0 if date_str not in work_days: work_days[date_str] = {"hours": hours, "text": item.get("ActualShiftText") or item.get("ActivityName") or "WORKED"}
else: work_days[date_str]["hours"] += hours
has_actual = False
if hours > 0 or item.get("CheckInTime") or item.get("ActualStartTime") or (item.get("StartTime") and not is_absent):
has_actual = True
if has_actual and not is_absent:
if date_str not in work_days:
work_days[date_str] = {"hours": float(hours), "text": item.get("ActualShiftText") or item.get("ActivityName") or "WORKED"}
else:
work_days[date_str]["hours"] += float(hours)
if not work_days: if not work_days:
console.print("[warning]WARNING: NO LOG ENTRIES DETECTED FOR SPECIFIED PARAMETERS.[/warning]") console.print("[warning]WARNING: NO LOG ENTRIES DETECTED.[/warning]")
return return
all_dates = sorted(work_days.keys(), reverse=True) all_dates = sorted(work_days.keys(), reverse=True)
table = Table(title="LOG ENTRIES: ACTUAL WORKED SHIFTS" if current_theme_name == "fallout" else "Recent Work Days", show_header=True, header_style="table.header", box=None if current_theme_name == "fallout" else None)
table = Table(title="LOG ENTRIES: ACTUAL WORKED SHIFTS", show_header=True, header_style="table.header", box=None)
table.add_column("DATE", style="highlight") table.add_column("DATE", style="highlight")
table.add_column("HOURS", justify="right") table.add_column("HOURS", justify="right")
table.add_column("DETAILS", style="dim") table.add_column("DETAILS", style="dim")
for day in all_dates: for day in all_dates:
info = work_days[day] info = work_days[day]
table.add_row(day, f"{info['hours']:.2f}", str(info['text']).upper()) table.add_row(day, f"{info['hours']:.2f}", str(info['text']).upper() if current_theme_name == "fallout" else str(info['text']))
console.print(table) console.print(table)
summary_text = f"PERIOD: {start_date_dt.strftime('%Y-%m-%d')} TO {end_date_dt.strftime('%Y-%m-%d')}\n" summary_text = f"PERIOD: {start_date_dt.strftime('%Y-%m-%d')} TO {end_date_dt.strftime('%Y-%m-%d')}\nDAYS WORKED: {len(all_dates)}\nTOTAL HOURS: {sum(d['hours'] for d in work_days.values()):.2f}"
summary_text += f"DAYS WORKED: {len(all_dates)}\n" console.print(Panel(summary_text, title="SUMMARY STATISTICS" if current_theme_name == "fallout" else "Work Statistics", border_style="highlight", expand=False))
summary_text += f"TOTAL HOURS: {sum(d['hours'] for d in work_days.values()):.2f}" else: console.print("[error]FATAL ERROR: DATA RETRIEVAL FAILURE.[/error]")
console.print(Panel(summary_text, title="SUMMARY STATISTICS", border_style="highlight", expand=False))
else:
console.print("[error]FATAL ERROR: DATA RETRIEVAL FAILURE.[/error]")
def show_profile(client):
if client.user_info:
console.print_json(data=client.user_info)
else:
console.print("[error]ERROR: ACCESS DENIED. SESSION TOKEN NOT FOUND.[/error]")
def main(): def main():
print_header() print_header()
client = TamigoClient() client = TamigoClient()
email = os.getenv("TAMIGO_EMAIL") or questionary.text("ENTER IDENTIFIER (EMAIL):" if current_theme_name == "fallout" else "Email:", style=theme_data["questionary"]).ask()
email = os.getenv("TAMIGO_EMAIL") password = os.getenv("TAMIGO_PASSWORD") or questionary.password("ENTER ACCESS KEY:" if current_theme_name == "fallout" else "Password:", style=theme_data["questionary"]).ask()
if not email: if not email or not password: return
email = questionary.text("ENTER IDENTIFIER (EMAIL):", style=custom_style).ask() with console.status("[highlight]AUTHENTICATING...[/highlight]" if current_theme_name == "fallout" else "Logging in..."):
password = os.getenv("TAMIGO_PASSWORD")
if not password:
password = questionary.password("ENTER ACCESS KEY:", style=custom_style).ask()
if not email or not password:
return
with console.status("[highlight]AUTHENTICATING WITH VAULT-TEC CLOUD...[/highlight]"):
success = client.login(email, password) success = client.login(email, password)
if success: if success:
console.print("[success]AUTHENTICATION SUCCESSFUL. ACCESS GRANTED.[/success]") console.print("[success]AUTHENTICATION SUCCESSFUL.[/success]" if current_theme_name == "fallout" else "[success]Login successful![/success]")
menu(client) menu(client)
else: else: console.print("[error]CRITICAL FAILURE: INVALID CREDENTIALS.[/error]")
console.print("[error]CRITICAL FAILURE: INVALID CREDENTIALS.[/error]")
def menu(client): def menu(client):
while True: while True:
choice = questionary.select( choice = questionary.select(
"SELECT ACTION:", "SELECT ACTION:" if current_theme_name == "fallout" else "What would you like to do?",
choices=[ choices=["Calculate actual work days", "Show profile info", "Switch UI Theme", "Logout and Exit"],
"Calculate actual work days", style=theme_data["questionary"]
"Show profile info",
"Logout and Exit"
],
style=custom_style
).ask() ).ask()
if choice == "Calculate actual work days": if choice == "Calculate actual work days": calculate_checkins(client)
calculate_checkins(client)
elif choice == "Show profile info": elif choice == "Show profile info":
show_profile(client) if client.user_info: console.print_json(data=client.user_info)
else: console.print("[error]ERROR: NO PROFILE INFO.[/error]")
elif choice == "Switch UI Theme":
new_theme = "normal" if current_theme_name == "fallout" else "fallout"
apply_theme(new_theme)
console.print(f"[success]UI THEME SET TO: {new_theme.upper()}[/success]")
else: else:
console.print("[highlight]SYSTEM SHUTDOWN INITIATED...[/highlight]") console.print("[highlight]SYSTEM SHUTDOWN...[/highlight]" if current_theme_name == "fallout" else "Exiting...")
break break
if __name__ == "__main__": if __name__ == "__main__":