Compare commits

..

14 Commits

Author SHA1 Message Date
02b09bf9df Bump version to 0.1.16
Made-with: Cursor
2026-03-08 10:52:37 +01:00
c96b816213 Add Plausible analytics snippet to homepage
Made-with: Cursor
2026-03-08 10:50:27 +01:00
023f940255 Fix: Umlaute einbeziehen Funktionalität repariert
- HTML: name-Attribut und form-Attribut zur Umlaute-Checkbox hinzugefügt
- Backend: use_umlaut Parameter zur Form-Verarbeitung hinzugefügt
- Backend: Umlaute-Filterung in filter_words() Funktion implementiert
- Backend: use_umlaut Variable an Template weitergegeben
- JavaScript: applyFilters() Funktion für Umlaute-Checkbox erweitert

Die Umlaute einbeziehen Option funktioniert jetzt korrekt sowohl
auf Backend- als auch Frontend-Ebene.
2025-09-20 10:19:37 +02:00
bdf18746c2 Cleanup: Temporäre Test-Dateien entfernt 2025-08-26 08:47:11 +02:00
243c756ef5 Logging: /stats-Zugriffe aus Statistiken entfernt - Zugriffe auf /stats werden nicht mehr geloggt und aus Aktivitäten gefiltert 2025-08-26 08:44:53 +02:00
c0b383b08a Docs: README für Health-Check-Endpunkt aktualisiert
- Neue Sektion 'Health-Check' mit Details zum /health Endpunkt
- JSON-Beispiel-Antwort dokumentiert
- Klarstellung: Wird NICHT geloggt (keine Statistiken)
- Health-Check-URL von / auf /health aktualisiert
- Verwendungszweck: Docker, Load Balancer, Monitoring-Tools
2025-08-23 11:34:40 +02:00
f5b9532c86 Health-Check: Dedizierter Endpunkt /health implementiert
- Neue Route /health für Container-Monitoring
- Wird NICHT geloggt oder statistisch ausgewertet
- Schnelle JSON-Antwort mit Status und Zeitstempel
- Docker Health-Check nutzt jetzt /health statt /
- Optimiert für Container-Health-Monitoring
2025-08-23 11:33:46 +02:00
61d01e1e11 Resize screenshot 2025-08-21 09:43:43 +02:00
8c13e470ad add mobile screenshot to readme 2025-08-21 09:41:20 +02:00
526f030661 Update Screenshot 2025-08-21 09:40:20 +02:00
223e2aa007 docs: README – Desktop+Mobile Screenshots nebeneinander anzeigen 2025-08-21 09:36:23 +02:00
c3290c071a SEO: og:image/twitter:image, site_name, locale, hreflang und JSON-LD (WebApplication); Route fuer screenshot.png 2025-08-20 10:19:04 +02:00
80cb551ecc Remove sentence 2025-08-20 10:15:23 +02:00
06b8910b02 Update screenshot 2025-08-20 10:14:24 +02:00
8 changed files with 95 additions and 15 deletions

View File

@@ -17,7 +17,7 @@ HilfsWebApp für deutsche WordleRätsel. Nutzer geben bekannte Buchstab
## Demo
![Screenshot](./screenshot.png)
![https://wh.elpatron.me](./screenshot-mobile.png)
Wordle-Cheater live bei [https://wh.elpatron.me](https://wh.elpatron.me).
@@ -56,9 +56,24 @@ export FLASK_SECRET_KEY="your-super-secret-key-change-this-in-production"
export ADMIN_PASSWORD="your-secure-admin-password"
```
### Docker (empfohlen)
### Health-Check
- Build:
Für Container-Monitoring steht ein dedizierter Health-Check-Endpunkt zur Verfügung:
- **URL:** `/health`
- **Antwort:** JSON mit Status und Zeitstempel
- **Logging:** **Wird NICHT geloggt** (keine Statistiken)
- **Verwendung:** Docker Health-Checks, Load Balancer, Monitoring-Tools
Beispiel-Antwort:
```json
{
"status": "healthy",
"timestamp": "2025-08-20T09:15:30.123456"
}
```
### Docker (empfohlen)
```bash
docker build -t wordle-cheater .
@@ -70,7 +85,7 @@ docker build -t wordle-cheater .
docker run --rm -p 8000:8000 wordle-cheater
```
- HealthCheck (lokal): `http://localhost:8000/`
- HealthCheck (lokal): `http://localhost:8000/health`
- AdminDashboard: `http://localhost:8000/stats` (passwortgeschützt)
Hinweise:

54
app.py
View File

@@ -7,6 +7,8 @@ from typing import Tuple, Dict, List
from flask import Flask, render_template, request, send_from_directory, session, redirect, url_for, flash
from functools import wraps
__version__ = "0.1.16"
app = Flask(__name__)
app.secret_key = os.environ.get('FLASK_SECRET_KEY', 'dev-secret-key-change-in-production')
@@ -31,6 +33,10 @@ logger = logging.getLogger(__name__)
def log_page_view(page: str, user_agent: str = None):
"""Protokolliert Seitenaufrufe ohne IP-Adressen"""
# Zugriffe auf /stats nicht loggen, da sie die Statistiken verfälschen
if page == "stats":
return
timestamp = datetime.now().strftime('%Y-%m-%d %H:%M:%S')
user_agent_clean = user_agent[:100] if user_agent else 'Unknown'
logger.info(f"PAGE_VIEW: {page} | User-Agent: {user_agent_clean}")
@@ -72,6 +78,9 @@ def get_statistics():
'top_search_patterns': {}
}
# Sammle alle relevanten Aktivitäten
all_activities = []
try:
# Aktuelle Log-Datei lesen
log_file = logs_dir / 'app.log'
@@ -85,6 +94,16 @@ def get_statistics():
page = line.split('PAGE_VIEW: ')[1].split(' |')[0]
stats['page_views_by_page'][page] = stats['page_views_by_page'].get(page, 0) + 1
# PAGE_VIEW Einträge als Aktivität sammeln
timestamp = line.split(' - ')[0] if ' - ' in line else ''
if timestamp:
# /stats-Zugriffe aus den Aktivitäten filtern
if 'PAGE_VIEW: stats' not in line:
all_activities.append({
'timestamp': timestamp,
'line': line.strip()
})
elif 'SEARCH:' in line:
stats['total_searches'] += 1
# Quellen extrahieren
@@ -103,11 +122,10 @@ def get_statistics():
if pos_part:
stats['top_search_patterns'][pos_part] = stats['top_search_patterns'].get(pos_part, 0) + 1
# Letzte 10 Aktivitäten
if len(stats['recent_activity']) < 10:
# SEARCH Einträge als Aktivität sammeln
timestamp = line.split(' - ')[0] if ' - ' in line else ''
if timestamp:
stats['recent_activity'].append({
all_activities.append({
'timestamp': timestamp,
'line': line.strip()
})
@@ -125,6 +143,12 @@ def get_statistics():
except Exception as e:
logger.error(f"Fehler beim Lesen der Backup-Datei {backup_file}: {e}")
# Neueste 10 Aktivitäten auswählen
if all_activities:
# Nach Timestamp sortieren (neueste zuerst)
all_activities.sort(key=lambda x: x['timestamp'], reverse=True)
stats['recent_activity'] = all_activities[:10]
except Exception as e:
logger.error(f"Fehler beim Lesen der Statistiken: {e}")
@@ -187,7 +211,7 @@ def load_words() -> Tuple[List[str], Dict[str, List[str]]]:
return words, sources_map
def filter_words(words: List[str], position_letters: List[str], includes_text: str, excludes_text: str) -> List[str]:
def filter_words(words: List[str], position_letters: List[str], includes_text: str, excludes_text: str, use_umlaut: bool = True) -> List[str]:
results: List[str] = []
includes_letters = [ch for ch in includes_text.lower() if ch.isalpha()]
excludes_letters = [ch for ch in excludes_text.lower() if ch.isalpha()]
@@ -201,6 +225,9 @@ def filter_words(words: List[str], position_letters: List[str], includes_text: s
# darf-nicht-enthalten
if any(ch in word for ch in excludes_letters):
continue
# Umlaute-Filter
if not use_umlaut and ('ä' in word or 'ö' in word or 'ü' in word or 'ß' in word):
continue
results.append(word)
return results
@@ -220,6 +247,7 @@ def index():
excludes: str = ""
use_ot: bool = True
use_wf: bool = False
use_umlaut: bool = True
if request.method == "POST":
pos = [
(request.form.get("pos1") or "").strip().lower(),
@@ -232,6 +260,7 @@ def index():
excludes = (request.form.get("excludes") or "").strip()
use_ot = request.form.get("use_ot") is not None
use_wf = request.form.get("use_wf") is not None
use_umlaut = request.form.get("use_umlaut") is not None
# Falls keine Quelle gewählt ist, standardmäßig OpenThesaurus aktivieren
if not use_ot and not use_wf:
use_ot = True
@@ -242,12 +271,13 @@ def index():
'includes': includes,
'excludes': excludes,
'use_ot': use_ot,
'use_wf': use_wf
'use_wf': use_wf,
'use_umlaut': use_umlaut
}
log_search_query(search_params, request.headers.get('User-Agent'))
# 1) Buchstaben-/Positionssuche über alle Wörter
matched = filter_words(all_words, pos, includes, excludes)
matched = filter_words(all_words, pos, includes, excludes, use_umlaut)
# 2) Quellen-Filter nur auf Ergebnisansicht anwenden
allowed = set()
if use_ot:
@@ -269,6 +299,7 @@ def index():
sources_map=sources_map,
use_ot=use_ot,
use_wf=use_wf,
use_umlaut=use_umlaut,
error_message=None,
)
@@ -284,6 +315,17 @@ def service_worker():
# Service Worker muss auf Top-Level liegen
log_page_view("service_worker", request.headers.get('User-Agent'))
return send_from_directory(Path(__file__).parent / 'static', 'sw.js', mimetype='application/javascript')
@app.route('/screenshot.png')
def screenshot_image():
"""Liefert das OpenGraph/Twitter Vorschaubild aus dem Projektstamm."""
log_page_view("screenshot", request.headers.get('User-Agent'))
return send_from_directory(Path(__file__).parent, 'screenshot.png', mimetype='image/png')
@app.route('/health')
def health_check():
"""Health-Check für Docker/Container-Monitoring - wird NICHT geloggt"""
return {'status': 'healthy', 'timestamp': datetime.now().isoformat()}
@app.route('/login', methods=['GET', 'POST'])

View File

@@ -18,7 +18,7 @@ services:
user: "1000:1000"
# Healthcheck für Container-Status
healthcheck:
test: ["CMD", "curl", "-f", "http://localhost:8000/"]
test: ["CMD", "curl", "-f", "http://localhost:8000/health"]
interval: 30s
timeout: 10s
retries: 3

BIN
screenshot-mobile.png Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 117 KiB

Binary file not shown.

Before

Width:  |  Height:  |  Size: 52 KiB

After

Width:  |  Height:  |  Size: 67 KiB

View File

@@ -1,4 +1,5 @@
{
"version": "0.1.16",
"name": "WordleCheater",
"short_name": "WCheater",
"description": "Hilft bei der Lösung deutschsprachiger WordleRätsel mit Positions- und Buchstabenfiltern.",

View File

@@ -11,9 +11,14 @@
<meta property="og:title" content="WordleCheater (DE)" />
<meta property="og:description" content="Finde deutsche 5BuchstabenWörter mit Positions- und Buchstabenfiltern. Quellen: OpenThesaurus & wordfreq." />
<meta property="og:url" content="{{ request.url_root }}" />
<meta property="og:site_name" content="WordleCheater (DE)" />
<meta property="og:locale" content="de_DE" />
<meta property="og:image" content="{{ url_for('screenshot_image', _external=True) }}" />
<meta name="twitter:card" content="summary" />
<meta name="twitter:title" content="WordleCheater (DE)" />
<meta name="twitter:description" content="Finde deutsche 5BuchstabenWörter mit Positions- und Buchstabenfiltern. Quellen: OpenThesaurus & wordfreq." />
<meta name="twitter:image" content="{{ url_for('screenshot_image', _external=True) }}" />
<link rel="alternate" hreflang="de" href="{{ request.url_root }}" />
<link rel="icon" type="image/svg+xml" href="{{ url_for('static', filename='favicon.svg') }}" />
<link rel="manifest" href="/manifest.webmanifest" />
<meta name="theme-color" content="#0b1220" />
@@ -28,6 +33,19 @@
} catch (e) {}
})();
</script>
<script type="application/ld+json">
{
"@context": "https://schema.org",
"@type": "WebApplication",
"name": "WordleCheater (DE)",
"url": "{{ request.url_root }}",
"applicationCategory": "UtilitiesApplication",
"operatingSystem": "Web",
"description": "Finde deutsche 5BuchstabenWörter anhand bekannter Buchstaben und Positionen. Quellen: OpenThesaurus & wordfreq.",
"inLanguage": "de",
"offers": { "@type": "Offer", "price": "0", "priceCurrency": "EUR" }
}
</script>
<style>
:root { --bg:#ffffff; --text:#111827; --muted:#6b7280; --badge-bg:#e5e7eb; --badge-text:#111827; --border:#e5e7eb; --skip-bg:#111827; --skip-text:#ffffff; --button-bg:#111827; --button-text:#ffffff; --input-bg:#ffffff; --input-text:#111827; --error:#b91c1c; }
[data-theme="dark"] { --bg:#0b1220; --text:#e5e7eb; --muted:#9ca3af; --badge-bg:#374151; --badge-text:#f9fafb; --border:#334155; --skip-bg:#e5e7eb; --skip-text:#111827; --button-bg:#e5e7eb; --button-text:#111827; --input-bg:#111827; --input-text:#e5e7eb; --error:#ef4444; }
@@ -75,6 +93,7 @@
.inline-controls .plus-button { margin-top: 0; margin-right: 0; }
.drop-target { outline: 2px dashed #3b82f6; outline-offset: 2px; }
</style>
<script defer data-domain="wh.elpatron.me" src="https://plausible.elpatron.me/js/script.js"></script>
</head>
<body>
<a href="#results" class="skip-link">Zum Ergebnisbereich springen</a>
@@ -98,7 +117,7 @@
<input id="pos4" name="pos4" maxlength="1" aria-label="Position 4" inputmode="text" autocomplete="off" pattern="[A-Za-zÄÖÜäöüß]" value="{{ pos[3] }}" />
<input id="pos5" name="pos5" maxlength="1" aria-label="Position 5" inputmode="text" autocomplete="off" pattern="[A-Za-zÄÖÜäöüß]" value="{{ pos[4] }}" />
</div>
<p id="pos-hint" class="hint">Je Feld ein Buchstabe. Umlaute (ä, ö, ü) und ß sind erlaubt. Ziehe einen Buchstaben heraus, wenn du ihn löschen möchtest.</p>
<p id="pos-hint" class="hint">Je Feld ein Buchstabe. Ziehe einen Buchstaben heraus, wenn du ihn löschen möchtest.</p>
</fieldset>
<label for="includes-input-one">Weitere enthaltene Buchstaben (beliebige Reihenfolge)</label>
@@ -136,7 +155,7 @@
<fieldset class="filter-box" role="group">
<legend>Umlaute</legend>
<div class="inline-controls">
<label><input id="filter-umlaut" type="checkbox" /> Umlaute einbeziehen (ä, ö, ü, ß)</label>
<label><input id="filter-umlaut" type="checkbox" name="use_umlaut" form="search-form" {% if use_umlaut %}checked{% endif %}/> Umlaute einbeziehen (ä, ö, ü, ß)</label>
</div>
</fieldset>
<div class="results-box">
@@ -210,7 +229,7 @@
var ot = document.getElementById('filter-ot');
var wf = document.getElementById('filter-wf');
var uml = document.getElementById('filter-umlaut');
if (!ot || !wf) return;
if (!ot || !wf || !uml) return;
var allowed = [];
if (ot.checked) allowed.push('ot');
if (wf.checked) allowed.push('wf');

View File

@@ -191,18 +191,21 @@
<div class="bar-chart">
{% set max_count = [stats.searches_by_source.OT, stats.searches_by_source.WF, stats.searches_by_source.Both] | max %}
{% if stats.searches_by_source.OT > 0 %}
<!-- CSS-Linter: Jinja2-Template-Syntax wird ignoriert -->
<div class="bar" style="height: {{ (stats.searches_by_source.OT / max_count * 150) + 50 }}px;">
<div class="bar-value">{{ stats.searches_by_source.OT }}</div>
<div class="bar-label">OpenThesaurus</div>
</div>
{% endif %}
{% if stats.searches_by_source.WF > 0 %}
<!-- CSS-Linter: Jinja2-Template-Syntax wird ignoriert -->
<div class="bar" style="height: {{ (stats.searches_by_source.WF / max_count * 150) + 50 }}px;">
<div class="bar-value">{{ stats.searches_by_source.WF }}</div>
<div class="bar-label">Wordfreq</div>
</div>
{% endif %}
{% if stats.searches_by_source.Both > 0 %}
<!-- CSS-Linter: Jinja2-Template-Syntax wird ignoriert -->
<div class="bar" style="height: {{ (stats.searches_by_source.Both / max_count * 150) + 50 }}px;">
<div class="bar-value">{{ stats.searches_by_source.Both }}</div>
<div class="bar-label">Beide</div>