2023-05-02 12:25:07 +09:00
|
|
|
# pylint: disable=line-too-long, wrong-import-order
|
|
|
|
|
|
|
|
|
|
import headscale, helper, pytz, os, yaml, logging, json
|
|
|
|
|
from flask import Flask, Markup, render_template
|
|
|
|
|
from datetime import datetime
|
|
|
|
|
from dateutil import parser
|
|
|
|
|
from concurrent.futures import ALL_COMPLETED, wait
|
|
|
|
|
from flask_executor import Executor
|
|
|
|
|
|
|
|
|
|
LOG_LEVEL = os.environ["LOG_LEVEL"].replace('"', '').upper()
|
|
|
|
|
# Initiate the Flask application and logging:
|
|
|
|
|
app = Flask(__name__, static_url_path="/static")
|
|
|
|
|
match LOG_LEVEL:
|
|
|
|
|
case "DEBUG" : app.logger.setLevel(logging.DEBUG)
|
|
|
|
|
case "INFO" : app.logger.setLevel(logging.INFO)
|
|
|
|
|
case "WARNING" : app.logger.setLevel(logging.WARNING)
|
|
|
|
|
case "ERROR" : app.logger.setLevel(logging.ERROR)
|
|
|
|
|
case "CRITICAL": app.logger.setLevel(logging.CRITICAL)
|
|
|
|
|
executor = Executor(app)
|
|
|
|
|
|
|
|
|
|
def render_overview():
|
|
|
|
|
app.logger.info("Rendering the Overview page")
|
|
|
|
|
url = headscale.get_url()
|
|
|
|
|
api_key = headscale.get_api_key()
|
|
|
|
|
|
|
|
|
|
timezone = pytz.timezone(os.environ["TZ"] if os.environ["TZ"] else "UTC")
|
|
|
|
|
local_time = timezone.localize(datetime.now())
|
|
|
|
|
|
|
|
|
|
# Overview page will just read static information from the config file and display it
|
|
|
|
|
# Open the config.yaml and parse it.
|
|
|
|
|
config_file = ""
|
|
|
|
|
try:
|
|
|
|
|
config_file = open("/etc/headscale/config.yml", "r")
|
|
|
|
|
app.logger.info("Opening /etc/headscale/config.yml")
|
|
|
|
|
except:
|
|
|
|
|
config_file = open("/etc/headscale/config.yaml", "r")
|
|
|
|
|
app.logger.info("Opening /etc/headscale/config.yaml")
|
|
|
|
|
config_yaml = yaml.safe_load(config_file)
|
|
|
|
|
|
|
|
|
|
# Get and display the following information:
|
|
|
|
|
# Overview of the server's machines, users, preauth keys, API key expiration, server version
|
|
|
|
|
|
|
|
|
|
# Get all machines:
|
|
|
|
|
machines = headscale.get_machines(url, api_key)
|
|
|
|
|
machines_count = len(machines["machines"])
|
2023-02-06 04:58:09 +00:00
|
|
|
|
2023-03-03 13:05:15 +09:00
|
|
|
# Need to check if routes are attached to an active machine:
|
2023-05-02 12:25:07 +09:00
|
|
|
# ISSUE: https://github.com/iFargle/headscale-webui/issues/36
|
|
|
|
|
# ISSUE: https://github.com/juanfont/headscale/issues/1228
|
2023-03-03 13:05:15 +09:00
|
|
|
|
2023-02-06 04:58:09 +00:00
|
|
|
# Get all routes:
|
2023-05-02 12:25:07 +09:00
|
|
|
routes = headscale.get_routes(url,api_key)
|
|
|
|
|
|
|
|
|
|
total_routes = 0
|
|
|
|
|
for route in routes["routes"]:
|
|
|
|
|
if int(route['machine']['id']) != 0:
|
|
|
|
|
total_routes += 1
|
|
|
|
|
|
|
|
|
|
enabled_routes = 0
|
|
|
|
|
for route in routes["routes"]:
|
|
|
|
|
if route["enabled"] and route['advertised'] and int(route['machine']['id']) != 0:
|
|
|
|
|
enabled_routes += 1
|
2023-02-06 04:58:09 +00:00
|
|
|
|
|
|
|
|
# Get a count of all enabled exit routes
|
|
|
|
|
exits_count = 0
|
|
|
|
|
exits_enabled_count = 0
|
2023-05-02 12:25:07 +09:00
|
|
|
for route in routes["routes"]:
|
|
|
|
|
if route['advertised'] and int(route['machine']['id']) != 0:
|
|
|
|
|
if route["prefix"] == "0.0.0.0/0" or route["prefix"] == "::/0":
|
|
|
|
|
exits_count +=1
|
|
|
|
|
if route["enabled"]:
|
2023-02-06 04:58:09 +00:00
|
|
|
exits_enabled_count += 1
|
|
|
|
|
|
|
|
|
|
# Get User and PreAuth Key counts
|
2023-05-02 12:25:07 +09:00
|
|
|
user_count = 0
|
|
|
|
|
usable_keys_count = 0
|
|
|
|
|
users = headscale.get_users(url, api_key)
|
|
|
|
|
for user in users["users"]:
|
|
|
|
|
user_count +=1
|
|
|
|
|
preauth_keys = headscale.get_preauth_keys(url, api_key, user["name"])
|
|
|
|
|
for key in preauth_keys["preAuthKeys"]:
|
|
|
|
|
expiration_parse = parser.parse(key["expiration"])
|
|
|
|
|
key_expired = True if expiration_parse < local_time else False
|
|
|
|
|
if key["reusable"] and not key_expired: usable_keys_count += 1
|
|
|
|
|
if not key["reusable"] and not key["used"] and not key_expired: usable_keys_count += 1
|
|
|
|
|
|
|
|
|
|
# General Content variables:
|
|
|
|
|
ip_prefixes, server_url, disable_check_updates, ephemeral_node_inactivity_timeout, node_update_check_interval = "N/A", "N/A", "N/A", "N/A", "N/A"
|
|
|
|
|
if "ip_prefixes" in config_yaml: ip_prefixes = str(config_yaml["ip_prefixes"])
|
|
|
|
|
if "server_url" in config_yaml: server_url = str(config_yaml["server_url"])
|
|
|
|
|
if "disable_check_updates" in config_yaml: disable_check_updates = str(config_yaml["disable_check_updates"])
|
|
|
|
|
if "ephemeral_node_inactivity_timeout" in config_yaml: ephemeral_node_inactivity_timeout = str(config_yaml["ephemeral_node_inactivity_timeout"])
|
|
|
|
|
if "node_update_check_interval" in config_yaml: node_update_check_interval = str(config_yaml["node_update_check_interval"])
|
|
|
|
|
|
|
|
|
|
# OIDC Content variables:
|
|
|
|
|
issuer, client_id, scope, use_expiry_from_token, expiry = "N/A", "N/A", "N/A", "N/A", "N/A"
|
|
|
|
|
if "oidc" in config_yaml:
|
|
|
|
|
if "issuer" in config_yaml["oidc"] : issuer = str(config_yaml["oidc"]["issuer"])
|
|
|
|
|
if "client_id" in config_yaml["oidc"] : client_id = str(config_yaml["oidc"]["client_id"])
|
|
|
|
|
if "scope" in config_yaml["oidc"] : scope = str(config_yaml["oidc"]["scope"])
|
|
|
|
|
if "use_expiry_from_token" in config_yaml["oidc"] : use_expiry_from_token = str(config_yaml["oidc"]["use_expiry_from_token"])
|
|
|
|
|
if "expiry" in config_yaml["oidc"] : expiry = str(config_yaml["oidc"]["expiry"])
|
|
|
|
|
|
|
|
|
|
# Embedded DERP server information.
|
|
|
|
|
enabled, region_id, region_code, region_name, stun_listen_addr = "N/A", "N/A", "N/A", "N/A", "N/A"
|
|
|
|
|
if "derp" in config_yaml:
|
|
|
|
|
if "server" in config_yaml["derp"] and config_yaml["derp"]["server"]["enabled"]:
|
|
|
|
|
if "enabled" in config_yaml["derp"]["server"]: enabled = str(config_yaml["derp"]["server"]["enabled"])
|
|
|
|
|
if "region_id" in config_yaml["derp"]["server"]: region_id = str(config_yaml["derp"]["server"]["region_id"])
|
|
|
|
|
if "region_code" in config_yaml["derp"]["server"]: region_code = str(config_yaml["derp"]["server"]["region_code"])
|
|
|
|
|
if "region_name" in config_yaml["derp"]["server"]: region_name = str(config_yaml["derp"]["server"]["region_name"])
|
|
|
|
|
if "stun_listen_addr" in config_yaml["derp"]["server"]: stun_listen_addr = str(config_yaml["derp"]["server"]["stun_listen_addr"])
|
|
|
|
|
|
|
|
|
|
nameservers, magic_dns, domains, base_domain = "N/A", "N/A", "N/A", "N/A"
|
|
|
|
|
if "dns_config" in config_yaml:
|
|
|
|
|
if "nameservers" in config_yaml["dns_config"]: nameservers = str(config_yaml["dns_config"]["nameservers"])
|
|
|
|
|
if "magic_dns" in config_yaml["dns_config"]: magic_dns = str(config_yaml["dns_config"]["magic_dns"])
|
|
|
|
|
if "domains" in config_yaml["dns_config"]: domains = str(config_yaml["dns_config"]["domains"])
|
|
|
|
|
if "base_domain" in config_yaml["dns_config"]: base_domain = str(config_yaml["dns_config"]["base_domain"])
|
2023-02-23 14:29:35 +09:00
|
|
|
|
|
|
|
|
# Start putting the content together
|
2023-05-02 12:25:07 +09:00
|
|
|
overview_content = """
|
|
|
|
|
<div class="row">
|
|
|
|
|
<div class="col s1"></div>
|
|
|
|
|
<div class="col s10">
|
|
|
|
|
<ul class="collection with-header z-depth-1">
|
|
|
|
|
<li class="collection-header"><h4>Server Statistics</h4></li>
|
|
|
|
|
<li class="collection-item"><div>Machines Added <div class="secondary-content overview-page">"""+ str(machines_count) +"""</div></div></li>
|
|
|
|
|
<li class="collection-item"><div>Users Added <div class="secondary-content overview-page">"""+ str(user_count) +"""</div></div></li>
|
|
|
|
|
<li class="collection-item"><div>Usable Preauth Keys <div class="secondary-content overview-page">"""+ str(usable_keys_count) +"""</div></div></li>
|
|
|
|
|
<li class="collection-item"><div>Enabled/Total Routes <div class="secondary-content overview-page">"""+ str(enabled_routes) +"""/"""+str(total_routes) +"""</div></div></li>
|
|
|
|
|
<li class="collection-item"><div>Enabled/Total Exits <div class="secondary-content overview-page">"""+ str(exits_enabled_count) +"""/"""+str(exits_count)+"""</div></div></li>
|
|
|
|
|
</ul>
|
2023-02-23 14:56:57 +09:00
|
|
|
</div>
|
2023-05-02 12:25:07 +09:00
|
|
|
<div class="col s1"></div>
|
|
|
|
|
</div>
|
|
|
|
|
"""
|
|
|
|
|
general_content = """
|
|
|
|
|
<div class="row">
|
|
|
|
|
<div class="col s1"></div>
|
|
|
|
|
<div class="col s10">
|
|
|
|
|
<ul class="collection with-header z-depth-1">
|
|
|
|
|
<li class="collection-header"><h4>General</h4></li>
|
|
|
|
|
<li class="collection-item"><div>IP Prefixes <div class="secondary-content overview-page">"""+ ip_prefixes +"""</div></div></li>
|
|
|
|
|
<li class="collection-item"><div>Server URL <div class="secondary-content overview-page">"""+ server_url +"""</div></div></li>
|
|
|
|
|
<li class="collection-item"><div>Updates Disabled <div class="secondary-content overview-page">"""+ disable_check_updates +"""</div></div></li>
|
|
|
|
|
<li class="collection-item"><div>Ephemeral Node Inactivity Timeout <div class="secondary-content overview-page">"""+ ephemeral_node_inactivity_timeout +"""</div></div></li>
|
|
|
|
|
<li class="collection-item"><div>Node Update Check Interval <div class="secondary-content overview-page">"""+ node_update_check_interval +"""</div></div></li>
|
|
|
|
|
</ul>
|
2023-02-23 14:56:57 +09:00
|
|
|
</div>
|
2023-05-02 12:25:07 +09:00
|
|
|
<div class="col s1"></div>
|
|
|
|
|
</div>
|
|
|
|
|
"""
|
|
|
|
|
oidc_content = """
|
|
|
|
|
<div class="row">
|
|
|
|
|
<div class="col s1"></div>
|
|
|
|
|
<div class="col s10">
|
|
|
|
|
<ul class="collection with-header z-depth-1">
|
|
|
|
|
<li class="collection-header"><h4>Headscale OIDC</h4></li>
|
|
|
|
|
<li class="collection-item"><div>Issuer <div class="secondary-content overview-page">"""+ issuer +"""</div></div></li>
|
|
|
|
|
<li class="collection-item"><div>Client ID <div class="secondary-content overview-page">"""+ client_id +"""</div></div></li>
|
|
|
|
|
<li class="collection-item"><div>Scope <div class="secondary-content overview-page">"""+ scope +"""</div></div></li>
|
|
|
|
|
<li class="collection-item"><div>Use OIDC Token Expiry <div class="secondary-content overview-page">"""+ use_expiry_from_token +"""</div></div></li>
|
|
|
|
|
<li class="collection-item"><div>Expiry <div class="secondary-content overview-page">"""+ expiry +"""</div></div></li>
|
|
|
|
|
</ul>
|
|
|
|
|
</div>
|
|
|
|
|
<div class="col s1"></div>
|
|
|
|
|
</div>
|
|
|
|
|
"""
|
|
|
|
|
derp_content = """
|
|
|
|
|
<div class="row">
|
|
|
|
|
<div class="col s1"></div>
|
|
|
|
|
<div class="col s10">
|
|
|
|
|
<ul class="collection with-header z-depth-1">
|
|
|
|
|
<li class="collection-header"><h4>Embedded DERP</h4></li>
|
|
|
|
|
<li class="collection-item"><div>Enabled <div class="secondary-content overview-page">"""+ enabled +"""</div></div></li>
|
|
|
|
|
<li class="collection-item"><div>Region ID <div class="secondary-content overview-page">"""+ region_id +"""</div></div></li>
|
|
|
|
|
<li class="collection-item"><div>Region Code <div class="secondary-content overview-page">"""+ region_code +"""</div></div></li>
|
|
|
|
|
<li class="collection-item"><div>Region Name <div class="secondary-content overview-page">"""+ region_name +"""</div></div></li>
|
|
|
|
|
<li class="collection-item"><div>STUN Address<div class="secondary-content overview-page">"""+ stun_listen_addr +"""</div></div></li>
|
|
|
|
|
</ul>
|
|
|
|
|
</div>
|
|
|
|
|
<div class="col s1"></div>
|
|
|
|
|
</div>
|
|
|
|
|
"""
|
|
|
|
|
dns_content = """
|
|
|
|
|
<div class="row">
|
|
|
|
|
<div class="col s1"></div>
|
|
|
|
|
<div class="col s10">
|
|
|
|
|
<ul class="collection with-header z-depth-1">
|
|
|
|
|
<li class="collection-header"><h4>DNS</h4></li>
|
|
|
|
|
<li class="collection-item"><div>DNS Nameservers <div class="secondary-content overview-page">"""+ nameservers +"""</div></div></li>
|
|
|
|
|
<li class="collection-item"><div>MagicDNS <div class="secondary-content overview-page">"""+ magic_dns +"""</div></div></li>
|
|
|
|
|
<li class="collection-item"><div>Search Domains <div class="secondary-content overview-page">"""+ domains +"""</div></div></li>
|
|
|
|
|
<li class="collection-item"><div>Base Domain <div class="secondary-content overview-page">"""+ base_domain +"""</div></div></li>
|
|
|
|
|
</ul>
|
|
|
|
|
</div>
|
|
|
|
|
<div class="col s1"></div>
|
|
|
|
|
</div>
|
|
|
|
|
"""
|
2023-02-06 04:58:09 +00:00
|
|
|
|
2023-05-02 12:25:07 +09:00
|
|
|
# Remove content that isn't needed:
|
|
|
|
|
# Remove OIDC if it isn't available:
|
|
|
|
|
if "oidc" not in config_yaml: oidc_content = ""
|
|
|
|
|
# Remove DERP if it isn't available or isn't enabled
|
|
|
|
|
if "derp" not in config_yaml: derp_content = ""
|
|
|
|
|
if "derp" in config_yaml:
|
|
|
|
|
if "server" in config_yaml["derp"]:
|
|
|
|
|
if str(config_yaml["derp"]["server"]["enabled"]) == "False":
|
|
|
|
|
derp_content = ""
|
|
|
|
|
|
|
|
|
|
# TODO:
|
2023-02-06 04:58:09 +00:00
|
|
|
# Whether there are custom DERP servers
|
2023-05-02 12:25:07 +09:00
|
|
|
# If there are custom DERP servers, get the file location from the config file. Assume mapping is the same.
|
|
|
|
|
# Whether the built-in DERP server is enabled
|
2023-02-06 04:58:09 +00:00
|
|
|
# The IP prefixes
|
|
|
|
|
# The DNS config
|
2023-02-23 15:20:43 +09:00
|
|
|
|
2023-05-02 12:25:07 +09:00
|
|
|
if config_yaml["derp"]["paths"]: pass
|
2023-02-06 04:58:09 +00:00
|
|
|
# # open the path:
|
2023-05-02 12:25:07 +09:00
|
|
|
# derp_file =
|
2023-02-06 04:58:09 +00:00
|
|
|
# config_file = open("/etc/headscale/config.yaml", "r")
|
|
|
|
|
# config_yaml = yaml.safe_load(config_file)
|
|
|
|
|
# The ACME config, if not empty
|
|
|
|
|
# Whether updates are running
|
|
|
|
|
# Whether metrics are enabled (and their listen addr)
|
|
|
|
|
# The log level
|
|
|
|
|
# What kind of Database is being used to drive headscale
|
|
|
|
|
|
2023-05-02 12:25:07 +09:00
|
|
|
content = "<br>" + overview_content + general_content + derp_content + oidc_content + dns_content + ""
|
|
|
|
|
return Markup(content)
|
|
|
|
|
|
|
|
|
|
def thread_machine_content(machine, machine_content, idx, all_routes, failover_pair_prefixes):
|
2023-02-06 04:58:09 +00:00
|
|
|
# machine = passed in machine information
|
|
|
|
|
# content = place to write the content
|
|
|
|
|
|
2023-05-02 12:25:07 +09:00
|
|
|
# app.logger.debug("Machine Information")
|
|
|
|
|
# app.logger.debug(str(machine))
|
|
|
|
|
app.logger.debug("Machine Information =================")
|
|
|
|
|
app.logger.debug("Name: %s, ID: %s, User: %s, givenName: %s, ", str(machine["name"]), str(machine["id"]), str(machine["user"]["name"]), str(machine["givenName"]))
|
|
|
|
|
|
|
|
|
|
url = headscale.get_url()
|
|
|
|
|
api_key = headscale.get_api_key()
|
2023-03-17 20:38:04 +09:00
|
|
|
|
2023-02-06 04:58:09 +00:00
|
|
|
# Set the current timezone and local time
|
2023-05-02 12:25:07 +09:00
|
|
|
timezone = pytz.timezone(os.environ["TZ"] if os.environ["TZ"] else "UTC")
|
|
|
|
|
local_time = timezone.localize(datetime.now())
|
2023-02-06 04:58:09 +00:00
|
|
|
|
|
|
|
|
# Get the machines routes
|
2023-05-02 12:25:07 +09:00
|
|
|
pulled_routes = headscale.get_machine_routes(url, api_key, machine["id"])
|
2023-02-06 04:58:09 +00:00
|
|
|
routes = ""
|
|
|
|
|
|
|
|
|
|
# Test if the machine is an exit node:
|
2023-03-22 19:17:53 +09:00
|
|
|
exit_route_found = False
|
2023-03-22 20:56:30 +09:00
|
|
|
exit_route_enabled = False
|
2023-03-22 21:32:34 +09:00
|
|
|
# If the device has enabled Failover routes (High Availability routes)
|
2023-03-22 21:49:22 +09:00
|
|
|
ha_enabled = False
|
2023-03-22 21:32:34 +09:00
|
|
|
|
2023-03-22 18:57:56 +09:00
|
|
|
# If the length of "routes" is NULL/0, there are no routes, enabled or disabled:
|
2023-05-02 12:25:07 +09:00
|
|
|
if len(pulled_routes["routes"]) > 0:
|
|
|
|
|
advertised_routes = False
|
|
|
|
|
|
|
|
|
|
# First, check if there are any routes that are both enabled and advertised
|
|
|
|
|
# If that is true, we will output the collection-item for routes. Otherwise, it will not be displayed.
|
|
|
|
|
for route in pulled_routes["routes"]:
|
|
|
|
|
if route["advertised"]:
|
|
|
|
|
advertised_routes = True
|
2023-03-22 19:17:53 +09:00
|
|
|
if advertised_routes:
|
2023-02-06 04:58:09 +00:00
|
|
|
routes = """
|
|
|
|
|
<li class="collection-item avatar">
|
|
|
|
|
<i class="material-icons circle">directions</i>
|
|
|
|
|
<span class="title">Routes</span>
|
2023-03-22 19:57:03 +09:00
|
|
|
<p>
|
2023-05-02 12:25:07 +09:00
|
|
|
"""
|
|
|
|
|
# app.logger.debug("Pulled Routes Dump: "+str(pulled_routes))
|
|
|
|
|
# app.logger.debug("All Routes Dump: "+str(all_routes))
|
2023-03-22 14:07:03 +09:00
|
|
|
|
|
|
|
|
# Find all exits and put their ID's into the exit_routes array
|
2023-05-02 12:25:07 +09:00
|
|
|
exit_routes = []
|
2023-03-22 14:37:58 +09:00
|
|
|
exit_enabled_color = "red"
|
2023-03-22 14:54:45 +09:00
|
|
|
exit_tooltip = "enable"
|
2023-03-22 19:42:18 +09:00
|
|
|
exit_route_enabled = False
|
2023-05-02 12:25:07 +09:00
|
|
|
|
|
|
|
|
for route in pulled_routes["routes"]:
|
|
|
|
|
if route["prefix"] == "0.0.0.0/0" or route["prefix"] == "::/0":
|
|
|
|
|
exit_routes.append(route["id"])
|
2023-03-22 19:17:53 +09:00
|
|
|
exit_route_found = True
|
2023-03-22 14:31:30 +09:00
|
|
|
# Test if it is enabled:
|
2023-05-02 12:25:07 +09:00
|
|
|
if route["enabled"]:
|
2023-03-22 14:31:30 +09:00
|
|
|
exit_enabled_color = "green"
|
2023-05-02 12:25:07 +09:00
|
|
|
exit_tooltip = 'disable'
|
2023-03-22 19:42:18 +09:00
|
|
|
exit_route_enabled = True
|
2023-05-02 12:25:07 +09:00
|
|
|
app.logger.debug("Found exit route ID's: "+str(exit_routes))
|
|
|
|
|
app.logger.debug("Exit Route Information: ID: %s | Enabled: %s | exit_route_enabled: %s / Found: %s", str(route["id"]), str(route["enabled"]), str(exit_route_enabled), str(exit_route_found))
|
2023-03-22 14:31:30 +09:00
|
|
|
|
|
|
|
|
# Print the button for the Exit routes:
|
2023-03-22 19:17:53 +09:00
|
|
|
if exit_route_found:
|
2023-05-02 12:25:07 +09:00
|
|
|
routes = routes+""" <p
|
|
|
|
|
class='waves-effect waves-light btn-small """+exit_enabled_color+""" lighten-2 tooltipped'
|
|
|
|
|
data-position='top' data-tooltip='Click to """+exit_tooltip+"""'
|
|
|
|
|
id='"""+machine["id"]+"""-exit'
|
|
|
|
|
onclick="toggle_exit("""+exit_routes[0]+""", """+exit_routes[1]+""", '"""+machine["id"]+"""-exit', '"""+str(exit_route_enabled)+"""', 'machines')">
|
|
|
|
|
Exit Route
|
|
|
|
|
</p>
|
|
|
|
|
"""
|
|
|
|
|
|
|
|
|
|
# Check if the route has another enabled identical route.
|
2023-03-23 10:54:12 +09:00
|
|
|
# Check all routes from the current machine...
|
2023-05-02 12:25:07 +09:00
|
|
|
for route in pulled_routes["routes"]:
|
2023-03-23 10:54:12 +09:00
|
|
|
# ... against all routes from all machines ....
|
2023-05-02 12:25:07 +09:00
|
|
|
for route_info in all_routes["routes"]:
|
|
|
|
|
app.logger.debug("Comparing routes %s and %s", str(route["prefix"]), str(route_info["prefix"]))
|
|
|
|
|
# ... If the route prefixes match and are not exit nodes ...
|
|
|
|
|
if str(route_info["prefix"]) == str(route["prefix"]) and (route["prefix"] != "0.0.0.0/0" and route["prefix"] != "::/0"):
|
|
|
|
|
# Check if the route ID's match. If they don't ...
|
|
|
|
|
app.logger.debug("Found a match: %s and %s", str(route["prefix"]), str(route_info["prefix"]))
|
|
|
|
|
if route_info["id"] != route["id"]:
|
|
|
|
|
app.logger.debug("Route ID's don't match. They're on different nodes.")
|
2023-03-23 10:54:12 +09:00
|
|
|
# ... Check if the routes prefix is already in the array...
|
2023-05-02 12:25:07 +09:00
|
|
|
if route["prefix"] not in failover_pair_prefixes:
|
2023-03-23 10:54:12 +09:00
|
|
|
# IF it isn't, add it.
|
2023-05-02 12:25:07 +09:00
|
|
|
app.logger.info("New HA pair found: %s", str(route["prefix"]))
|
|
|
|
|
failover_pair_prefixes.append(str(route["prefix"]))
|
|
|
|
|
if route["enabled"] and route_info["enabled"]:
|
2023-03-23 10:54:12 +09:00
|
|
|
# If it is already in the array. . .
|
|
|
|
|
# Show as HA only if both routes are enabled:
|
2023-05-02 12:25:07 +09:00
|
|
|
app.logger.debug("Both routes are enabled. Setting as HA [%s] (%s) ", str(machine["name"]), str(route["prefix"]))
|
2023-03-23 17:46:47 +09:00
|
|
|
ha_enabled = True
|
2023-05-02 12:25:07 +09:00
|
|
|
# If the route is an exit node and already counted as a failover route, it IS a failover route, so display it.
|
|
|
|
|
if route["prefix"] != "0.0.0.0/0" and route["prefix"] != "::/0" and route["prefix"] in failover_pair_prefixes:
|
2023-03-22 20:35:11 +09:00
|
|
|
route_enabled = "red"
|
2023-05-02 12:25:07 +09:00
|
|
|
route_tooltip = 'enable'
|
|
|
|
|
color_index = failover_pair_prefixes.index(str(route["prefix"]))
|
2023-03-23 07:44:13 +09:00
|
|
|
route_enabled_color = helper.get_color(color_index, "failover")
|
2023-05-02 12:25:07 +09:00
|
|
|
if route["enabled"]:
|
|
|
|
|
color_index = failover_pair_prefixes.index(str(route["prefix"]))
|
2023-03-22 21:07:22 +09:00
|
|
|
route_enabled = helper.get_color(color_index, "failover")
|
2023-05-02 12:25:07 +09:00
|
|
|
route_tooltip = 'disable'
|
|
|
|
|
routes = routes+""" <p
|
|
|
|
|
class='waves-effect waves-light btn-small """+route_enabled+""" lighten-2 tooltipped'
|
|
|
|
|
data-position='top' data-tooltip='Click to """+route_tooltip+""" (Failover Pair)'
|
|
|
|
|
id='"""+route['id']+"""'
|
|
|
|
|
onclick="toggle_failover_route("""+route['id']+""", '"""+str(route['enabled'])+"""', '"""+str(route_enabled_color)+"""')">
|
|
|
|
|
"""+route['prefix']+"""
|
|
|
|
|
</p>
|
|
|
|
|
"""
|
|
|
|
|
|
2023-03-22 20:35:11 +09:00
|
|
|
# Get the remaining routes:
|
2023-05-02 12:25:07 +09:00
|
|
|
for route in pulled_routes["routes"]:
|
2023-03-22 20:35:11 +09:00
|
|
|
# Get the remaining routes - No exits or failover pairs
|
2023-05-02 12:25:07 +09:00
|
|
|
if route["prefix"] != "0.0.0.0/0" and route["prefix"] != "::/0" and route["prefix"] not in failover_pair_prefixes:
|
|
|
|
|
app.logger.debug("Route: ["+str(route['machine']['name'])+"] id: "+str(route['id'])+" / prefix: "+str(route['prefix'])+" enabled?: "+str(route['enabled']))
|
2023-03-22 18:52:48 +09:00
|
|
|
route_enabled = "red"
|
2023-05-02 12:25:07 +09:00
|
|
|
route_tooltip = 'enable'
|
|
|
|
|
if route["enabled"]:
|
2023-03-22 18:52:48 +09:00
|
|
|
route_enabled = "green"
|
2023-05-02 12:25:07 +09:00
|
|
|
route_tooltip = 'disable'
|
|
|
|
|
routes = routes+""" <p
|
|
|
|
|
class='waves-effect waves-light btn-small """+route_enabled+""" lighten-2 tooltipped'
|
|
|
|
|
data-position='top' data-tooltip='Click to """+route_tooltip+"""'
|
|
|
|
|
id='"""+route['id']+"""'
|
|
|
|
|
onclick="toggle_route("""+route['id']+""", '"""+str(route['enabled'])+"""', 'machines')">
|
|
|
|
|
"""+route['prefix']+"""
|
|
|
|
|
</p>
|
|
|
|
|
"""
|
|
|
|
|
routes = routes+"</p></li>"
|
2023-02-06 04:58:09 +00:00
|
|
|
|
|
|
|
|
# Get machine tags
|
2023-05-02 12:25:07 +09:00
|
|
|
tag_array = ""
|
|
|
|
|
for tag in machine["forcedTags"]:
|
|
|
|
|
tag_array = tag_array+"{tag: '"+tag[4:]+"'}, "
|
|
|
|
|
tags = """
|
2023-02-06 04:58:09 +00:00
|
|
|
<li class="collection-item avatar">
|
2023-05-02 12:25:07 +09:00
|
|
|
<i class="material-icons circle tooltipped" data-position="right" data-tooltip="Spaces will be replaced with a dash (-) upon page refresh">label</i>
|
2023-02-06 04:58:09 +00:00
|
|
|
<span class="title">Tags</span>
|
2023-05-02 12:25:07 +09:00
|
|
|
<p><div style='margin: 0px' class='chips' id='"""+machine["id"]+"""-tags'></div></p>
|
2023-02-06 04:58:09 +00:00
|
|
|
</li>
|
|
|
|
|
<script>
|
2023-05-02 12:25:07 +09:00
|
|
|
window.addEventListener('load',
|
|
|
|
|
function() {
|
|
|
|
|
var instances = M.Chips.init (
|
|
|
|
|
document.getElementById('"""+machine['id']+"""-tags'), ({
|
|
|
|
|
data:["""+tag_array+"""],
|
|
|
|
|
onChipDelete() { delete_chip("""+machine["id"]+""", this.chipsData) },
|
|
|
|
|
onChipAdd() { add_chip("""+machine["id"]+""", this.chipsData) }
|
|
|
|
|
})
|
|
|
|
|
);
|
|
|
|
|
}, false
|
2023-02-17 22:41:41 +09:00
|
|
|
)
|
2023-02-06 04:58:09 +00:00
|
|
|
</script>
|
|
|
|
|
"""
|
|
|
|
|
|
|
|
|
|
# Get the machine IP's
|
2023-05-02 12:25:07 +09:00
|
|
|
machine_ips = "<ul>"
|
|
|
|
|
for ip_address in machine["ipAddresses"]:
|
|
|
|
|
machine_ips = machine_ips+"<li>"+ip_address+"</li>"
|
|
|
|
|
machine_ips = machine_ips+"</ul>"
|
2023-02-06 04:58:09 +00:00
|
|
|
|
|
|
|
|
# Format the dates for easy readability
|
2023-05-02 12:25:07 +09:00
|
|
|
last_seen_parse = parser.parse(machine["lastSeen"])
|
|
|
|
|
last_seen_local = last_seen_parse.astimezone(timezone)
|
|
|
|
|
last_seen_delta = local_time - last_seen_local
|
|
|
|
|
last_seen_print = helper.pretty_print_duration(last_seen_delta)
|
|
|
|
|
last_seen_time = str(last_seen_local.strftime('%A %m/%d/%Y, %H:%M:%S'))+" "+str(timezone)+" ("+str(last_seen_print)+")"
|
|
|
|
|
|
|
|
|
|
last_update_parse = local_time if machine["lastSuccessfulUpdate"] is None else parser.parse(machine["lastSuccessfulUpdate"])
|
|
|
|
|
last_update_local = last_update_parse.astimezone(timezone)
|
|
|
|
|
last_update_delta = local_time - last_update_local
|
|
|
|
|
last_update_print = helper.pretty_print_duration(last_update_delta)
|
|
|
|
|
last_update_time = str(last_update_local.strftime('%A %m/%d/%Y, %H:%M:%S'))+" "+str(timezone)+" ("+str(last_update_print)+")"
|
|
|
|
|
|
|
|
|
|
created_parse = parser.parse(machine["createdAt"])
|
|
|
|
|
created_local = created_parse.astimezone(timezone)
|
|
|
|
|
created_delta = local_time - created_local
|
|
|
|
|
created_print = helper.pretty_print_duration(created_delta)
|
|
|
|
|
created_time = str(created_local.strftime('%A %m/%d/%Y, %H:%M:%S'))+" "+str(timezone)+" ("+str(created_print)+")"
|
2023-02-06 04:58:09 +00:00
|
|
|
|
2023-03-17 20:56:03 +09:00
|
|
|
# If there is no expiration date, we don't need to do any calculations:
|
2023-05-02 12:25:07 +09:00
|
|
|
if machine["expiry"] != "0001-01-01T00:00:00Z":
|
|
|
|
|
expiry_parse = parser.parse(machine["expiry"])
|
|
|
|
|
expiry_local = expiry_parse.astimezone(timezone)
|
|
|
|
|
expiry_delta = expiry_local - local_time
|
|
|
|
|
expiry_print = helper.pretty_print_duration(expiry_delta, "expiry")
|
|
|
|
|
if str(expiry_local.strftime('%Y')) in ("0001", "9999", "0000"):
|
|
|
|
|
expiry_time = "No expiration date."
|
|
|
|
|
elif int(expiry_local.strftime('%Y')) > int(expiry_local.strftime('%Y'))+2:
|
|
|
|
|
expiry_time = str(expiry_local.strftime('%m/%Y'))+" "+str(timezone)+" ("+str(expiry_print)+")"
|
|
|
|
|
else:
|
|
|
|
|
expiry_time = str(expiry_local.strftime('%A %m/%d/%Y, %H:%M:%S'))+" "+str(timezone)+" ("+str(expiry_print)+")"
|
|
|
|
|
|
|
|
|
|
expiring_soon = True if int(expiry_delta.days) < 14 and int(expiry_delta.days) > 0 else False
|
|
|
|
|
app.logger.debug("Machine: "+machine["name"]+" expires: "+str(expiry_local.strftime('%Y'))+" / "+str(expiry_delta.days))
|
2023-03-17 20:56:03 +09:00
|
|
|
else:
|
2023-05-02 12:25:07 +09:00
|
|
|
expiry_time = "No expiration date."
|
2023-03-17 21:10:16 +09:00
|
|
|
expiring_soon = False
|
2023-05-02 12:25:07 +09:00
|
|
|
app.logger.debug("Machine: "+machine["name"]+" has no expiration date")
|
|
|
|
|
|
2023-02-22 22:30:32 +09:00
|
|
|
|
2023-02-06 04:58:09 +00:00
|
|
|
# Get the first 10 characters of the PreAuth Key:
|
2023-05-02 12:25:07 +09:00
|
|
|
if machine["preAuthKey"]:
|
|
|
|
|
preauth_key = str(machine["preAuthKey"]["key"])[0:10]
|
|
|
|
|
else: preauth_key = "None"
|
2023-02-06 04:58:09 +00:00
|
|
|
|
2023-03-22 18:52:48 +09:00
|
|
|
# Set the status and user badge color:
|
2023-02-06 04:58:09 +00:00
|
|
|
text_color = helper.text_color_duration(last_seen_delta)
|
2023-05-02 12:25:07 +09:00
|
|
|
user_color = helper.get_color(int(machine["user"]["id"]))
|
2023-02-06 04:58:09 +00:00
|
|
|
|
|
|
|
|
# Generate the various badges:
|
2023-05-02 12:25:07 +09:00
|
|
|
status_badge = "<i class='material-icons left tooltipped " + text_color + "' data-position='top' data-tooltip='Last Seen: "+last_seen_print+"' id='"+machine["id"]+"-status'>fiber_manual_record</i>"
|
|
|
|
|
user_badge = "<span class='badge ipinfo " + user_color + " white-text hide-on-small-only' id='"+machine["id"]+"-ns-badge'>"+machine["user"]["name"]+"</span>"
|
|
|
|
|
exit_node_badge = "" if not exit_route_enabled else "<span class='badge grey white-text text-lighten-4 tooltipped' data-position='left' data-tooltip='This machine has an enabled exit route.'>Exit</span>"
|
|
|
|
|
ha_route_badge = "" if not ha_enabled else "<span class='badge blue-grey white-text text-lighten-4 tooltipped' data-position='left' data-tooltip='This machine has an enabled High Availabiilty (Failover) route.'>HA</span>"
|
|
|
|
|
expiration_badge = "" if not expiring_soon else "<span class='badge red white-text text-lighten-4 tooltipped' data-position='left' data-tooltip='This machine expires soon.'>Expiring!</span>"
|
|
|
|
|
|
|
|
|
|
machine_content[idx] = (str(render_template(
|
|
|
|
|
'machines_card.html',
|
|
|
|
|
given_name = machine["givenName"],
|
|
|
|
|
machine_id = machine["id"],
|
|
|
|
|
hostname = machine["name"],
|
|
|
|
|
ns_name = machine["user"]["name"],
|
|
|
|
|
ns_id = machine["user"]["id"],
|
|
|
|
|
ns_created = machine["user"]["createdAt"],
|
|
|
|
|
last_seen = str(last_seen_print),
|
|
|
|
|
last_update = str(last_update_print),
|
|
|
|
|
machine_ips = Markup(machine_ips),
|
|
|
|
|
advertised_routes = Markup(routes),
|
|
|
|
|
exit_node_badge = Markup(exit_node_badge),
|
|
|
|
|
ha_route_badge = Markup(ha_route_badge),
|
|
|
|
|
status_badge = Markup(status_badge),
|
|
|
|
|
user_badge = Markup(user_badge),
|
|
|
|
|
last_update_time = str(last_update_time),
|
|
|
|
|
last_seen_time = str(last_seen_time),
|
|
|
|
|
created_time = str(created_time),
|
|
|
|
|
expiry_time = str(expiry_time),
|
|
|
|
|
preauth_key = str(preauth_key),
|
|
|
|
|
expiration_badge = Markup(expiration_badge),
|
|
|
|
|
machine_tags = Markup(tags),
|
|
|
|
|
taglist = machine["forcedTags"]
|
|
|
|
|
)))
|
|
|
|
|
app.logger.info("Finished thread for machine "+machine["givenName"]+" index "+str(idx))
|
|
|
|
|
|
|
|
|
|
def render_machines_cards():
|
|
|
|
|
app.logger.info("Rendering machine cards")
|
|
|
|
|
url = headscale.get_url()
|
|
|
|
|
api_key = headscale.get_api_key()
|
|
|
|
|
machines_list = headscale.get_machines(url, api_key)
|
|
|
|
|
|
|
|
|
|
#########################################
|
|
|
|
|
# Thread this entire thing.
|
|
|
|
|
num_threads = len(machines_list["machines"])
|
|
|
|
|
iterable = []
|
|
|
|
|
machine_content = {}
|
|
|
|
|
failover_pair_prefixes = []
|
|
|
|
|
for i in range (0, num_threads):
|
|
|
|
|
app.logger.debug("Appending iterable: "+str(i))
|
|
|
|
|
iterable.append(i)
|
|
|
|
|
# Flask-Executor Method:
|
|
|
|
|
|
|
|
|
|
# Get all routes
|
|
|
|
|
all_routes = headscale.get_routes(url, api_key)
|
|
|
|
|
# app.logger.debug("All found routes")
|
|
|
|
|
# app.logger.debug(str(all_routes))
|
|
|
|
|
|
|
|
|
|
if LOG_LEVEL == "DEBUG":
|
|
|
|
|
# DEBUG: Do in a forloop:
|
|
|
|
|
for idx in iterable: thread_machine_content(machines_list["machines"][idx], machine_content, idx, all_routes, failover_pair_prefixes)
|
|
|
|
|
else:
|
|
|
|
|
app.logger.info("Starting futures")
|
|
|
|
|
futures = [executor.submit(thread_machine_content, machines_list["machines"][idx], machine_content, idx, all_routes, failover_pair_prefixes) for idx in iterable]
|
|
|
|
|
# Wait for the executor to finish all jobs:
|
|
|
|
|
wait(futures, return_when=ALL_COMPLETED)
|
|
|
|
|
app.logger.info("Finished futures")
|
2023-02-06 04:58:09 +00:00
|
|
|
|
2023-05-02 12:25:07 +09:00
|
|
|
# Sort the content by machine_id:
|
|
|
|
|
sorted_machines = {key: val for key, val in sorted(machine_content.items(), key = lambda ele: ele[0])}
|
|
|
|
|
|
|
|
|
|
content = "<ul class='collapsible expandable'>"
|
|
|
|
|
# Print the content
|
|
|
|
|
|
|
|
|
|
for index in range(0, num_threads):
|
|
|
|
|
content = content+str(sorted_machines[index])
|
|
|
|
|
|
|
|
|
|
content = content+"</ul>"
|
|
|
|
|
|
|
|
|
|
return Markup(content)
|
|
|
|
|
|
|
|
|
|
def render_users_cards():
|
|
|
|
|
app.logger.info("Rendering Users cards")
|
|
|
|
|
url = headscale.get_url()
|
|
|
|
|
api_key = headscale.get_api_key()
|
|
|
|
|
user_list = headscale.get_users(url, api_key)
|
|
|
|
|
|
|
|
|
|
content = "<ul class='collapsible expandable'>"
|
|
|
|
|
for user in user_list["users"]:
|
|
|
|
|
# Get all preAuth Keys in the user, only display if one exists:
|
|
|
|
|
preauth_keys_collection = build_preauth_key_table(user["name"])
|
|
|
|
|
|
|
|
|
|
# Set the user badge color:
|
|
|
|
|
user_color = helper.get_color(int(user["id"]), "text")
|
|
|
|
|
|
|
|
|
|
# Generate the various badges:
|
|
|
|
|
status_badge = "<i class='material-icons left "+user_color+"' id='"+user["id"]+"-status'>fiber_manual_record</i>"
|
|
|
|
|
|
|
|
|
|
content = content + render_template(
|
|
|
|
|
'users_card.html',
|
|
|
|
|
status_badge = Markup(status_badge),
|
|
|
|
|
user_name = user["name"],
|
|
|
|
|
user_id = user["id"],
|
|
|
|
|
preauth_keys_collection = Markup(preauth_keys_collection)
|
|
|
|
|
)
|
|
|
|
|
content = content+"</ul>"
|
|
|
|
|
return Markup(content)
|
|
|
|
|
|
|
|
|
|
def build_preauth_key_table(user_name):
|
|
|
|
|
app.logger.info("Building the PreAuth key table for User: %s", str(user_name))
|
|
|
|
|
url = headscale.get_url()
|
|
|
|
|
api_key = headscale.get_api_key()
|
|
|
|
|
|
|
|
|
|
preauth_keys = headscale.get_preauth_keys(url, api_key, user_name)
|
|
|
|
|
preauth_keys_collection = """<li class="collection-item avatar">
|
2023-02-06 04:58:09 +00:00
|
|
|
<span
|
2023-05-02 12:25:07 +09:00
|
|
|
class='badge grey lighten-2 btn-small'
|
2023-02-06 04:58:09 +00:00
|
|
|
onclick='toggle_expired()'
|
|
|
|
|
>Toggle Expired</span>
|
2023-05-02 12:25:07 +09:00
|
|
|
<span
|
|
|
|
|
href="#card_modal"
|
|
|
|
|
class='badge grey lighten-2 btn-small modal-trigger'
|
|
|
|
|
onclick="load_modal_add_preauth_key('"""+user_name+"""')"
|
2023-02-06 04:58:09 +00:00
|
|
|
>Add PreAuth Key</span>
|
|
|
|
|
<i class="material-icons circle">vpn_key</i>
|
|
|
|
|
<span class="title">PreAuth Keys</span>
|
2023-04-03 12:11:45 +00:00
|
|
|
"""
|
2023-05-02 12:25:07 +09:00
|
|
|
if len(preauth_keys["preAuthKeys"]) == 0: preauth_keys_collection += "<p>No keys defined for this user</p>"
|
|
|
|
|
if len(preauth_keys["preAuthKeys"]) > 0:
|
|
|
|
|
preauth_keys_collection += """
|
|
|
|
|
<table class="responsive-table striped" id='"""+user_name+"""-preauthkey-table'>
|
|
|
|
|
<thead>
|
|
|
|
|
<tr>
|
|
|
|
|
<td>ID</td>
|
|
|
|
|
<td class='tooltipped' data-tooltip='Click an Auth Key Prefix to copy it to the clipboard'>Key Prefix</td>
|
|
|
|
|
<td><center>Reusable</center></td>
|
|
|
|
|
<td><center>Used</center></td>
|
|
|
|
|
<td><center>Ephemeral</center></td>
|
|
|
|
|
<td><center>Usable</center></td>
|
|
|
|
|
<td><center>Actions</center></td>
|
|
|
|
|
</tr>
|
|
|
|
|
</thead>
|
|
|
|
|
"""
|
|
|
|
|
for key in preauth_keys["preAuthKeys"]:
|
2023-02-06 04:58:09 +00:00
|
|
|
# Get the key expiration date and compare it to now to check if it's expired:
|
|
|
|
|
# Set the current timezone and local time
|
2023-05-02 12:25:07 +09:00
|
|
|
timezone = pytz.timezone(os.environ["TZ"] if os.environ["TZ"] else "UTC")
|
|
|
|
|
local_time = timezone.localize(datetime.now())
|
|
|
|
|
expiration_parse = parser.parse(key["expiration"])
|
|
|
|
|
key_expired = True if expiration_parse < local_time else False
|
|
|
|
|
expiration_time = str(expiration_parse.strftime('%A %m/%d/%Y, %H:%M:%S'))+" "+str(timezone)
|
|
|
|
|
|
|
|
|
|
key_usable = False
|
|
|
|
|
if key["reusable"] and not key_expired: key_usable = True
|
|
|
|
|
if not key["reusable"] and not key["used"] and not key_expired: key_usable = True
|
|
|
|
|
|
2023-02-10 12:20:50 +09:00
|
|
|
# Class for the javascript function to look for to toggle the hide function
|
|
|
|
|
hide_expired = "expired-row" if not key_usable else ""
|
2023-02-06 04:58:09 +00:00
|
|
|
|
2023-05-02 12:25:07 +09:00
|
|
|
btn_reusable = "<i class='pulse material-icons tiny blue-text text-darken-1'>fiber_manual_record</i>" if key["reusable"] else ""
|
|
|
|
|
btn_ephemeral = "<i class='pulse material-icons tiny red-text text-darken-1'>fiber_manual_record</i>" if key["ephemeral"] else ""
|
|
|
|
|
btn_used = "<i class='pulse material-icons tiny yellow-text text-darken-1'>fiber_manual_record</i>" if key["used"] else ""
|
|
|
|
|
btn_usable = "<i class='pulse material-icons tiny green-text text-darken-1'>fiber_manual_record</i>" if key_usable else ""
|
2023-02-06 04:58:09 +00:00
|
|
|
|
|
|
|
|
# Other buttons:
|
2023-05-02 12:25:07 +09:00
|
|
|
btn_delete = "<span href='#card_modal' data-tooltip='Expire this PreAuth Key' class='btn-small modal-trigger badge tooltipped white-text red' onclick='load_modal_expire_preauth_key(\""+user_name+"\", \""+str(key["key"])+"\")'>Expire</span>" if key_usable else ""
|
|
|
|
|
tooltip_data = "Expiration: "+expiration_time
|
2023-02-06 04:58:09 +00:00
|
|
|
|
|
|
|
|
# TR ID will look like "1-albert-tr"
|
2023-05-02 12:25:07 +09:00
|
|
|
preauth_keys_collection = preauth_keys_collection+"""
|
|
|
|
|
<tr id='"""+key["id"]+"""-"""+user_name+"""-tr' class='"""+hide_expired+"""'>
|
|
|
|
|
<td>"""+str(key["id"])+"""</td>
|
|
|
|
|
<td onclick=copy_preauth_key('"""+str(key["key"])+"""') class='tooltipped' data-tooltip='"""+tooltip_data+"""'>"""+str(key["key"])[0:10]+"""</td>
|
|
|
|
|
<td><center>"""+btn_reusable+"""</center></td>
|
|
|
|
|
<td><center>"""+btn_used+"""</center></td>
|
|
|
|
|
<td><center>"""+btn_ephemeral+"""</center></td>
|
|
|
|
|
<td><center>"""+btn_usable+"""</center></td>
|
|
|
|
|
<td><center>"""+btn_delete+"""</center></td>
|
2023-02-06 04:58:09 +00:00
|
|
|
</tr>
|
2023-05-02 12:25:07 +09:00
|
|
|
"""
|
2023-02-17 20:58:58 +09:00
|
|
|
|
2023-05-02 12:25:07 +09:00
|
|
|
preauth_keys_collection = preauth_keys_collection+"""</table>
|
|
|
|
|
</li>
|
|
|
|
|
"""
|
|
|
|
|
return preauth_keys_collection
|
2023-04-03 12:11:45 +00:00
|
|
|
|
2023-05-02 12:25:07 +09:00
|
|
|
def oidc_nav_dropdown(user_name, email_address, name):
|
|
|
|
|
app.logger.info("OIDC is enabled. Building the OIDC nav dropdown")
|
|
|
|
|
html_payload = """
|
2023-03-21 14:51:30 +09:00
|
|
|
<!-- OIDC Dropdown Structure -->
|
2023-02-23 10:41:53 +09:00
|
|
|
<ul id="dropdown1" class="dropdown-content dropdown-oidc">
|
2023-02-23 11:14:54 +09:00
|
|
|
<ul class="collection dropdown-oidc-collection">
|
2023-02-23 12:03:43 +09:00
|
|
|
<li class="collection-item dropdown-oidc-avatar avatar">
|
2023-02-23 10:41:53 +09:00
|
|
|
<i class="material-icons circle">email</i>
|
2023-02-23 12:03:43 +09:00
|
|
|
<span class="dropdown-oidc-title title">Email</span>
|
2023-05-02 12:25:07 +09:00
|
|
|
<p>"""+email_address+"""</p>
|
2023-02-23 10:41:53 +09:00
|
|
|
</li>
|
2023-02-23 12:03:43 +09:00
|
|
|
<li class="collection-item dropdown-oidc-avatar avatar">
|
2023-02-23 10:41:53 +09:00
|
|
|
<i class="material-icons circle">person_outline</i>
|
2023-02-23 12:03:43 +09:00
|
|
|
<span class="dropdown-oidc-title title">Username</span>
|
2023-05-02 12:25:07 +09:00
|
|
|
<p>"""+user_name+"""</p>
|
2023-02-23 10:41:53 +09:00
|
|
|
</li>
|
|
|
|
|
</ul>
|
|
|
|
|
<li class="divider"></li>
|
2023-05-02 12:25:07 +09:00
|
|
|
<li><a href="logout"><i class="material-icons left">exit_to_app</i> Logout</a></li>
|
2023-02-23 08:17:09 +09:00
|
|
|
</ul>
|
|
|
|
|
<li>
|
|
|
|
|
<a class="dropdown-trigger" href="#!" data-target="dropdown1">
|
2023-05-02 12:25:07 +09:00
|
|
|
"""+name+""" <i class="material-icons right">account_circle</i>
|
2023-02-23 08:17:09 +09:00
|
|
|
</a>
|
|
|
|
|
</li>
|
2023-05-02 12:25:07 +09:00
|
|
|
"""
|
2023-02-20 17:23:05 +09:00
|
|
|
return Markup(html_payload)
|
2023-02-22 16:04:10 +09:00
|
|
|
|
2023-05-02 12:25:07 +09:00
|
|
|
def oidc_nav_mobile(user_name, email_address, name):
|
|
|
|
|
html_payload = """
|
|
|
|
|
<li><hr><a href="logout"><i class="material-icons left">exit_to_app</i>Logout</a></li>
|
2023-02-22 16:04:10 +09:00
|
|
|
"""
|
2023-05-02 12:25:07 +09:00
|
|
|
return Markup(html_payload)
|
2023-04-03 12:11:45 +00:00
|
|
|
|
2023-03-21 14:38:09 +09:00
|
|
|
def render_search():
|
2023-05-02 12:25:07 +09:00
|
|
|
html_payload = """
|
|
|
|
|
<li role="menu-item" class="tooltipped" data-position="bottom" data-tooltip="Search" onclick="show_search()">
|
|
|
|
|
<a href="#"><i class="material-icons">search</i></a>
|
|
|
|
|
</li>
|
|
|
|
|
"""
|
|
|
|
|
return Markup(html_payload)
|
2023-04-03 12:11:45 +00:00
|
|
|
|
2023-05-02 12:25:07 +09:00
|
|
|
def render_routes():
|
|
|
|
|
app.logger.info("Rendering Routes page")
|
|
|
|
|
url = headscale.get_url()
|
|
|
|
|
api_key = headscale.get_api_key()
|
|
|
|
|
all_routes = headscale.get_routes(url, api_key)
|
2023-03-23 19:10:22 +09:00
|
|
|
|
2023-03-23 20:51:03 +09:00
|
|
|
# If there are no routes, just exit:
|
2023-05-02 12:25:07 +09:00
|
|
|
if len(all_routes) == 0: return Markup("<br><br><br><center>There are no routes to display!</center>")
|
2023-04-02 08:27:35 +09:00
|
|
|
# Get a list of all Route ID's to iterate through:
|
2023-05-02 12:25:07 +09:00
|
|
|
all_routes_id_list = []
|
|
|
|
|
for route in all_routes["routes"]:
|
|
|
|
|
all_routes_id_list.append(route["id"])
|
|
|
|
|
if route["machine"]["name"]:
|
|
|
|
|
app.logger.info("Found route %s / machine: %s", str(route["id"]), route["machine"]["name"])
|
|
|
|
|
else:
|
|
|
|
|
app.logger.info("Route id %s has no machine associated.", str(route["id"]))
|
2023-04-02 08:27:35 +09:00
|
|
|
|
2023-05-02 12:25:07 +09:00
|
|
|
|
|
|
|
|
route_content = ""
|
2023-03-23 20:51:03 +09:00
|
|
|
failover_content = ""
|
2023-05-02 12:25:07 +09:00
|
|
|
exit_content = ""
|
2023-03-23 20:51:03 +09:00
|
|
|
|
2023-05-02 12:25:07 +09:00
|
|
|
route_title='<span class="card-title">Routes</span>'
|
|
|
|
|
failover_title='<span class="card-title">Failover Routes</span>'
|
|
|
|
|
exit_title='<span class="card-title">Exit Routes</span>'
|
2023-03-23 20:51:03 +09:00
|
|
|
|
|
|
|
|
markup_pre = """
|
|
|
|
|
<div class="row">
|
2023-03-23 21:24:13 +09:00
|
|
|
<div class="col m1"></div>
|
|
|
|
|
<div class="col s12 m10">
|
2023-03-23 21:19:56 +09:00
|
|
|
<div class="card">
|
|
|
|
|
<div class="card-content">
|
2023-03-23 20:51:03 +09:00
|
|
|
"""
|
2023-05-02 12:25:07 +09:00
|
|
|
markup_post = """
|
2023-03-23 21:19:56 +09:00
|
|
|
</div>
|
|
|
|
|
</div>
|
2023-03-23 20:51:03 +09:00
|
|
|
</div>
|
2023-03-23 21:24:13 +09:00
|
|
|
<div class="col m1"></div>
|
2023-03-23 20:51:03 +09:00
|
|
|
</div>
|
|
|
|
|
"""
|
|
|
|
|
|
2023-03-28 14:01:43 +09:00
|
|
|
##############################################################################################
|
2023-03-23 20:51:03 +09:00
|
|
|
# Step 1: Get all non-exit and non-failover routes:
|
2023-05-02 12:25:07 +09:00
|
|
|
route_content = markup_pre+route_title
|
|
|
|
|
route_content += """<p><table>
|
|
|
|
|
<thead>
|
|
|
|
|
<tr>
|
|
|
|
|
<th>ID </th>
|
|
|
|
|
<th>Machine </th>
|
|
|
|
|
<th>Route </th>
|
|
|
|
|
<th width="60px">Enabled</th>
|
|
|
|
|
</tr>
|
|
|
|
|
</thead>
|
|
|
|
|
<tbody>
|
|
|
|
|
"""
|
|
|
|
|
for route in all_routes["routes"]:
|
2023-03-23 19:26:43 +09:00
|
|
|
# Get relevant info:
|
2023-05-02 12:25:07 +09:00
|
|
|
route_id = route["id"]
|
|
|
|
|
machine = route["machine"]["givenName"]
|
|
|
|
|
prefix = route["prefix"]
|
|
|
|
|
is_enabled = route["enabled"]
|
|
|
|
|
is_primary = route["isPrimary"]
|
2023-03-23 20:20:55 +09:00
|
|
|
is_failover = False
|
2023-05-02 12:25:07 +09:00
|
|
|
is_exit = False
|
|
|
|
|
|
|
|
|
|
enabled = "<i id='"+route["id"]+"' onclick='toggle_route("+route["id"]+", \"True\", \"routes\")' class='material-icons green-text text-lighten-2 tooltipped' data-tooltip='Click to disable'>fiber_manual_record</i>"
|
|
|
|
|
disabled = "<i id='"+route["id"]+"' onclick='toggle_route("+route["id"]+", \"False\", \"routes\")' class='material-icons red-text text-lighten-2 tooltipped' data-tooltip='Click to enable' >fiber_manual_record</i>"
|
2023-03-24 08:16:44 +09:00
|
|
|
|
2023-03-23 20:01:25 +09:00
|
|
|
# Set the displays:
|
2023-05-02 12:25:07 +09:00
|
|
|
enabled_display = disabled
|
2023-03-23 20:20:55 +09:00
|
|
|
|
2023-05-02 12:25:07 +09:00
|
|
|
if is_enabled: enabled_display = enabled
|
2023-03-23 20:20:55 +09:00
|
|
|
# Check if a prefix is an Exit route:
|
2023-05-02 12:25:07 +09:00
|
|
|
if prefix == "0.0.0.0/0" or prefix == "::/0": is_exit = True
|
2023-03-23 20:20:55 +09:00
|
|
|
# Check if a prefix is part of a failover pair:
|
2023-05-02 12:25:07 +09:00
|
|
|
for route_check in all_routes["routes"]:
|
|
|
|
|
if not is_exit:
|
|
|
|
|
if route["prefix"] == route_check["prefix"]:
|
|
|
|
|
if route["id"] != route_check["id"]:
|
|
|
|
|
is_failover = True
|
2023-03-23 20:01:25 +09:00
|
|
|
|
2023-04-02 08:50:36 +09:00
|
|
|
if not is_exit and not is_failover and machine != "":
|
2023-05-02 12:25:07 +09:00
|
|
|
# Build a simple table for all non-exit routes:
|
|
|
|
|
route_content += """
|
|
|
|
|
<tr>
|
|
|
|
|
<td>"""+str(route_id )+"""</td>
|
|
|
|
|
<td>"""+str(machine )+"""</td>
|
|
|
|
|
<td>"""+str(prefix )+"""</td>
|
|
|
|
|
<td><center>"""+str(enabled_display )+"""</center></td>
|
|
|
|
|
</tr>
|
|
|
|
|
"""
|
|
|
|
|
route_content += "</tbody></table></p>"+markup_post
|
2023-03-23 20:51:03 +09:00
|
|
|
|
2023-03-28 14:01:43 +09:00
|
|
|
##############################################################################################
|
|
|
|
|
# Step 2: Get all failover routes only. Add a separate table per failover prefix
|
2023-05-02 12:25:07 +09:00
|
|
|
failover_route_prefix = []
|
|
|
|
|
failover_available = False
|
|
|
|
|
|
|
|
|
|
for route in all_routes["routes"]:
|
|
|
|
|
# Get a list of all prefixes for all routes...
|
|
|
|
|
for route_check in all_routes["routes"]:
|
|
|
|
|
# ... that aren't exit routes...
|
|
|
|
|
if route["prefix"] !="0.0.0.0/0" and route["prefix"] != "::/0":
|
|
|
|
|
# if the curren route matches any prefix of any other route...
|
|
|
|
|
if route["prefix"] == route_check["prefix"]:
|
|
|
|
|
# and the route ID's are different ...
|
|
|
|
|
if route["id"] != route_check["id"]:
|
|
|
|
|
# ... and the prefix is not already in the list...
|
|
|
|
|
if route["prefix"] not in failover_route_prefix:
|
|
|
|
|
# append the prefix to the failover_route_prefix list
|
|
|
|
|
failover_route_prefix.append(route["prefix"])
|
|
|
|
|
failover_available = True
|
|
|
|
|
|
|
|
|
|
if failover_available:
|
2023-03-28 22:16:25 +09:00
|
|
|
# Set up the display code:
|
2023-05-02 12:25:07 +09:00
|
|
|
enabled = "<i class='material-icons green-text text-lighten-2'>fiber_manual_record</i>"
|
|
|
|
|
disabled = "<i class='material-icons red-text text-lighten-2'>fiber_manual_record</i>"
|
|
|
|
|
|
|
|
|
|
failover_content = markup_pre+failover_title
|
2023-03-28 20:02:58 +09:00
|
|
|
# Build the display for failover routes:
|
|
|
|
|
for route_prefix in failover_route_prefix:
|
2023-03-28 22:16:25 +09:00
|
|
|
# Get all route ID's associated with the route_prefix:
|
2023-05-02 12:25:07 +09:00
|
|
|
route_id_list = []
|
|
|
|
|
for route in all_routes["routes"]:
|
|
|
|
|
if route["prefix"] == route_prefix:
|
|
|
|
|
route_id_list.append(route["id"])
|
2023-03-28 22:16:25 +09:00
|
|
|
|
2023-03-28 22:20:19 +09:00
|
|
|
# Set up the display code:
|
2023-05-02 12:25:07 +09:00
|
|
|
failover_enabled = "<i id='"+str(route_prefix)+"' class='material-icons small left green-text text-lighten-2'>fiber_manual_record</i>"
|
|
|
|
|
failover_disabled = "<i id='"+str(route_prefix)+"' class='material-icons small left red-text text-lighten-2'>fiber_manual_record</i>"
|
2023-03-28 22:20:19 +09:00
|
|
|
|
2023-03-29 09:53:24 +09:00
|
|
|
failover_display = failover_disabled
|
2023-03-28 22:16:25 +09:00
|
|
|
for route_id in route_id_list:
|
2023-04-02 08:27:35 +09:00
|
|
|
# Get the routes index:
|
2023-04-02 08:39:43 +09:00
|
|
|
current_route_index = all_routes_id_list.index(route_id)
|
2023-05-02 12:25:07 +09:00
|
|
|
if all_routes["routes"][current_route_index]["enabled"]: failover_display = failover_enabled
|
|
|
|
|
|
2023-03-28 22:16:25 +09:00
|
|
|
|
2023-03-28 20:02:58 +09:00
|
|
|
# Get all route_id's associated with the route prefix:
|
2023-05-02 12:25:07 +09:00
|
|
|
failover_content += """<p>
|
|
|
|
|
<h5>"""+failover_display+"""</h5><h5>"""+str(route_prefix)+"""</h5>
|
|
|
|
|
<table>
|
|
|
|
|
<thead>
|
|
|
|
|
<tr>
|
|
|
|
|
<th>Machine</th>
|
|
|
|
|
<th width="60px">Enabled</th>
|
|
|
|
|
<th width="60px">Primary</th>
|
|
|
|
|
</tr>
|
|
|
|
|
</thead>
|
|
|
|
|
<tbody>
|
|
|
|
|
"""
|
2023-03-28 20:02:58 +09:00
|
|
|
|
|
|
|
|
# Build the display:
|
|
|
|
|
for route_id in route_id_list:
|
2023-04-02 08:39:43 +09:00
|
|
|
idx = all_routes_id_list.index(route_id)
|
2023-04-02 08:35:13 +09:00
|
|
|
|
2023-05-02 12:25:07 +09:00
|
|
|
machine = all_routes["routes"][idx]["machine"]["givenName"]
|
|
|
|
|
machine_id = all_routes["routes"][idx]["machine"]["id"]
|
|
|
|
|
is_primary = all_routes["routes"][idx]["isPrimary"]
|
|
|
|
|
is_enabled = all_routes["routes"][idx]["enabled"]
|
Complete the major refactor
Major part of #73
Unfortunately, it wasn't possible to split it to multiple smaller
commits, since the changes touched the entire application substantially.
Here is a short list of major changes:
1. Create a separate library (headscale-api), which is used as a
convenient abstraction layer providing Pythonic interface with
Pydantic. Headscale API is fully asynchronous library, benefitting
from improved concurrency for backend requests thus increasing page
load speed, e.g., on "Machines" page.
2. Create a common common, validated with flask-pydantic API passthrough
layer from GUI to the backend.
3. Move authentication to a separate (auth.py), consolidating the
functionality in a single place (with better place for expansion in
the future).
4. Move configuration management to a separate module (config.py). Use
Pydantic's BaseSettings for reading values from environment, with
extensive validation and error reporting.
5. Reduce the number of health checks.
- Now, most are performed during server initialization. If any test
fails, the server is started in tainted mode, with only the error
page exposed (thus reducing the surface of attack in invalid
state).
- Key checks are implicit in the requests to the backend and
guarded by `@headscale.key_check_guard` decorator.
- Key renewal is moved to server-side scheduler.
6. Introduce type hints to the level satisfactory for mypy static
analysis. Also, enable some other linters in CI and add optional
pre-commit hooks.
7. Properly handle some error states. Instead of returning success and
handling different responses, if something fails, there is HTTP error
code and standard response for it.
8. General formatting, small rewrites for clarity and more idiomatic
Python constructs.
Signed-off-by: Marek Pikuła <marek.pikula@embevity.com>
2023-04-21 05:26:11 +00:00
|
|
|
|
2023-05-02 12:25:07 +09:00
|
|
|
payload = []
|
|
|
|
|
for item in route_id_list: payload.append(int(item))
|
|
|
|
|
|
|
|
|
|
app.logger.debug("[%s] Machine: [%s] %s : %s / %s", str(route_id), str(machine_id), str(machine), str(is_enabled), str(is_primary))
|
|
|
|
|
app.logger.debug(str(all_routes["routes"][idx]))
|
2023-03-28 20:02:58 +09:00
|
|
|
|
|
|
|
|
# Set up the display code:
|
2023-05-02 12:25:07 +09:00
|
|
|
enabled_display_enabled = "<i id='"+str(route_id)+"' onclick='toggle_failover_route_routespage("+str(route_id)+", \"True\", \""+str(route_prefix)+"\", "+str(payload)+")' class='material-icons green-text text-lighten-2 tooltipped' data-tooltip='Click to disable'>fiber_manual_record</i>"
|
|
|
|
|
enabled_display_disabled = "<i id='"+str(route_id)+"' onclick='toggle_failover_route_routespage("+str(route_id)+", \"False\", \""+str(route_prefix)+"\", "+str(payload)+")' class='material-icons red-text text-lighten-2 tooltipped' data-tooltip='Click to enable'>fiber_manual_record</i>"
|
|
|
|
|
primary_display_enabled = "<i id='"+str(route_id)+"-primary' class='material-icons green-text text-lighten-2'>fiber_manual_record</i>"
|
|
|
|
|
primary_display_disabled = "<i id='"+str(route_id)+"-primary' class='material-icons red-text text-lighten-2'>fiber_manual_record</i>"
|
|
|
|
|
|
2023-03-29 12:09:19 +09:00
|
|
|
# Set displays:
|
2023-05-02 12:25:07 +09:00
|
|
|
enabled_display = enabled_display_enabled if is_enabled else enabled_display_disabled
|
|
|
|
|
primary_display = primary_display_enabled if is_primary else primary_display_disabled
|
2023-03-28 20:02:58 +09:00
|
|
|
|
|
|
|
|
# Build a simple table for all non-exit routes:
|
2023-05-02 12:25:07 +09:00
|
|
|
failover_content += """
|
2023-03-28 20:02:58 +09:00
|
|
|
<tr>
|
2023-05-02 12:25:07 +09:00
|
|
|
<td>"""+str(machine)+"""</td>
|
|
|
|
|
<td><center>"""+str(enabled_display)+"""</center></td>
|
|
|
|
|
<td><center>"""+str(primary_display)+"""</center></td>
|
2023-03-28 20:02:58 +09:00
|
|
|
</tr>
|
|
|
|
|
"""
|
|
|
|
|
failover_content += "</tbody></table></p>"
|
|
|
|
|
failover_content += markup_post
|
2023-03-28 20:07:40 +09:00
|
|
|
|
2023-03-28 14:01:43 +09:00
|
|
|
##############################################################################################
|
2023-03-24 06:36:35 +09:00
|
|
|
# Step 3: Get exit nodes only:
|
2023-05-02 12:25:07 +09:00
|
|
|
exit_node_list = []
|
|
|
|
|
# Get a list of nodes with exit routes:
|
|
|
|
|
for route in all_routes["routes"]:
|
|
|
|
|
# For every exit route found, store the machine name in an array:
|
|
|
|
|
if route["prefix"] == "0.0.0.0/0" or route["prefix"] == "::/0":
|
|
|
|
|
if route["machine"]["givenName"] not in exit_node_list:
|
|
|
|
|
exit_node_list.append(route["machine"]["givenName"])
|
2023-03-24 14:12:21 +09:00
|
|
|
|
|
|
|
|
# Exit node display building:
|
2023-03-24 06:36:35 +09:00
|
|
|
# Display by machine, not by route
|
2023-05-02 12:25:07 +09:00
|
|
|
exit_content = markup_pre+exit_title
|
|
|
|
|
exit_content += """<p><table>
|
|
|
|
|
<thead>
|
|
|
|
|
<tr>
|
|
|
|
|
<th>Machine</th>
|
|
|
|
|
<th>Enabled</th>
|
|
|
|
|
</tr>
|
|
|
|
|
</thead>
|
|
|
|
|
<tbody>
|
|
|
|
|
"""
|
|
|
|
|
# Get exit route ID's for each node in the list:
|
2023-03-24 14:12:21 +09:00
|
|
|
for node in exit_node_list:
|
2023-05-02 12:25:07 +09:00
|
|
|
node_exit_route_ids = []
|
2023-03-24 14:12:21 +09:00
|
|
|
exit_enabled = False
|
2023-03-24 14:49:12 +09:00
|
|
|
exit_available = False
|
2023-03-24 14:30:17 +09:00
|
|
|
machine_id = 0
|
2023-05-02 12:25:07 +09:00
|
|
|
for route in all_routes["routes"]:
|
|
|
|
|
if route["prefix"] == "0.0.0.0/0" or route["prefix"] == "::/0":
|
|
|
|
|
if route["machine"]["givenName"] == node:
|
|
|
|
|
node_exit_route_ids.append(route["id"])
|
|
|
|
|
machine_id = route["machine"]["id"]
|
|
|
|
|
exit_available = True
|
|
|
|
|
if route["enabled"]:
|
|
|
|
|
exit_enabled = True
|
2023-03-23 21:03:33 +09:00
|
|
|
|
2023-03-24 14:49:12 +09:00
|
|
|
if exit_available:
|
|
|
|
|
# Set up the display code:
|
2023-05-02 12:25:07 +09:00
|
|
|
enabled = "<i id='"+machine_id+"-exit' onclick='toggle_exit("+node_exit_route_ids[0]+", "+node_exit_route_ids[1]+", \""+machine_id+"-exit\", \"True\", \"routes\")' class='material-icons green-text text-lighten-2 tooltipped' data-tooltip='Click to disable'>fiber_manual_record</i>"
|
|
|
|
|
disabled = "<i id='"+machine_id+"-exit' onclick='toggle_exit("+node_exit_route_ids[0]+", "+node_exit_route_ids[1]+", \""+machine_id+"-exit\", \"False\", \"routes\")' class='material-icons red-text text-lighten-2 tooltipped' data-tooltip='Click to enable' >fiber_manual_record</i>"
|
2023-03-24 14:49:12 +09:00
|
|
|
# Set the displays:
|
|
|
|
|
enabled_display = enabled if exit_enabled else disabled
|
2023-03-24 08:29:24 +09:00
|
|
|
|
2023-05-02 12:25:07 +09:00
|
|
|
exit_content += """
|
|
|
|
|
<tr>
|
|
|
|
|
<td>"""+str(node)+"""</td>
|
|
|
|
|
<td width="60px"><center>"""+str(enabled_display)+"""</center></td>
|
|
|
|
|
</tr>
|
|
|
|
|
"""
|
|
|
|
|
exit_content += "</tbody></table></p>"+markup_post
|
2023-03-23 21:03:33 +09:00
|
|
|
|
|
|
|
|
content = route_content + failover_content + exit_content
|
2023-05-02 12:25:07 +09:00
|
|
|
return Markup(content)
|