mirror of
https://github.com/dgtlmoon/changedetection.io.git
synced 2026-01-22 07:00:27 +00:00
Multi-language / Translations Support (#3696) - Complete internationalization system implemented - Support for 7 languages: Czech (cs), German (de), French (fr), Italian (it), Korean (ko), Chinese Simplified (zh), Chinese Traditional (zh_TW) - Language selector with localized flags and theming - Flash message translations - Multiple translation fixes and improvements across all languages - Language setting preserved across redirects Pluggable Content Fetchers (#3653) - New architecture for extensible content fetcher system - Allows custom fetcher implementations Image / Screenshot Comparison Processor (#3680) - New processor for visual change detection (disabled for this release) - Supporting CSS/JS infrastructure added UI Improvements Design & Layout - Auto-generated tag color schemes - Simplified login form styling - Removed hard-coded CSS, moved to SCSS variables - Tag UI cleanup and improvements - Automatic tab wrapper functionality - Menu refactoring for better organization - Cleanup of offset settings - Hide sticky tabs on narrow viewports - Improved responsive layout (#3702) User Experience - Modal alerts/confirmations on delete/clear operations (#3693, #3598, #3382) - Auto-add https:// to URLs in quickwatch form if not present - Better redirect handling on login (#3699) - 'Recheck all' now returns to correct group/tag (#3673) - Language set redirect keeps hash fragment - More friendly human-readable text throughout UI Performance & Reliability Scheduler & Processing - Soft delays instead of blocking time.sleep() calls (#3710) - More resilient handling of same UUID being processed (#3700) - Better Puppeteer timeout handling - Improved Puppeteer shutdown/cleanup (#3692) - Requests cleanup now properly async History & Rendering - Faster server-side "difference" rendering on History page (#3442) - Show ignored/triggered rows in history - API: Retry watch data if watch dict changed (more reliable) API Improvements - Watch get endpoint: retry mechanism for changed watch data - WatchHistoryDiff API endpoint includes extra format args (#3703) Testing Improvements - Replace time.sleep with wait_for_notification_endpoint_output (#3716) - Test for mode switching (#3701) - Test for #3720 added (#3725) - Extract-text difference test fixes - Improved dev workflow Bug Fixes - Notification error text output (#3672, #3669, #3280) - HTML validation fixes (#3704) - Template discovery path fixes - Notification debug log now uses system locale for dates/times - Puppeteer spelling mistake in log output - Recalculation on anchor change - Queue bubble update disabled temporarily Dependency Updates - beautifulsoup4 updated (#3724) - psutil 7.1.0 → 7.2.1 (#3723) - python-engineio ~=4.12.3 → ~=4.13.0 (#3707) - python-socketio ~=5.14.3 → ~=5.16.0 (#3706) - flask-socketio ~=5.5.1 → ~=5.6.0 (#3691) - brotli ~=1.1 → ~=1.2 (#3687) - lxml updated (#3590) - pytest ~=7.2 → ~=9.0 (#3676) - jsonschema ~=4.0 → ~=4.25 (#3618) - pluggy ~=1.5 → ~=1.6 (#3616) - cryptography 44.0.1 → 46.0.3 (security) (#3589) Documentation - README updated with viewport size setup information Development Infrastructure - Dev container only built on dev branch - Improved dev workflow tooling
190 lines
9.3 KiB
Python
190 lines
9.3 KiB
Python
import os
|
|
from copy import deepcopy
|
|
from datetime import datetime
|
|
from zoneinfo import ZoneInfo, available_timezones
|
|
import secrets
|
|
import flask_login
|
|
from flask import Blueprint, render_template, request, redirect, url_for, flash
|
|
from flask_babel import gettext
|
|
|
|
from changedetectionio.store import ChangeDetectionStore
|
|
from changedetectionio.auth_decorator import login_optionally_required
|
|
|
|
|
|
def construct_blueprint(datastore: ChangeDetectionStore):
|
|
settings_blueprint = Blueprint('settings', __name__, template_folder="templates")
|
|
|
|
@settings_blueprint.route("", methods=['GET', "POST"])
|
|
@login_optionally_required
|
|
def settings_page():
|
|
from changedetectionio import forms
|
|
from changedetectionio.pluggy_interface import (
|
|
get_plugin_settings_tabs,
|
|
load_plugin_settings,
|
|
save_plugin_settings
|
|
)
|
|
|
|
|
|
default = deepcopy(datastore.data['settings'])
|
|
if datastore.proxy_list is not None:
|
|
available_proxies = list(datastore.proxy_list.keys())
|
|
# When enabled
|
|
system_proxy = datastore.data['settings']['requests']['proxy']
|
|
# In the case it doesnt exist anymore
|
|
if not system_proxy in available_proxies:
|
|
system_proxy = None
|
|
|
|
default['requests']['proxy'] = system_proxy if system_proxy is not None else available_proxies[0]
|
|
# Used by the form handler to keep or remove the proxy settings
|
|
default['proxy_list'] = available_proxies[0]
|
|
|
|
# Don't use form.data on POST so that it doesnt overrid the checkbox status from the POST status
|
|
form = forms.globalSettingsForm(formdata=request.form if request.method == 'POST' else None,
|
|
data=default,
|
|
extra_notification_tokens=datastore.get_unique_notification_tokens_available()
|
|
)
|
|
|
|
# Remove the last option 'System default'
|
|
form.application.form.notification_format.choices.pop()
|
|
|
|
if datastore.proxy_list is None:
|
|
# @todo - Couldn't get setattr() etc dynamic addition working, so remove it instead
|
|
del form.requests.form.proxy
|
|
else:
|
|
form.requests.form.proxy.choices = []
|
|
for p in datastore.proxy_list:
|
|
form.requests.form.proxy.choices.append(tuple((p, datastore.proxy_list[p]['label'])))
|
|
|
|
if request.method == 'POST':
|
|
# Password unset is a GET, but we can lock the session to a salted env password to always need the password
|
|
if form.application.form.data.get('removepassword_button', False):
|
|
# SALTED_PASS means the password is "locked" to what we set in the Env var
|
|
if not os.getenv("SALTED_PASS", False):
|
|
datastore.remove_password()
|
|
flash(gettext("Password protection removed."), 'notice')
|
|
flask_login.logout_user()
|
|
return redirect(url_for('settings.settings_page'))
|
|
|
|
if form.validate():
|
|
# Don't set password to False when a password is set - should be only removed with the `removepassword` button
|
|
app_update = dict(deepcopy(form.data['application']))
|
|
|
|
# Never update password with '' or False (Added by wtforms when not in submission)
|
|
if 'password' in app_update and not app_update['password']:
|
|
del (app_update['password'])
|
|
|
|
datastore.data['settings']['application'].update(app_update)
|
|
|
|
# Handle dynamic worker count adjustment
|
|
old_worker_count = datastore.data['settings']['requests'].get('workers', 1)
|
|
new_worker_count = form.data['requests'].get('workers', 1)
|
|
|
|
datastore.data['settings']['requests'].update(form.data['requests'])
|
|
|
|
# Adjust worker count if it changed
|
|
if new_worker_count != old_worker_count:
|
|
from changedetectionio import worker_handler
|
|
from changedetectionio.flask_app import update_q, notification_q, app, datastore as ds
|
|
|
|
result = worker_handler.adjust_async_worker_count(
|
|
new_count=new_worker_count,
|
|
update_q=update_q,
|
|
notification_q=notification_q,
|
|
app=app,
|
|
datastore=ds
|
|
)
|
|
|
|
if result['status'] == 'success':
|
|
flash(gettext("Worker count adjusted: {}").format(result['message']), 'notice')
|
|
elif result['status'] == 'not_supported':
|
|
flash(gettext("Dynamic worker adjustment not supported for sync workers"), 'warning')
|
|
elif result['status'] == 'error':
|
|
flash(gettext("Error adjusting workers: {}").format(result['message']), 'error')
|
|
|
|
if not os.getenv("SALTED_PASS", False) and len(form.application.form.password.encrypted_password):
|
|
datastore.data['settings']['application']['password'] = form.application.form.password.encrypted_password
|
|
datastore.needs_write_urgent = True
|
|
flash(gettext("Password protection enabled."), 'notice')
|
|
flask_login.logout_user()
|
|
return redirect(url_for('watchlist.index'))
|
|
|
|
datastore.needs_write_urgent = True
|
|
|
|
# Also save plugin settings from the same form submission
|
|
plugin_tabs_list = get_plugin_settings_tabs()
|
|
for tab in plugin_tabs_list:
|
|
plugin_id = tab['plugin_id']
|
|
form_class = tab['form_class']
|
|
|
|
# Instantiate plugin form with POST data
|
|
plugin_form = form_class(formdata=request.form)
|
|
|
|
# Save plugin settings (validation is optional for plugins)
|
|
if plugin_form.data:
|
|
save_plugin_settings(datastore.datastore_path, plugin_id, plugin_form.data)
|
|
|
|
flash(gettext("Settings updated."))
|
|
|
|
else:
|
|
flash(gettext("An error occurred, please see below."), "error")
|
|
|
|
# Convert to ISO 8601 format, all date/time relative events stored as UTC time
|
|
utc_time = datetime.now(ZoneInfo("UTC")).isoformat()
|
|
|
|
# Get active plugins
|
|
from changedetectionio.pluggy_interface import get_active_plugins
|
|
import sys
|
|
active_plugins = get_active_plugins()
|
|
python_version = f"{sys.version_info.major}.{sys.version_info.minor}.{sys.version_info.micro}"
|
|
|
|
# Get plugin settings tabs and instantiate forms
|
|
plugin_tabs = get_plugin_settings_tabs()
|
|
plugin_forms = {}
|
|
|
|
for tab in plugin_tabs:
|
|
plugin_id = tab['plugin_id']
|
|
form_class = tab['form_class']
|
|
|
|
# Load existing settings
|
|
settings = load_plugin_settings(datastore.datastore_path, plugin_id)
|
|
|
|
# Instantiate the form with existing settings
|
|
plugin_forms[plugin_id] = form_class(data=settings)
|
|
|
|
output = render_template("settings.html",
|
|
active_plugins=active_plugins,
|
|
api_key=datastore.data['settings']['application'].get('api_access_token'),
|
|
python_version=python_version,
|
|
available_timezones=sorted(available_timezones()),
|
|
emailprefix=os.getenv('NOTIFICATION_MAIL_BUTTON_PREFIX', False),
|
|
extra_notification_token_placeholder_info=datastore.get_unique_notification_token_placeholders_available(),
|
|
form=form,
|
|
hide_remove_pass=os.getenv("SALTED_PASS", False),
|
|
min_system_recheck_seconds=int(os.getenv('MINIMUM_SECONDS_RECHECK_TIME', 3)),
|
|
settings_application=datastore.data['settings']['application'],
|
|
timezone_default_config=datastore.data['settings']['application'].get('scheduler_timezone_default'),
|
|
utc_time=utc_time,
|
|
plugin_tabs=plugin_tabs,
|
|
plugin_forms=plugin_forms,
|
|
)
|
|
|
|
return output
|
|
|
|
@settings_blueprint.route("/reset-api-key", methods=['GET'])
|
|
@login_optionally_required
|
|
def settings_reset_api_key():
|
|
secret = secrets.token_hex(16)
|
|
datastore.data['settings']['application']['api_access_token'] = secret
|
|
datastore.needs_write_urgent = True
|
|
flash(gettext("API Key was regenerated."))
|
|
return redirect(url_for('settings.settings_page')+'#api')
|
|
|
|
@settings_blueprint.route("/notification-logs", methods=['GET'])
|
|
@login_optionally_required
|
|
def notification_logs():
|
|
from changedetectionio.flask_app import notification_debug_log
|
|
output = render_template("notification-log.html",
|
|
logs=notification_debug_log if len(notification_debug_log) else ["Notification logs are empty - no notifications sent yet."])
|
|
return output
|
|
|
|
return settings_blueprint |