mirror of
https://github.com/kevinveenbirkenbach/homepage.veen.world.git
synced 2026-04-07 05:12:19 +00:00
- Replace requirements.txt with pyproject.toml for modern Python packaging - Add unit, integration, lint and security test suites under tests/ - Add utils/export_runtime_requirements.py and utils/check_hadolint_sarif.py - Split monolithic CI into reusable lint.yml, security.yml and tests.yml - Refactor ci.yml to orchestrate reusable workflows; publish on semver tag only - Modernize Dockerfile: pin python:3.12-slim, install via pyproject.toml - Expand Makefile with lint, security, test and CI targets - Add test-e2e via act with portfolio container stop/start around run - Fix navbar_logo_visibility.spec.js: win.fullscreen() → win.enterFullscreen() - Set use_reloader=False in app.run() to prevent double-start in CI - Add app/core.* and build artifacts to .gitignore - Fix apt-get → sudo apt-get in tests.yml e2e job - Fix pip install --ignore-installed to handle stale act cache Co-Authored-By: Claude Sonnet 4.6 <noreply@anthropic.com>
134 lines
4.0 KiB
Python
134 lines
4.0 KiB
Python
import logging
|
|
import os
|
|
|
|
import requests
|
|
import yaml
|
|
from flask import Flask, current_app, render_template
|
|
from markupsafe import Markup
|
|
|
|
try:
|
|
from app.utils.cache_manager import CacheManager
|
|
from app.utils.compute_card_classes import compute_card_classes
|
|
from app.utils.configuration_resolver import ConfigurationResolver
|
|
except ImportError: # pragma: no cover - supports running from the app/ directory.
|
|
from utils.cache_manager import CacheManager
|
|
from utils.compute_card_classes import compute_card_classes
|
|
from utils.configuration_resolver import ConfigurationResolver
|
|
|
|
logging.basicConfig(level=logging.DEBUG)
|
|
|
|
FLASK_ENV = os.getenv("FLASK_ENV", "production")
|
|
FLASK_HOST = os.getenv("FLASK_HOST", "127.0.0.1")
|
|
FLASK_PORT = int(os.getenv("FLASK_PORT", os.getenv("PORT", 5000)))
|
|
print(f"Starting app on {FLASK_HOST}:{FLASK_PORT}, FLASK_ENV={FLASK_ENV}")
|
|
|
|
# Initialize the CacheManager
|
|
cache_manager = CacheManager()
|
|
|
|
# Clear cache on startup
|
|
cache_manager.clear_cache()
|
|
|
|
|
|
def load_config(app):
|
|
"""Load and resolve the configuration from config.yaml."""
|
|
with open("config.yaml", "r", encoding="utf-8") as handle:
|
|
config = yaml.safe_load(handle)
|
|
|
|
if config.get("nasa_api_key"):
|
|
app.config["NASA_API_KEY"] = config["nasa_api_key"]
|
|
|
|
resolver = ConfigurationResolver(config)
|
|
resolver.resolve_links()
|
|
app.config.update(resolver.get_config())
|
|
|
|
|
|
def cache_icons_and_logos(app):
|
|
"""Cache all icons and logos to local files, with a source fallback."""
|
|
for card in app.config["cards"]:
|
|
icon = card.get("icon", {})
|
|
if icon.get("source"):
|
|
cached = cache_manager.cache_file(icon["source"])
|
|
icon["cache"] = cached or icon["source"]
|
|
|
|
company_logo = app.config["company"]["logo"]
|
|
cached = cache_manager.cache_file(company_logo["source"])
|
|
company_logo["cache"] = cached or company_logo["source"]
|
|
|
|
favicon = app.config["platform"]["favicon"]
|
|
cached = cache_manager.cache_file(favicon["source"])
|
|
favicon["cache"] = cached or favicon["source"]
|
|
|
|
platform_logo = app.config["platform"]["logo"]
|
|
cached = cache_manager.cache_file(platform_logo["source"])
|
|
platform_logo["cache"] = cached or platform_logo["source"]
|
|
|
|
|
|
# Initialize Flask app
|
|
app = Flask(__name__)
|
|
|
|
# Load configuration and cache assets on startup
|
|
load_config(app)
|
|
cache_icons_and_logos(app)
|
|
|
|
|
|
@app.context_processor
|
|
def utility_processor():
|
|
def include_svg(path):
|
|
full_path = os.path.join(current_app.root_path, "static", path)
|
|
try:
|
|
with open(full_path, "r", encoding="utf-8") as handle:
|
|
svg = handle.read()
|
|
# Trusted local SVG asset shipped with the application package.
|
|
return Markup(svg) # nosec B704
|
|
except OSError:
|
|
return ""
|
|
|
|
return dict(include_svg=include_svg)
|
|
|
|
|
|
@app.before_request
|
|
def reload_config_in_dev():
|
|
"""Reload config and recache icons before each request in development mode."""
|
|
if FLASK_ENV == "development":
|
|
load_config(app)
|
|
cache_icons_and_logos(app)
|
|
|
|
|
|
@app.route("/")
|
|
def index():
|
|
"""Render the main index page."""
|
|
cards = app.config["cards"]
|
|
lg_classes, md_classes = compute_card_classes(cards)
|
|
apod_bg = None
|
|
api_key = app.config.get("NASA_API_KEY")
|
|
if api_key:
|
|
resp = requests.get(
|
|
"https://api.nasa.gov/planetary/apod",
|
|
params={"api_key": api_key},
|
|
timeout=10,
|
|
)
|
|
if resp.ok:
|
|
data = resp.json()
|
|
if data.get("media_type") == "image":
|
|
apod_bg = data.get("url")
|
|
|
|
return render_template(
|
|
"pages/index.html.j2",
|
|
cards=cards,
|
|
company=app.config["company"],
|
|
navigation=app.config["navigation"],
|
|
platform=app.config["platform"],
|
|
lg_classes=lg_classes,
|
|
md_classes=md_classes,
|
|
apod_bg=apod_bg,
|
|
)
|
|
|
|
|
|
if __name__ == "__main__":
|
|
app.run(
|
|
debug=(FLASK_ENV == "development"),
|
|
host=FLASK_HOST,
|
|
port=FLASK_PORT,
|
|
use_reloader=False,
|
|
)
|