From 4c7b40b89924369204497aca9b064fa1fbc2f657 Mon Sep 17 00:00:00 2001 From: fureunoir Date: Sun, 4 Jan 2026 18:37:00 +0300 Subject: [PATCH 1/4] Features: 1) Add `orjson` serializer and integrate it into Celery configuration for enhanced performance and compatibility; 2) Introduce configurable task settings such as soft and hard time limits, task tracking, and event serialization for better control and observability. Fixes: 1) Update worker entrypoints to adjust prefetch multiplier and memory/task limits for optimized resource usage. Extra: 1) Refactor Celery settings into a dedicated file for improved organization and maintainability; 2) Adjust Docker entrypoints to align with updated task configurations; 3) Register `orjson` serializer in a separate module for cleaner code structure. --- evibes/celery.py | 17 ++----- evibes/celery_serializers.py | 22 +++++++++ evibes/settings/celery.py | 57 +++++++++++++++++++++- scripts/Docker/stock-updater-entrypoint.sh | 2 +- scripts/Docker/worker-entrypoint.sh | 2 +- 5 files changed, 82 insertions(+), 18 deletions(-) create mode 100644 evibes/celery_serializers.py diff --git a/evibes/celery.py b/evibes/celery.py index 0c28594b..b8129c57 100644 --- a/evibes/celery.py +++ b/evibes/celery.py @@ -2,24 +2,13 @@ import os from celery import Celery +from evibes.celery_serializers import register_orjson + os.environ.setdefault("DJANGO_SETTINGS_MODULE", "evibes.settings") app = Celery("evibes") -app.conf.update( - worker_hijack_root_logger=False, - broker_connection_retry_on_startup=True, - task_serializer="json", - result_serializer="json", - result_compression="zlib", - accept_content=["json"], - task_acks_late=True, - task_reject_on_worker_lost=True, -) - -app.conf.task_routes = { - "core.tasks.update_products_task": {"queue": "stock_updater"}, -} +register_orjson() app.config_from_object("django.conf:settings", namespace="CELERY") diff --git a/evibes/celery_serializers.py b/evibes/celery_serializers.py new file mode 100644 index 00000000..60506da8 --- /dev/null +++ b/evibes/celery_serializers.py @@ -0,0 +1,22 @@ +import orjson +from kombu.serialization import register + + +def orjson_dumps(obj): + return orjson.dumps(obj, option=orjson.OPT_NON_STR_KEYS).decode("utf-8") + + +def orjson_loads(data): + if isinstance(data, str): + data = data.encode("utf-8") + return orjson.loads(data) + + +def register_orjson(): + register( + "orjson", + orjson_dumps, + orjson_loads, + content_type="application/json", + content_encoding="utf-8", + ) diff --git a/evibes/settings/celery.py b/evibes/settings/celery.py index 9ff31529..17d3bd93 100644 --- a/evibes/settings/celery.py +++ b/evibes/settings/celery.py @@ -7,13 +7,18 @@ CELERY_TIMEZONE = TIME_ZONE CELERY_BROKER_URL = f"redis://:{REDIS_PASSWORD}@redis:6379/0" +CELERY_BROKER_CONNECTION_RETRY_ON_STARTUP = True CELERY_BROKER_HEARTBEAT = 10 CELERY_BROKER_HEARTBEAT_CHECKRATE = 2 - CELERY_BROKER_POOL_LIMIT = 10 + CELERY_BROKER_TRANSPORT_OPTIONS = { "visibility_timeout": 3600, - "retry_policy": {"interval_start": 0.1, "interval_step": 0.2, "max_retries": 5}, + "retry_policy": { + "interval_start": 0.1, + "interval_step": 0.2, + "max_retries": 5, + }, "socket_keepalive": True, "socket_timeout": 30, "socket_connect_timeout": 30, @@ -22,6 +27,54 @@ CELERY_BROKER_TRANSPORT_OPTIONS = { CELERY_RESULT_BACKEND = CELERY_BROKER_URL +CELERY_RESULT_EXTENDED = True +CELERY_RESULT_EXPIRES = timedelta(days=1) +CELERY_RESULT_COMPRESSION = "zlib" + +CELERY_TASK_SERIALIZER = "orjson" +CELERY_RESULT_SERIALIZER = "orjson" +CELERY_ACCEPT_CONTENT = ["orjson", "json"] +CELERY_EVENT_SERIALIZER = "orjson" + +CELERY_TASK_ACKS_LATE = True +CELERY_TASK_REJECT_ON_WORKER_LOST = True + +CELERY_TASK_TRACK_STARTED = True +CELERY_TASK_SEND_SENT_EVENT = True +CELERY_WORKER_SEND_TASK_EVENTS = True + +CELERY_TASK_SOFT_TIME_LIMIT = 3600 +CELERY_TASK_TIME_LIMIT = 3900 + +CELERY_TASK_ANNOTATIONS = { + "engine.core.tasks.update_products_task": { + "rate_limit": "1/m", + "time_limit": 7200, + "soft_time_limit": 6900, + "acks_late": True, + "reject_on_worker_lost": True, + }, +} + +CELERY_WORKER_HIJACK_ROOT_LOGGER = False + +CELERY_WORKER_PREFETCH_MULTIPLIER = 4 + +CELERY_WORKER_MAX_TASKS_PER_CHILD = ( + 1000 +) +CELERY_WORKER_DISABLE_RATE_LIMITS = False + +CELERY_TASK_ROUTES = { + "engine.core.tasks.update_products_task": {"queue": "stock_updater"}, +} + +CELERY_TASK_DEFAULT_QUEUE = "default" +CELERY_TASK_DEFAULT_EXCHANGE = "default" +CELERY_TASK_DEFAULT_ROUTING_KEY = "default" + +CELERY_TASK_STORE_ERRORS_EVEN_IF_IGNORED = True + CELERY_BEAT_SCHEDULER = "django_celery_beat.schedulers.DatabaseScheduler" CELERY_BEAT_SCHEDULE = { diff --git a/scripts/Docker/stock-updater-entrypoint.sh b/scripts/Docker/stock-updater-entrypoint.sh index cc874d0e..942ccbf7 100644 --- a/scripts/Docker/stock-updater-entrypoint.sh +++ b/scripts/Docker/stock-updater-entrypoint.sh @@ -3,4 +3,4 @@ set -e uv run manage.py await_services -uv run celery -A evibes worker --pool=prefork --concurrency=1 --queues=stock_updater --loglevel=info --max-tasks-per-child=1 +uv run celery -A evibes worker --pool=prefork --concurrency=1 --queues=stock_updater --prefetch-multiplier=1 --max-tasks-per-child=5 --max-memory-per-child=1024000 -E diff --git a/scripts/Docker/worker-entrypoint.sh b/scripts/Docker/worker-entrypoint.sh index 7c69a80c..6edf6d5b 100644 --- a/scripts/Docker/worker-entrypoint.sh +++ b/scripts/Docker/worker-entrypoint.sh @@ -3,4 +3,4 @@ set -e uv run manage.py await_services -uv run celery -A evibes worker --pool=prefork --concurrency=8 --loglevel=info -E --queues=default --prefetch-multiplier=1 --max-tasks-per-child=100 --max-memory-per-child=512000 --soft-time-limit=3600 --time-limit=7200 & /opt/evibes-python/bin/celery-prometheus-exporter +uv run celery -A evibes worker --pool=prefork --concurrency=8 --queues=default --prefetch-multiplier=2 --max-tasks-per-child=100 --max-memory-per-child=512000 -E & /opt/evibes-python/bin/celery-prometheus-exporter From 42b40627def52488eb070f4a421e943bc6bbb4e9 Mon Sep 17 00:00:00 2001 From: fureunoir Date: Sun, 4 Jan 2026 19:18:27 +0300 Subject: [PATCH 2/4] Features: 1) Introduce CLI utility `lessy.py` to streamline project management tasks (e.g., install, run, restart, test); 2) Add Unix and Windows script commands for `make-messages` and `compile-messages` to improve translation workflow; 3) Include shared utility libraries (`utils.sh`, `utils.ps1`) for reusable functions across scripts. Fixes: 1) Remove obsolete `reboot` scripts for Unix and Windows to prevent redundancy; 2) Update Windows `test.ps1` to handle omitted coverage patterns and improve error feedback. Extra: 1) Refactor Windows scripts (`make-messages.ps1`, `compile-messages.ps1`, `backup.ps1`) to use shared utilities for better consistency and output formatting; 2) Add spinner-based progress indicators to enhance user experience in interactive environments. --- lessy.py | 129 ++++++++++++ scripts/Unix/backup.sh | 23 ++- scripts/Unix/compile-messages.sh | 28 +++ scripts/Unix/install.sh | 39 ++-- scripts/Unix/make-messages.sh | 44 ++++ scripts/Unix/reboot.sh | 26 --- scripts/Unix/restart.sh | 65 ++++++ scripts/Unix/run.sh | 72 +++++-- scripts/Unix/starter.sh | 24 ++- scripts/Unix/test.sh | 40 +++- scripts/Unix/uninstall.sh | 36 ++-- scripts/Windows/backup.ps1 | 19 +- scripts/Windows/compile-messages.ps1 | 21 +- scripts/Windows/install.ps1 | 50 +++-- scripts/Windows/make-messages.ps1 | 34 ++- scripts/Windows/reboot.ps1 | 54 ----- scripts/Windows/restart.ps1 | 80 +++++++ scripts/Windows/run.ps1 | 50 +++-- scripts/Windows/starter.ps1 | 25 ++- scripts/Windows/test.ps1 | 41 +++- scripts/Windows/uninstall.ps1 | 34 +-- scripts/lib/utils.ps1 | 298 +++++++++++++++++++++++++++ scripts/lib/utils.sh | 223 ++++++++++++++++++++ 23 files changed, 1218 insertions(+), 237 deletions(-) create mode 100755 lessy.py create mode 100755 scripts/Unix/compile-messages.sh create mode 100755 scripts/Unix/make-messages.sh delete mode 100755 scripts/Unix/reboot.sh create mode 100755 scripts/Unix/restart.sh delete mode 100644 scripts/Windows/reboot.ps1 create mode 100644 scripts/Windows/restart.ps1 create mode 100644 scripts/lib/utils.ps1 create mode 100644 scripts/lib/utils.sh diff --git a/lessy.py b/lessy.py new file mode 100755 index 00000000..09733189 --- /dev/null +++ b/lessy.py @@ -0,0 +1,129 @@ +#!/usr/bin/env python3 +import platform +import subprocess +import sys +from pathlib import Path + +import click + +OS = platform.system().lower() +SCRIPT_EXT = ".ps1" if OS == "windows" else ".sh" +SCRIPT_DIR = "Windows" if OS == "windows" else "Unix" +PROJECT_ROOT = Path(__file__).parent.absolute() +SCRIPTS_PATH = PROJECT_ROOT / "scripts" / SCRIPT_DIR + + +def get_script_path(command: str) -> Path: + return SCRIPTS_PATH / f"{command}{SCRIPT_EXT}" + + +def run_script(script_name: str, *args) -> int: + script_path = get_script_path(script_name) + + if not script_path.exists(): + click.secho(f"Error: Script '{script_name}' not found at {script_path}", fg="red", err=True) + return 1 + + if OS == "windows": + cmd = ["pwsh", "-File", str(script_path)] + else: + cmd = ["bash", str(script_path)] + + cmd.extend(args) + + try: + result = subprocess.run(cmd, cwd=PROJECT_ROOT) + return result.returncode + except FileNotFoundError: + shell_name = "PowerShell" if OS == "windows" else "bash" + click.secho(f"Error: {shell_name} not found. Please ensure it's installed.", fg="red", err=True) + return 127 + except KeyboardInterrupt: + click.secho("\nOperation cancelled by user.", fg="yellow") + return 130 + + +@click.group( + context_settings={"help_option_names": ["-h", "--help"]}, + invoke_without_command=True, +) +@click.pass_context +def cli(ctx): + if ctx.invoked_subcommand is None: + click.echo(ctx.get_help()) + + +@cli.command() +def install(): + return sys.exit(run_script("install")) + + +@cli.command() +def run(): + return sys.exit(run_script("run")) + + +@cli.command() +def restart(): + return sys.exit(run_script("restart")) + + +@cli.command() +@click.option("-r", "--report", type=click.Choice(["xml", "html"]), help="Generate coverage report (xml or html)") +def test(report): + args = [] + if report: + args.extend(["-r", report]) + return sys.exit(run_script("test", *args)) + + +@cli.command() +def uninstall(): + if click.confirm("This will remove all Docker containers, volumes, and generated files. Continue?"): + return sys.exit(run_script("uninstall")) + else: + click.secho("Uninstall cancelled.", fg="yellow") + return 0 + + +@cli.command() +def backup(): + return sys.exit(run_script("backup")) + + +@cli.command(name="generate-env") +def generate_env(): + return sys.exit(run_script("generate-environment-file")) + + +@cli.command(name="export-env") +def export_env(): + return sys.exit(run_script("export-environment-file")) + + +@cli.command(name="make-messages") +def make_messages(): + return sys.exit(run_script("make-messages")) + + +@cli.command(name="compile-messages") +def compile_messages(): + return sys.exit(run_script("compile-messages")) + + +@cli.command() +def info(): + click.echo(f"{'='*60}") + click.secho("lessy - eVibes Project CLI", fg="cyan", bold=True) + click.echo(f"{'='*60}") + click.echo(f"Operating System: {platform.system()} ({platform.release()})") + click.echo(f"Python Version: {platform.python_version()}") + click.echo(f"Architecture: {platform.machine()}") + click.echo(f"Project Root: {PROJECT_ROOT}") + click.echo(f"Scripts Directory: {SCRIPTS_PATH}") + click.echo(f"Script Extension: {SCRIPT_EXT}") + click.echo(f"{'='*60}") + + +if __name__ == "__main__": + cli() diff --git a/scripts/Unix/backup.sh b/scripts/Unix/backup.sh index 0f7c497c..a4c7bb7d 100644 --- a/scripts/Unix/backup.sh +++ b/scripts/Unix/backup.sh @@ -3,10 +3,21 @@ set -euo pipefail source ./scripts/Unix/starter.sh -echo "Starting database backup process..." -docker compose exec app uv run manage.py dbbackup -echo "Database backup created under ./dbbackup" +# Database backup +log_step "Starting database backup process..." +if ! docker compose exec app uv run manage.py dbbackup; then + log_error "Database backup failed" + exit 1 +fi +log_success "Database backup created under ./dbbackup" -echo "Starting media backup process..." -docker compose exec app uv run manage.py mediabackup -echo "Media backup created under ./dbbackup" +# Media backup +log_step "Starting media backup process..." +if ! docker compose exec app uv run manage.py mediabackup; then + log_error "Media backup failed" + exit 1 +fi +log_success "Media backup created under ./dbbackup" + +echo +log_result "Backup completed successfully!" diff --git a/scripts/Unix/compile-messages.sh b/scripts/Unix/compile-messages.sh new file mode 100755 index 00000000..ab229907 --- /dev/null +++ b/scripts/Unix/compile-messages.sh @@ -0,0 +1,28 @@ +#!/usr/bin/env bash +set -euo pipefail + +source ./scripts/Unix/starter.sh + +if [ ! -f .env ]; then + log_warning ".env file not found. Exiting without running Docker steps." + exit 0 +fi + +# Check placeholders +log_step "Checking placeholders in PO files..." +if ! docker compose exec app uv run manage.py check_translated -l ALL -a ALL; then + log_error "PO files have placeholder issues" + exit 1 +fi +log_success "PO files have no placeholder issues!" + +# Compile messages +log_step "Compiling PO files into MO files..." +if ! docker compose exec app uv run manage.py compilemessages -l ar_AR -l cs_CZ -l da_DK -l de_DE -l en_GB -l en_US -l es_ES -l fa_IR -l fr_FR -l he_IL -l hi_IN -l hr_HR -l id_ID -l it_IT -l ja_JP -l kk_KZ -l ko_KR -l nl_NL -l no_NO -l pl_PL -l pt_BR -l ro_RO -l ru_RU -l sv_SE -l th_TH -l tr_TR -l vi_VN -l zh_Hans; then + log_error "Failed to compile messages" + exit 1 +fi +log_success "Compiled successfully!" + +echo +log_result "Translation compilation complete!" diff --git a/scripts/Unix/install.sh b/scripts/Unix/install.sh index 2c6db187..c9fb9025 100755 --- a/scripts/Unix/install.sh +++ b/scripts/Unix/install.sh @@ -4,41 +4,30 @@ set -euo pipefail source ./scripts/Unix/starter.sh if [ ! -f .env ]; then - echo ".env file not found. Exiting without running Docker steps." >&2 + log_warning ".env file not found. Exiting without running Docker steps." exit 0 fi -cpu_count=$(getconf _NPROCESSORS_ONLN) -if [ "$cpu_count" -lt 4 ]; then +# Check system requirements +if ! check_system_requirements 4 6 20; then exit 1 fi -if [ -f /proc/meminfo ]; then - mem_kb=$(grep MemTotal /proc/meminfo | awk '{print $2}') - total_mem_gb=$(awk "BEGIN {printf \"%.2f\", $mem_kb/1024/1024}") -else - total_mem_bytes=$(sysctl -n hw.memsize) - total_mem_gb=$(awk "BEGIN {printf \"%.2f\", $total_mem_bytes/1024/1024/1024}") -fi -if ! awk "BEGIN {exit !($total_mem_gb >= 6)}"; then +# Pull Docker images +log_step "Pulling images..." +if ! docker compose pull; then + log_error "Failed to pull Docker images" exit 1 fi +log_success "Images pulled successfully" -avail_kb=$(df -k . | tail -1 | awk '{print $4}') -free_gb=$(awk "BEGIN {printf \"%.2f\", $avail_kb/1024/1024}") -if ! awk "BEGIN {exit !($free_gb >= 20)}"; then +# Build Docker images +log_step "Building images..." +if ! docker compose build; then + log_error "Failed to build Docker images" exit 1 fi - -echo "System requirements met: CPU cores=$cpu_count, RAM=${total_mem_gb}GB, FreeDisk=${free_gb}GB" - -echo "Pulling images" -docker compose pull -echo "Images pulled successfully" - -echo "Building images" -docker compose build -echo "Images built successfully" +log_success "Images built successfully" echo -echo "You can now use run.sh script." +log_result "You can now use run.sh script or run: ./lessy.py run" diff --git a/scripts/Unix/make-messages.sh b/scripts/Unix/make-messages.sh new file mode 100755 index 00000000..3303ac67 --- /dev/null +++ b/scripts/Unix/make-messages.sh @@ -0,0 +1,44 @@ +#!/usr/bin/env bash +set -euo pipefail + +source ./scripts/Unix/starter.sh + +if [ ! -f .env ]; then + log_warning ".env file not found. Exiting without running Docker steps." + exit 0 +fi + +# Remove old fuzzy entries +log_step "Remove old fuzzy entries..." +if ! docker compose exec app uv run manage.py fix_fuzzy; then + log_error "Failed to remove old fuzzy entries" + exit 1 +fi +log_success "Old fuzzy entries removed successfully!" + +# Update PO files +log_step "Updating PO files..." +if ! docker compose exec app uv run manage.py makemessages -l ar_AR -l cs_CZ -l da_DK -l de_DE -l en_GB -l en_US -l es_ES -l fa_IR -l fr_FR -l he_IL -l hi_IN -l hr_HR -l id_ID -l it_IT -l ja_JP -l kk_KZ -l ko_KR -l nl_NL -l no_NO -l pl_PL -l pt_BR -l ro_RO -l ru_RU -l sv_SE -l th_TH -l tr_TR -l vi_VN -l zh_Hans; then + log_error "Failed to update PO files" + exit 1 +fi +log_success "PO files updated successfully!" + +# Fix new fuzzy entries +log_step "Fixing new fuzzy entries..." +if ! docker compose exec app uv run manage.py fix_fuzzy; then + log_error "Failed to fix new fuzzy entries" + exit 1 +fi +log_success "New fuzzy entries fixed successfully!" + +# Translate with DeepL +log_step "Translating with DeepL..." +if ! docker compose exec app uv run manage.py deepl_translate -l ALL -a ALL; then + log_error "Translation failed" + exit 1 +fi +log_success "Translated successfully!" + +echo +log_result "You can now use compile-messages.sh script or run: ./lessy.py compile-messages" diff --git a/scripts/Unix/reboot.sh b/scripts/Unix/reboot.sh deleted file mode 100755 index 83b97565..00000000 --- a/scripts/Unix/reboot.sh +++ /dev/null @@ -1,26 +0,0 @@ -#!/usr/bin/env bash -set -euo pipefail - -source ./scripts/Unix/starter.sh - -echo "Shutting down..." -docker compose down -echo "Services were shut down successfully!" - -echo "Spinning services up..." -docker compose up -d --build --wait -echo "Services are up and healthy!" - -echo "Completing pre-run tasks..." -docker compose exec app uv run manage.py migrate --no-input --verbosity 0 -docker compose exec app uv run manage.py initialize -docker compose exec app uv run manage.py set_default_caches -docker compose exec app uv run manage.py search_index --rebuild -f -docker compose exec app uv run manage.py collectstatic --clear --no-input --verbosity 0 -echo "Pre-run tasks completed successfully!" - -echo "Cleaning up unused Docker data..." -docker system prune -f -echo "Unused Docker data cleaned successfully!" - -echo "All done! eVibes is up and running!" diff --git a/scripts/Unix/restart.sh b/scripts/Unix/restart.sh new file mode 100755 index 00000000..1fa17c97 --- /dev/null +++ b/scripts/Unix/restart.sh @@ -0,0 +1,65 @@ +#!/usr/bin/env bash +set -euo pipefail + +source ./scripts/Unix/starter.sh + +# Shutdown services +log_step "Shutting down..." +if ! docker compose down; then + log_error "Failed to shut down services" + exit 1 +fi +log_success "Services were shut down successfully!" + +# Rebuild and start services +log_step "Spinning services up with rebuild..." +if ! docker compose up -d --build --wait; then + log_error "Failed to start services" + exit 1 +fi +log_success "Services are up and healthy!" + +# Run pre-run tasks +log_step "Completing pre-run tasks..." + +log_info " → Running migrations..." +if ! docker compose exec app uv run manage.py migrate --no-input --verbosity 0; then + log_error "Migrations failed" + exit 1 +fi + +log_info " → Initializing..." +if ! docker compose exec app uv run manage.py initialize; then + log_error "Initialization failed" + exit 1 +fi + +log_info " → Setting default caches..." +if ! docker compose exec app uv run manage.py set_default_caches; then + log_error "Cache setup failed" + exit 1 +fi + +log_info " → Rebuilding search index..." +if ! docker compose exec app uv run manage.py search_index --rebuild -f; then + log_error "Search index rebuild failed" + exit 1 +fi + +log_info " → Collecting static files..." +if ! docker compose exec app uv run manage.py collectstatic --clear --no-input --verbosity 0; then + log_error "Static files collection failed" + exit 1 +fi + +log_success "Pre-run tasks completed successfully!" + +# Cleanup +log_step "Cleaning up unused Docker data..." +if ! docker system prune -f; then + log_warning "Docker cleanup had issues, but continuing..." +fi +log_success "Unused Docker data cleaned successfully!" + +echo +log_result "All done! eVibes is up and running!" diff --git a/scripts/Unix/run.sh b/scripts/Unix/run.sh index c6246678..358e2d3a 100755 --- a/scripts/Unix/run.sh +++ b/scripts/Unix/run.sh @@ -3,36 +3,72 @@ set -euo pipefail source ./scripts/Unix/starter.sh -echo "Verifying all images are present..." +# Verify Docker images +log_step "Verifying all images are present..." if command -v jq >/dev/null 2>&1; then images=$(docker compose config --format json | jq -r '.services[].image // empty') if [ -n "$images" ]; then for image in $images; do if ! docker image inspect "$image" > /dev/null 2>&1; then - echo "Required images not found. Please run install.sh first." >&2 + log_error "Required images not found. Please run install.sh first." exit 1 fi - echo " - Found image: $image" + log_info " • Found image: $image" done fi else - echo "jq is not installed; skipping image verification step." + log_warning "jq is not installed; skipping image verification step." fi -echo "Spinning services up..." -docker compose up --no-build --detach --wait -echo "Services are up and healthy!" +# Start services +log_step "Spinning services up..." +if ! docker compose up --no-build --detach --wait; then + log_error "Failed to start services" + exit 1 +fi +log_success "Services are up and healthy!" -echo "Completing pre-run tasks..." -docker compose exec app uv run manage.py migrate --no-input --verbosity 0 -docker compose exec app uv run manage.py initialize -docker compose exec app uv run manage.py set_default_caches -docker compose exec app uv run manage.py search_index --rebuild -f -docker compose exec app uv run manage.py collectstatic --clear --no-input --verbosity 0 -echo "Pre-run tasks completed successfully!" +# Run pre-run tasks +log_step "Completing pre-run tasks..." -echo "Cleaning unused Docker data..." -docker system prune -f -echo "Unused Docker data cleaned successfully!" +log_info " → Running migrations..." +if ! docker compose exec app uv run manage.py migrate --no-input --verbosity 0; then + log_error "Migrations failed" + exit 1 +fi -echo "All done! eVibes is up and running!" +log_info " → Initializing..." +if ! docker compose exec app uv run manage.py initialize; then + log_error "Initialization failed" + exit 1 +fi + +log_info " → Setting default caches..." +if ! docker compose exec app uv run manage.py set_default_caches; then + log_error "Cache setup failed" + exit 1 +fi + +log_info " → Rebuilding search index..." +if ! docker compose exec app uv run manage.py search_index --rebuild -f; then + log_error "Search index rebuild failed" + exit 1 +fi + +log_info " → Collecting static files..." +if ! docker compose exec app uv run manage.py collectstatic --clear --no-input --verbosity 0; then + log_error "Static files collection failed" + exit 1 +fi + +log_success "Pre-run tasks completed successfully!" + +# Cleanup +log_step "Cleaning unused Docker data..." +if ! docker system prune -f; then + log_warning "Docker cleanup had issues, but continuing..." +fi +log_success "Unused Docker data cleaned successfully!" + +echo +log_result "All done! eVibes is up and running!" diff --git a/scripts/Unix/starter.sh b/scripts/Unix/starter.sh index 7ee42548..840bc2ac 100644 --- a/scripts/Unix/starter.sh +++ b/scripts/Unix/starter.sh @@ -7,18 +7,30 @@ else script_path="$0" fi script_dir="$(cd "$(dirname "$script_path")" && pwd -P)" +# Load shared utilities +# shellcheck source=../lib/utils.sh +source "$script_dir/../lib/utils.sh" + if [ ! -d "./evibes" ]; then - echo "❌ Please run this script from the project's root (where the 'evibes' directory lives)." >&2 + log_error "❌ Please run this script from the project's root (where the 'evibes' directory lives)." exit 1 fi art_path="$script_dir/../ASCII_ART_EVIBES" if [ ! -f "$art_path" ]; then - echo "❌ Could not find ASCII art at $art_path" >&2 + log_error "❌ Could not find ASCII art at $art_path" exit 1 fi -cat "$art_path" -echo -echo " by WISELESS TEAM" -echo +if is_interactive; then + # In interactive mode, show colorful banner + purple='\033[38;2;121;101;209m' + reset='\033[0m' + echo -e "${purple}$(cat "$art_path")${reset}" + echo + echo -e "${COLOR_GRAY} by WISELESS TEAM${COLOR_RESET}" + echo +else + # In non-interactive mode, show simple banner + echo "eVibes by WISELESS TEAM" +fi diff --git a/scripts/Unix/test.sh b/scripts/Unix/test.sh index f955dc39..f029c08a 100644 --- a/scripts/Unix/test.sh +++ b/scripts/Unix/test.sh @@ -4,12 +4,13 @@ set -euo pipefail source ./scripts/Unix/starter.sh report="" +omit_pattern='storefront/*,monitoring/*,Dockerfiles/*,*/__init__.py,*/tests/*,*/migrations/*,manage.py,evibes/*' while [ "$#" -gt 0 ]; do case "$1" in --report|-r) if [ "${2-}" = "" ]; then - echo "Error: --report/-r requires an argument: xml or html" >&2 + log_error "Error: --report/-r requires an argument: xml or html" exit 1 fi report="$2" @@ -24,7 +25,7 @@ while [ "$#" -gt 0 ]; do shift ;; *) - echo "Unknown argument: $1" >&2 + log_error "Unknown argument: $1" echo "Usage: $0 [--report|-r xml|html]" >&2 exit 1 ;; @@ -33,18 +34,43 @@ done case "${report:-}" in "") - docker compose exec app uv run coverage erase - docker compose exec app uv run coverage run --source='.' --omit='storefront/*,monitoring/*,Dockerfiles/*,*/__init__.py,*/tests/*,*/migrations/*,manage.py,evibes/*' manage.py test + log_step "Running tests with coverage..." + + log_info " → Erasing previous coverage data..." + if ! docker compose exec app uv run coverage erase; then + log_error "Failed to erase coverage data" + exit 1 + fi + + log_info " → Running tests..." + if ! docker compose exec app uv run coverage run --source='.' --omit="$omit_pattern" manage.py test; then + log_error "Tests failed" + exit 1 + fi + + log_info " → Generating coverage report..." docker compose exec app uv run coverage report -m ;; xml) - docker compose exec app uv run coverage xml --omit='storefront/*,monitoring/*,Dockerfiles/*,*/__init__.py,*/tests/*,*/migrations/*,manage.py,evibes/*' + log_step "Generating XML coverage report..." + if docker compose exec app uv run coverage xml --omit="$omit_pattern"; then + log_success "XML coverage report generated" + else + log_error "Failed to generate XML coverage report" + exit 1 + fi ;; html) - docker compose exec app uv run coverage html --omit='storefront/*,monitoring/*,Dockerfiles/*,*/__init__.py,*/tests/*,*/migrations/*,manage.py,evibes/*' + log_step "Generating HTML coverage report..." + if docker compose exec app uv run coverage html --omit="$omit_pattern"; then + log_success "HTML coverage report generated" + else + log_error "Failed to generate HTML coverage report" + exit 1 + fi ;; *) - echo "Invalid report type: $report (expected xml or html)" >&2 + log_error "Invalid report type: $report (expected xml or html)" exit 1 ;; esac diff --git a/scripts/Unix/uninstall.sh b/scripts/Unix/uninstall.sh index 0c68de65..8e57da6c 100644 --- a/scripts/Unix/uninstall.sh +++ b/scripts/Unix/uninstall.sh @@ -3,21 +3,31 @@ set -euo pipefail source ./scripts/Unix/starter.sh -echo "Shutting down..." -docker compose down -echo "Services were shut down successfully!" +# Shutdown services +log_step "Shutting down..." +if ! docker compose down; then + log_error "Failed to shut down services" + exit 1 +fi +log_success "Services were shut down successfully!" -echo "Removing volumes..." -docker volume rm -f evibes_prometheus-data -docker volume rm -f evibes_es-data -echo "Volumes were removed successfully!" +# Remove volumes +log_step "Removing volumes..." +docker volume rm -f evibes_prometheus-data || log_warning "Failed to remove prometheus-data volume" +docker volume rm -f evibes_es-data || log_warning "Failed to remove es-data volume" +log_success "Volumes were removed successfully!" -echo "Cleaning up unused Docker data..." -docker system prune -a -f --volumes -echo "Unused Docker data cleaned successfully!" +# Cleanup Docker +log_step "Cleaning up unused Docker data..." +if ! docker system prune -a -f --volumes; then + log_warning "Docker cleanup had issues, but continuing..." +fi +log_success "Unused Docker data cleaned successfully!" -echo "Removing related files..." +# Remove local files +log_step "Removing related files..." rm -rf ./media ./static -echo "Related files removed successfully!" +log_success "Related files removed successfully!" -echo "Bye-bye, hope you return later!" +echo +log_result "Bye-bye, hope you return later!" diff --git a/scripts/Windows/backup.ps1 b/scripts/Windows/backup.ps1 index d98c27c4..cba82c2a 100644 --- a/scripts/Windows/backup.ps1 +++ b/scripts/Windows/backup.ps1 @@ -2,21 +2,32 @@ Set-StrictMode -Version Latest $ErrorActionPreference = 'Stop' +# Load shared utilities +$utilsPath = Join-Path $PSScriptRoot '..\lib\utils.ps1' +. $utilsPath + .\scripts\Windows\starter.ps1 if ($LASTEXITCODE -ne 0) { exit $LASTEXITCODE } -Write-Host "Starting database backup process..." -ForegroundColor Magenta +# Database backup +Write-Step "Starting database backup process..." docker compose exec app uv run manage.py dbbackup if ($LASTEXITCODE -ne 0) { + Write-Error-Custom "Database backup failed" exit $LASTEXITCODE } -Write-Host "Database backup created under ./dbbackup" -ForegroundColor Green +Write-Success "Database backup created under ./dbbackup" -Write-Host "Starting media backup process..." -ForegroundColor Magenta +# Media backup +Write-Step "Starting media backup process..." docker compose exec app uv run manage.py mediabackup if ($LASTEXITCODE -ne 0) { + Write-Error-Custom "Media backup failed" exit $LASTEXITCODE } -Write-Host "Media backup created under ./dbbackup" -ForegroundColor Green \ No newline at end of file +Write-Success "Media backup created under ./dbbackup" + +Write-Result "" +Write-Result "Backup completed successfully!" \ No newline at end of file diff --git a/scripts/Windows/compile-messages.ps1 b/scripts/Windows/compile-messages.ps1 index ea0b5516..54a9a091 100644 --- a/scripts/Windows/compile-messages.ps1 +++ b/scripts/Windows/compile-messages.ps1 @@ -1,6 +1,10 @@ Set-StrictMode -Version Latest $ErrorActionPreference = 'Stop' +# Load shared utilities +$utilsPath = Join-Path $PSScriptRoot '..\lib\utils.ps1' +. $utilsPath + .\scripts\Windows\starter.ps1 if ($LASTEXITCODE -ne 0) { exit $LASTEXITCODE @@ -8,20 +12,27 @@ if ($LASTEXITCODE -ne 0) { if (-not (Test-Path '.env')) { - Write-Warning ".env file not found. Exiting without running Docker steps." + Write-Warning-Custom ".env file not found. Exiting without running Docker steps." exit 0 } -Write-Host "Checking placeholders in PO files..." -ForegroundColor Magenta +# Check placeholders +Write-Step "Checking placeholders in PO files..." docker compose exec app uv run manage.py check_translated -l ALL -a ALL if ($LASTEXITCODE -ne 0) { + Write-Error-Custom "PO files have placeholder issues" exit $LASTEXITCODE } -Write-Host "PO files have no placeholder issues!" -ForegroundColor Green +Write-Success "PO files have no placeholder issues!" -Write-Host "Compiling PO files into MO files..." -ForegroundColor Magenta +# Compile messages +Write-Step "Compiling PO files into MO files..." docker compose exec app uv run manage.py compilemessages -l ar_AR -l cs_CZ -l da_DK -l de_DE -l en_GB -l en_US -l es_ES -l fa_IR -l fr_FR -l he_IL -l hi_IN -l hr_HR -l id_ID -l it_IT -l ja_JP -l kk_KZ -l ko_KR -l nl_NL -l no_NO -l pl_PL -l pt_BR -l ro_RO -l ru_RU -l sv_SE -l th_TH -l tr_TR -l vi_VN -l zh_Hans if ($LASTEXITCODE -ne 0) { + Write-Error-Custom "Failed to compile messages" exit $LASTEXITCODE } -Write-Host "Compiled successfully!" -ForegroundColor Green +Write-Success "Compiled successfully!" + +Write-Result "" +Write-Result "Translation compilation complete!" diff --git a/scripts/Windows/install.ps1 b/scripts/Windows/install.ps1 index 0df9aec8..fae13ba5 100644 --- a/scripts/Windows/install.ps1 +++ b/scripts/Windows/install.ps1 @@ -1,6 +1,10 @@ Set-StrictMode -Version Latest $ErrorActionPreference = 'Stop' +# Load shared utilities +$utilsPath = Join-Path $PSScriptRoot '..\lib\utils.ps1' +. $utilsPath + .\scripts\Windows\starter.ps1 if ($LASTEXITCODE -ne 0) { exit $LASTEXITCODE @@ -8,39 +12,33 @@ if ($LASTEXITCODE -ne 0) { if (-not (Test-Path '.env')) { - Write-Warning ".env file not found. Exiting without running Docker steps." + Write-Warning-Custom ".env file not found. Exiting without running Docker steps." exit 0 } -$cpuCount = [Environment]::ProcessorCount -if ($cpuCount -lt 4) +# Check system requirements +if (-not (Test-SystemRequirements -MinCpu 4 -MinRamGB 6 -MinDiskGB 20)) { exit 1 } -$totalMemBytes = (Get-CimInstance Win32_ComputerSystem).TotalPhysicalMemory -$totalMemGB = [Math]::Round($totalMemBytes / 1GB, 2) -if ($totalMemGB -lt 6) -{ - exit 1 -} - -$currentDrive = Split-Path -Qualifier $PWD -$driveLetter = $currentDrive.Substring(0, 1) -$freeGB = [Math]::Round((Get-PSDrive -Name $driveLetter).Free / 1GB, 2) -if ($freeGB -lt 20) -{ - exit 1 -} - -Write-Host "System requirements met: CPU cores=$cpuCount, RAM=${totalMemGB}GB, FreeDisk=${freeGB}GB" -ForegroundColor Green - -Write-Host "Pulling images" -ForegroundColor Magenta +# Pull Docker images +Write-Step "Pulling images..." docker compose pull -Write-Host "Images pulled successfully" -ForegroundColor Green +if ($LASTEXITCODE -ne 0) { + Write-Error-Custom "Failed to pull Docker images" + exit $LASTEXITCODE +} +Write-Success "Images pulled successfully" -Write-Host "Building images" -ForegroundColor Magenta +# Build Docker images +Write-Step "Building images..." docker compose build -Write-Host "Images built successfully" -ForegroundColor Green -Write-Host "" -Write-Host "You can now use run.ps1 script." -ForegroundColor Cyan +if ($LASTEXITCODE -ne 0) { + Write-Error-Custom "Failed to build Docker images" + exit $LASTEXITCODE +} +Write-Success "Images built successfully" + +Write-Result "" +Write-Result "You can now use run.ps1 script or run: lessy.py run" diff --git a/scripts/Windows/make-messages.ps1 b/scripts/Windows/make-messages.ps1 index 2d91de00..4249ad42 100644 --- a/scripts/Windows/make-messages.ps1 +++ b/scripts/Windows/make-messages.ps1 @@ -1,6 +1,10 @@ Set-StrictMode -Version Latest $ErrorActionPreference = 'Stop' +# Load shared utilities +$utilsPath = Join-Path $PSScriptRoot '..\lib\utils.ps1' +. $utilsPath + .\scripts\Windows\starter.ps1 if ($LASTEXITCODE -ne 0) { exit $LASTEXITCODE @@ -8,37 +12,45 @@ if ($LASTEXITCODE -ne 0) { if (-not (Test-Path '.env')) { - Write-Warning ".env file not found. Exiting without running Docker steps." + Write-Warning-Custom ".env file not found. Exiting without running Docker steps." exit 0 } -Write-Host "Remove old fuzzy entries..." -ForegroundColor Magenta +# Remove old fuzzy entries +Write-Step "Remove old fuzzy entries..." docker compose exec app uv run manage.py fix_fuzzy if ($LASTEXITCODE -ne 0) { + Write-Error-Custom "Failed to remove old fuzzy entries" exit $LASTEXITCODE } -Write-Host "Old fuzzy entries removed successfully!" -ForegroundColor Green +Write-Success "Old fuzzy entries removed successfully!" -Write-Host "Updating PO files..." -ForegroundColor Magenta +# Update PO files +Write-Step "Updating PO files..." docker compose exec app uv run manage.py makemessages -l ar_AR -l cs_CZ -l da_DK -l de_DE -l en_GB -l en_US -l es_ES -l fa_IR -l fr_FR -l he_IL -l hi_IN -l hr_HR -l id_ID -l it_IT -l ja_JP -l kk_KZ -l ko_KR -l nl_NL -l no_NO -l pl_PL -l pt_BR -l ro_RO -l ru_RU -l sv_SE -l th_TH -l tr_TR -l vi_VN -l zh_Hans if ($LASTEXITCODE -ne 0) { + Write-Error-Custom "Failed to update PO files" exit $LASTEXITCODE } -Write-Host "PO files updated successfully!" -ForegroundColor Green +Write-Success "PO files updated successfully!" -Write-Host "Fixing new fuzzy entries..." -ForegroundColor Magenta +# Fix new fuzzy entries +Write-Step "Fixing new fuzzy entries..." docker compose exec app uv run manage.py fix_fuzzy if ($LASTEXITCODE -ne 0) { + Write-Error-Custom "Failed to fix new fuzzy entries" exit $LASTEXITCODE } -Write-Host "New fuzzy entries fixed successfully!" -ForegroundColor Green +Write-Success "New fuzzy entries fixed successfully!" -Write-Host "Translating with DeepL..." -ForegroundColor Magenta +# Translate with DeepL +Write-Step "Translating with DeepL..." docker compose exec app uv run manage.py deepl_translate -l ALL -a ALL if ($LASTEXITCODE -ne 0) { + Write-Error-Custom "Translation failed" exit $LASTEXITCODE } -Write-Host "Translated successfully!" -ForegroundColor Green +Write-Success "Translated successfully!" -Write-Host "" -Write-Host "You can now use compile-messages.ps1 script." -ForegroundColor Cyan +Write-Result "" +Write-Result "You can now use compile-messages.ps1 script or run: lessy.py compile-messages" diff --git a/scripts/Windows/reboot.ps1 b/scripts/Windows/reboot.ps1 deleted file mode 100644 index e5fcedeb..00000000 --- a/scripts/Windows/reboot.ps1 +++ /dev/null @@ -1,54 +0,0 @@ -Set-StrictMode -Version Latest -$ErrorActionPreference = 'Stop' - -.\scripts\Windows\starter.ps1 -if ($LASTEXITCODE -ne 0) { - exit $LASTEXITCODE -} - - -Write-Host "Shutting down..." -ForegroundColor Magenta -docker compose down -if ($LASTEXITCODE -ne 0) { - exit $LASTEXITCODE -} -Write-Host "Services were shut down successfully!" -ForegroundColor Green - -Write-Host "Spinning services up..." -ForegroundColor Magenta -docker compose up -d --build --wait -if ($LASTEXITCODE -ne 0) { - exit $LASTEXITCODE -} -Write-Host "Services are up and healthy!" -ForegroundColor Green - -Write-Host "Completing pre-run tasks..." -ForegroundColor Magenta -docker compose exec app uv run manage.py migrate --no-input -if ($LASTEXITCODE -ne 0) { - exit $LASTEXITCODE -} -docker compose exec app uv run manage.py initialize -if ($LASTEXITCODE -ne 0) { - exit $LASTEXITCODE -} -docker compose exec app uv run manage.py set_default_caches -if ($LASTEXITCODE -ne 0) { - exit $LASTEXITCODE -} -docker compose exec app uv run manage.py search_index --rebuild -f -if ($LASTEXITCODE -ne 0) { - exit $LASTEXITCODE -} -docker compose exec app uv run manage.py collectstatic --clear --no-input -if ($LASTEXITCODE -ne 0) { - exit $LASTEXITCODE -} -Write-Host "Pre-run tasks completed successfully!" -ForegroundColor Green - -Write-Host "Cleaning up unused Docker data..." -ForegroundColor Magenta -docker system prune -f -if ($LASTEXITCODE -ne 0) { - exit $LASTEXITCODE -} -Write-Host "Unused Docker data cleaned successfully!" -ForegroundColor Green - -Write-Host "All done! eVibes is up and running!" -ForegroundColor Cyan diff --git a/scripts/Windows/restart.ps1 b/scripts/Windows/restart.ps1 new file mode 100644 index 00000000..420a6d44 --- /dev/null +++ b/scripts/Windows/restart.ps1 @@ -0,0 +1,80 @@ +Set-StrictMode -Version Latest +$ErrorActionPreference = 'Stop' + +# Load shared utilities +$utilsPath = Join-Path $PSScriptRoot '..\lib\utils.ps1' +. $utilsPath + +.\scripts\Windows\starter.ps1 +if ($LASTEXITCODE -ne 0) { + exit $LASTEXITCODE +} + +# Shutdown services +Write-Step "Shutting down..." +docker compose down +if ($LASTEXITCODE -ne 0) { + Write-Error-Custom "Failed to shut down services" + exit $LASTEXITCODE +} +Write-Success "Services were shut down successfully!" + +# Rebuild and start services +Write-Step "Spinning services up with rebuild..." +docker compose up -d --build --wait +if ($LASTEXITCODE -ne 0) { + Write-Error-Custom "Failed to start services" + exit $LASTEXITCODE +} +Write-Success "Services are up and healthy!" + +# Run pre-run tasks +Write-Step "Completing pre-run tasks..." + +Write-Info " → Running migrations..." +docker compose exec app uv run manage.py migrate --no-input +if ($LASTEXITCODE -ne 0) { + Write-Error-Custom "Migrations failed" + exit $LASTEXITCODE +} + +Write-Info " → Initializing..." +docker compose exec app uv run manage.py initialize +if ($LASTEXITCODE -ne 0) { + Write-Error-Custom "Initialization failed" + exit $LASTEXITCODE +} + +Write-Info " → Setting default caches..." +docker compose exec app uv run manage.py set_default_caches +if ($LASTEXITCODE -ne 0) { + Write-Error-Custom "Cache setup failed" + exit $LASTEXITCODE +} + +Write-Info " → Rebuilding search index..." +docker compose exec app uv run manage.py search_index --rebuild -f +if ($LASTEXITCODE -ne 0) { + Write-Error-Custom "Search index rebuild failed" + exit $LASTEXITCODE +} + +Write-Info " → Collecting static files..." +docker compose exec app uv run manage.py collectstatic --clear --no-input +if ($LASTEXITCODE -ne 0) { + Write-Error-Custom "Static files collection failed" + exit $LASTEXITCODE +} + +Write-Success "Pre-run tasks completed successfully!" + +# Cleanup +Write-Step "Cleaning up unused Docker data..." +docker system prune -f +if ($LASTEXITCODE -ne 0) { + Write-Warning-Custom "Docker cleanup had issues, but continuing..." +} +Write-Success "Unused Docker data cleaned successfully!" + +Write-Result "" +Write-Result "All done! eVibes is up and running!" diff --git a/scripts/Windows/run.ps1 b/scripts/Windows/run.ps1 index adf0914b..b5d310a0 100644 --- a/scripts/Windows/run.ps1 +++ b/scripts/Windows/run.ps1 @@ -1,12 +1,17 @@ Set-StrictMode -Version Latest $ErrorActionPreference = 'Stop' +# Load shared utilities +$utilsPath = Join-Path $PSScriptRoot '..\lib\utils.ps1' +. $utilsPath + .\scripts\Windows\starter.ps1 if ($LASTEXITCODE -ne 0) { exit $LASTEXITCODE } -Write-Host "Verifying all images are present…" -ForegroundColor Green +# Verify Docker images +Write-Step "Verifying all images are present…" $config = docker compose config --format json | ConvertFrom-Json @@ -21,50 +26,71 @@ foreach ($prop in $config.services.PSObject.Properties) $image = $svc.PSObject.Properties['image'].Value - if (-not (docker image inspect $image)) + if (-not (docker image inspect $image 2>$null)) { - Write-Error "Required images not found. Please run install.ps1 first." + Write-Error-Custom "Required images not found. Please run install.ps1 first." exit 1 } - Write-Host " • Found image: $image" + Write-Info " • Found image: $image" } -Write-Host "Spinning services up..." -ForegroundColor Magenta +# Start services +Write-Step "Spinning services up..." docker compose up --no-build --detach --wait if ($LASTEXITCODE -ne 0) { + Write-Error-Custom "Failed to start services" exit $LASTEXITCODE } -Write-Host "Services are up and healthy!" -ForegroundColor Green +Write-Success "Services are up and healthy!" -Write-Host "Completing pre-run tasks..." -ForegroundColor Magenta +# Run pre-run tasks +Write-Step "Completing pre-run tasks..." + +Write-Info " → Running migrations..." docker compose exec app uv run manage.py migrate --no-input if ($LASTEXITCODE -ne 0) { + Write-Error-Custom "Migrations failed" exit $LASTEXITCODE } + +Write-Info " → Initializing..." docker compose exec app uv run manage.py initialize if ($LASTEXITCODE -ne 0) { + Write-Error-Custom "Initialization failed" exit $LASTEXITCODE } + +Write-Info " → Setting default caches..." docker compose exec app uv run manage.py set_default_caches if ($LASTEXITCODE -ne 0) { + Write-Error-Custom "Cache setup failed" exit $LASTEXITCODE } + +Write-Info " → Rebuilding search index..." docker compose exec app uv run manage.py search_index --rebuild -f if ($LASTEXITCODE -ne 0) { + Write-Error-Custom "Search index rebuild failed" exit $LASTEXITCODE } + +Write-Info " → Collecting static files..." docker compose exec app uv run manage.py collectstatic --clear --no-input if ($LASTEXITCODE -ne 0) { + Write-Error-Custom "Static files collection failed" exit $LASTEXITCODE } -Write-Host "Pre-run tasks completed successfully!" -ForegroundColor Green -Write-Host "Cleaning unused Docker data..." -ForegroundColor Magenta +Write-Success "Pre-run tasks completed successfully!" + +# Cleanup +Write-Step "Cleaning unused Docker data..." docker system prune -f if ($LASTEXITCODE -ne 0) { - exit $LASTEXITCODE + Write-Warning-Custom "Docker cleanup had issues, but continuing..." } -Write-Host "Unused Docker data cleaned successfully!" -ForegroundColor Green +Write-Success "Unused Docker data cleaned successfully!" -Write-Host "All done! eVibes is up and running!" -ForegroundColor Cyan +Write-Result "" +Write-Result "All done! eVibes is up and running!" diff --git a/scripts/Windows/starter.ps1 b/scripts/Windows/starter.ps1 index 7a847b58..01a517ba 100644 --- a/scripts/Windows/starter.ps1 +++ b/scripts/Windows/starter.ps1 @@ -1,22 +1,35 @@ Set-StrictMode -Version Latest $ErrorActionPreference = 'Stop' +# Load shared utilities +$utilsPath = Join-Path (Split-Path -Parent $MyInvocation.MyCommand.Definition) '..\lib\utils.ps1' +. $utilsPath + if (-not (Test-Path -Path ".\evibes" -PathType Container)) { - Write-Host "❌ Please run this script from the project's root (where the 'evibes' directory lives)." -ForegroundColor Red + Write-Error-Custom "❌ Please run this script from the project's root (where the 'evibes' directory lives)." exit 1 } -$purple = "`e[38;2;121;101;209m" -$reset = "`e[0m" $artPath = Join-Path (Split-Path -Parent $MyInvocation.MyCommand.Definition) '..\ASCII_ART_EVIBES' if (-not (Test-Path $artPath)) { - Write-Host "❌ Could not find ASCII art at $artPath" -ForegroundColor Red + Write-Error-Custom "❌ Could not find ASCII art at $artPath" exit 1 } -Get-Content -Raw -Path $artPath | ForEach-Object { Write-Host "$purple$_$reset" } -Write-Host "`n by WISELESS TEAM`n" -ForegroundColor Gray +if (Test-Interactive) +{ + $purple = "`e[38;2;121;101;209m" + $reset = "`e[0m" + Get-Content -Raw -Path $artPath | ForEach-Object { Write-Host "$purple$_$reset" } + Write-Host "`n by WISELESS TEAM`n" -ForegroundColor Gray +} +else +{ + # In non-interactive mode, just show simple banner + Write-Output "eVibes by WISELESS TEAM" +} + exit 0 \ No newline at end of file diff --git a/scripts/Windows/test.ps1 b/scripts/Windows/test.ps1 index 4836104b..19f96791 100644 --- a/scripts/Windows/test.ps1 +++ b/scripts/Windows/test.ps1 @@ -6,33 +6,62 @@ param( Set-StrictMode -Version Latest $ErrorActionPreference = 'Stop' +# Load shared utilities +$utilsPath = Join-Path $PSScriptRoot '..\lib\utils.ps1' +. $utilsPath + & .\scripts\Windows\starter.ps1 if ($LASTEXITCODE -ne 0) { exit $LASTEXITCODE } +$omitPattern = 'storefront/*,monitoring/*,Dockerfiles/*,*/__init__.py,*/tests/*,*/migrations/*,manage.py,evibes/*' + if (-not $PSBoundParameters.ContainsKey('Report') -or [string]::IsNullOrWhiteSpace($Report)) { + Write-Step "Running tests with coverage..." + + Write-Info " → Erasing previous coverage data..." docker compose exec app uv run coverage erase - if ($LASTEXITCODE -ne 0) { exit $LASTEXITCODE } + if ($LASTEXITCODE -ne 0) { + Write-Error-Custom "Failed to erase coverage data" + exit $LASTEXITCODE + } - docker compose exec app uv run coverage run --source='.' --omit='storefront/*,monitoring/*,Dockerfiles/*,*/__init__.py,*/tests/*,*/migrations/*,manage.py,evibes/*' manage.py test - if ($LASTEXITCODE -ne 0) { exit $LASTEXITCODE } + Write-Info " → Running tests..." + docker compose exec app uv run coverage run --source='.' --omit=$omitPattern manage.py test + if ($LASTEXITCODE -ne 0) { + Write-Error-Custom "Tests failed" + exit $LASTEXITCODE + } + Write-Info " → Generating coverage report..." docker compose exec app uv run coverage report -m exit $LASTEXITCODE } switch ($Report.ToLowerInvariant()) { 'xml' { - docker compose exec app uv run coverage xml --omit='storefront/*,monitoring/*,Dockerfiles/*,*/__init__.py,*/tests/*,*/migrations/*,manage.py,evibes/*' + Write-Step "Generating XML coverage report..." + docker compose exec app uv run coverage xml --omit=$omitPattern + if ($LASTEXITCODE -eq 0) { + Write-Success "XML coverage report generated" + } else { + Write-Error-Custom "Failed to generate XML coverage report" + } exit $LASTEXITCODE } 'html' { - docker compose exec app uv run coverage html --omit='storefront/*,monitoring/*,Dockerfiles/*,*/__init__.py,*/tests/*,*/migrations/*,manage.py,evibes/*' + Write-Step "Generating HTML coverage report..." + docker compose exec app uv run coverage html --omit=$omitPattern + if ($LASTEXITCODE -eq 0) { + Write-Success "HTML coverage report generated" + } else { + Write-Error-Custom "Failed to generate HTML coverage report" + } exit $LASTEXITCODE } default { - Write-Error "Invalid -Report/-r value '$Report'. Expected 'xml' or 'html'." + Write-Error-Custom "Invalid -Report/-r value '$Report'. Expected 'xml' or 'html'." exit 1 } } diff --git a/scripts/Windows/uninstall.ps1 b/scripts/Windows/uninstall.ps1 index b7491eb1..645060a1 100644 --- a/scripts/Windows/uninstall.ps1 +++ b/scripts/Windows/uninstall.ps1 @@ -1,39 +1,49 @@ Set-StrictMode -Version Latest $ErrorActionPreference = 'Stop' +# Load shared utilities +$utilsPath = Join-Path $PSScriptRoot '..\lib\utils.ps1' +. $utilsPath + .\scripts\Windows\starter.ps1 if ($LASTEXITCODE -ne 0) { exit $LASTEXITCODE } -Write-Host "Shutting down..." -ForegroundColor Magenta +# Shutdown services +Write-Step "Shutting down..." docker compose down if ($LASTEXITCODE -ne 0) { + Write-Error-Custom "Failed to shut down services" exit $LASTEXITCODE } -Write-Host "Services were shut down successfully!" -ForegroundColor Green +Write-Success "Services were shut down successfully!" -Write-Host "Removing volumes..." -ForegroundColor Magenta +# Remove volumes +Write-Step "Removing volumes..." docker volume remove -f evibes_prometheus-data if ($LASTEXITCODE -ne 0) { - exit $LASTEXITCODE + Write-Warning-Custom "Failed to remove prometheus-data volume" } docker volume remove -f evibes_es-data if ($LASTEXITCODE -ne 0) { - exit $LASTEXITCODE + Write-Warning-Custom "Failed to remove es-data volume" } -Write-Host "Volumes were removed successfully!" -ForegroundColor Green +Write-Success "Volumes were removed successfully!" -Write-Host "Cleaning up unused Docker data..." -ForegroundColor Magenta +# Cleanup Docker +Write-Step "Cleaning up unused Docker data..." docker system prune -a -f --volumes if ($LASTEXITCODE -ne 0) { - exit $LASTEXITCODE + Write-Warning-Custom "Docker cleanup had issues, but continuing..." } -Write-Host "Unused Docker data cleaned successfully!" -ForegroundColor Green +Write-Success "Unused Docker data cleaned successfully!" -Write-Host "Removing related files..." -ForegroundColor Magenta +# Remove local files +Write-Step "Removing related files..." Remove-Item -Recurse -Force -ErrorAction SilentlyContinue ./media Remove-Item -Recurse -Force -ErrorAction SilentlyContinue ./static -Write-Host "Related files removed successfully!" -ForegroundColor Green +Write-Success "Related files removed successfully!" -Write-Host "Bye-bye, hope you return later!" -ForegroundColor Red \ No newline at end of file +Write-Result "" +Write-Result "Bye-bye, hope you return later!" \ No newline at end of file diff --git a/scripts/lib/utils.ps1 b/scripts/lib/utils.ps1 new file mode 100644 index 00000000..b0923bc0 --- /dev/null +++ b/scripts/lib/utils.ps1 @@ -0,0 +1,298 @@ +# Shared utilities for Windows scripts +# Provides: colors, progress indicators, interactive detection + +Set-StrictMode -Version Latest +$ErrorActionPreference = 'Stop' + +# Detect if running in interactive shell +function Test-Interactive +{ + # Check if both input and output are from terminal + # In non-interactive environments (CI/CD), this will be false + $isInteractive = [Environment]::UserInteractive -and + (-not [Console]::IsInputRedirected) -and + (-not [Console]::IsOutputRedirected) + return $isInteractive +} + +# Global spinner state +$script:SpinnerJob = $null +$script:SpinnerFrames = @('⠋', '⠙', '⠹', '⠸', '⠼', '⠴', '⠦', '⠧', '⠇', '⠏') + +# Logging functions +function Write-Info +{ + param([string]$Message) + + if (Test-Interactive) + { + Write-Host $Message -ForegroundColor Blue + } + else + { + Write-Output $Message + } +} + +function Write-Success +{ + param([string]$Message) + + if (Test-Interactive) + { + Write-Host $Message -ForegroundColor Green + } + else + { + Write-Output $Message + } +} + +function Write-Warning-Custom +{ + param([string]$Message) + + if (Test-Interactive) + { + Write-Host $Message -ForegroundColor Yellow + } + else + { + Write-Output "WARNING: $Message" + } +} + +function Write-Error-Custom +{ + param([string]$Message) + + if (Test-Interactive) + { + Write-Host $Message -ForegroundColor Red + } + else + { + Write-Output "ERROR: $Message" *>&1 + } +} + +function Write-Step +{ + param([string]$Message) + + if (Test-Interactive) + { + Write-Host $Message -ForegroundColor Magenta + } + else + { + Write-Output $Message + } +} + +function Write-Result +{ + param([string]$Message) + + if (Test-Interactive) + { + Write-Host $Message -ForegroundColor Cyan + } + else + { + Write-Output $Message + } +} + +# Spinner functions (only for interactive shells) +function Start-Spinner +{ + param([string]$Message = "Processing...") + + if (-not (Test-Interactive)) + { + Write-Output $Message + return + } + + $script:SpinnerJob = Start-Job -ScriptBlock { + param($Frames, $Msg) + + $i = 0 + while ($true) + { + $frame = $Frames[$i % $Frames.Length] + [Console]::SetCursorPosition(0, [Console]::CursorTop) + Write-Host -NoNewline "$frame $Msg" + Start-Sleep -Milliseconds 100 + $i++ + } + } -ArgumentList $script:SpinnerFrames, $Message +} + +function Stop-Spinner +{ + if ($script:SpinnerJob -ne $null) + { + Stop-Job -Job $script:SpinnerJob -ErrorAction SilentlyContinue + Remove-Job -Job $script:SpinnerJob -Force -ErrorAction SilentlyContinue + $script:SpinnerJob = $null + + if (Test-Interactive) + { + # Clear the spinner line + [Console]::SetCursorPosition(0, [Console]::CursorTop) + Write-Host (' ' * ([Console]::WindowWidth - 1)) -NoNewline + [Console]::SetCursorPosition(0, [Console]::CursorTop) + } + } +} + +function Update-Spinner +{ + param([string]$Message) + + if (-not (Test-Interactive)) + { + Write-Output $Message + return + } + + if ($script:SpinnerJob -ne $null) + { + Stop-Spinner + Start-Spinner -Message $Message + } +} + +# Execute command with progress indicator +function Invoke-WithProgress +{ + param( + [string]$Message, + [scriptblock]$ScriptBlock + ) + + if (Test-Interactive) + { + Start-Spinner -Message $Message + + try + { + $output = & $ScriptBlock 2>&1 + $exitCode = $LASTEXITCODE + + Stop-Spinner + + if ($exitCode -eq 0 -or $null -eq $exitCode) + { + Write-Success "✓ $Message - Done!" + } + else + { + Write-Error-Custom "✗ $Message - Failed!" + if ($output) + { + Write-Output $output + } + } + + return $exitCode + } + catch + { + Stop-Spinner + Write-Error-Custom "✗ $Message - Failed!" + throw + } + } + else + { + # Non-interactive: just show message and run + Write-Output "→ $Message" + + try + { + & $ScriptBlock + $exitCode = $LASTEXITCODE + + if ($exitCode -eq 0 -or $null -eq $exitCode) + { + Write-Output "✓ $Message - Done!" + } + else + { + Write-Output "✗ $Message - Failed!" + } + + return $exitCode + } + catch + { + Write-Output "✗ $Message - Failed!" + throw + } + } +} + +# Check system requirements +function Test-SystemRequirements +{ + param( + [int]$MinCpu = 4, + [int]$MinRamGB = 6, + [int]$MinDiskGB = 20 + ) + + Write-Step "Checking system requirements..." + + # Check CPU cores + $cpuCount = [Environment]::ProcessorCount + if ($cpuCount -lt $MinCpu) + { + Write-Error-Custom "Insufficient CPU cores: $cpuCount (minimum: $MinCpu)" + return $false + } + + # Check RAM + $totalMemBytes = (Get-CimInstance Win32_ComputerSystem).TotalPhysicalMemory + $totalMemGB = [Math]::Round($totalMemBytes / 1GB, 2) + if ($totalMemGB -lt $MinRamGB) + { + Write-Error-Custom "Insufficient RAM: ${totalMemGB}GB (minimum: ${MinRamGB}GB)" + return $false + } + + # Check disk space + $currentDrive = Split-Path -Qualifier $PWD + $driveLetter = $currentDrive.Substring(0, 1) + $freeGB = [Math]::Round((Get-PSDrive -Name $driveLetter).Free / 1GB, 2) + if ($freeGB -lt $MinDiskGB) + { + Write-Error-Custom "Insufficient disk space: ${freeGB}GB (minimum: ${MinDiskGB}GB)" + return $false + } + + Write-Success "System requirements met: CPU cores=$cpuCount, RAM=${totalMemGB}GB, FreeDisk=${freeGB}GB" + return $true +} + +# Confirm action +function Confirm-Action +{ + param([string]$Prompt = "Are you sure?") + + if (-not (Test-Interactive)) + { + # In non-interactive mode, assume yes + return $true + } + + $response = Read-Host "$Prompt [y/N]" + return $response -match '^[yY]([eE][sS])?$' +} + +# Ensure spinner cleanup on exit +$MyInvocation.MyCommand.ScriptBlock.Module.OnRemove = { + Stop-Spinner +} diff --git a/scripts/lib/utils.sh b/scripts/lib/utils.sh new file mode 100644 index 00000000..2ad2426c --- /dev/null +++ b/scripts/lib/utils.sh @@ -0,0 +1,223 @@ +#!/usr/bin/env bash +# Shared utilities for Unix scripts +# Provides: colors, progress indicators, interactive detection + +# Detect if running in interactive shell +is_interactive() { + [[ -t 0 && -t 1 ]] +} + +# Color definitions (only used in interactive mode) +if is_interactive && [[ "${NO_COLOR:-}" != "1" ]]; then + COLOR_RESET='\033[0m' + COLOR_RED='\033[0;31m' + COLOR_GREEN='\033[0;32m' + COLOR_YELLOW='\033[0;33m' + COLOR_BLUE='\033[0;34m' + COLOR_MAGENTA='\033[0;35m' + COLOR_CYAN='\033[0;36m' + COLOR_GRAY='\033[0;90m' + COLOR_BOLD='\033[1m' +else + COLOR_RESET='' + COLOR_RED='' + COLOR_GREEN='' + COLOR_YELLOW='' + COLOR_BLUE='' + COLOR_MAGENTA='' + COLOR_CYAN='' + COLOR_GRAY='' + COLOR_BOLD='' +fi + +# Logging functions +log_info() { + echo -e "${COLOR_BLUE}${1}${COLOR_RESET}" +} + +log_success() { + echo -e "${COLOR_GREEN}${1}${COLOR_RESET}" +} + +log_warning() { + echo -e "${COLOR_YELLOW}${1}${COLOR_RESET}" +} + +log_error() { + echo -e "${COLOR_RED}${1}${COLOR_RESET}" >&2 +} + +log_step() { + echo -e "${COLOR_MAGENTA}${1}${COLOR_RESET}" +} + +log_result() { + echo -e "${COLOR_CYAN}${1}${COLOR_RESET}" +} + +# Spinner animation (only for interactive shells) +SPINNER_FRAMES=('⠋' '⠙' '⠹' '⠸' '⠼' '⠴' '⠦' '⠧' '⠇' '⠏') +SPINNER_PID="" + +start_spinner() { + local message="${1:-Processing...}" + + if ! is_interactive; then + echo "$message" + return + fi + + { + local i=0 + while true; do + printf "\r${COLOR_CYAN}${SPINNER_FRAMES[$i]}${COLOR_RESET} %s" "$message" + i=$(( (i + 1) % ${#SPINNER_FRAMES[@]} )) + sleep 0.1 + done + } & + SPINNER_PID=$! + + # Ensure spinner is cleaned up on script exit + trap "stop_spinner" EXIT INT TERM +} + +stop_spinner() { + if [[ -n "$SPINNER_PID" ]] && kill -0 "$SPINNER_PID" 2>/dev/null; then + kill "$SPINNER_PID" 2>/dev/null + wait "$SPINNER_PID" 2>/dev/null + SPINNER_PID="" + fi + + if is_interactive; then + printf "\r\033[K" # Clear the spinner line + fi +} + +update_spinner_message() { + local message="${1:-Processing...}" + + if ! is_interactive; then + echo "$message" + return + fi + + if [[ -n "$SPINNER_PID" ]] && kill -0 "$SPINNER_PID" 2>/dev/null; then + stop_spinner + start_spinner "$message" + fi +} + +# Execute command with progress indicator +run_with_progress() { + local message="$1" + shift + local cmd=("$@") + + if is_interactive; then + start_spinner "$message" + local output + local exit_code + + # Capture output and exit code + output=$("${cmd[@]}" 2>&1) + exit_code=$? + + stop_spinner + + if [[ $exit_code -eq 0 ]]; then + log_success "✓ $message - Done!" + else + log_error "✗ $message - Failed!" + echo "$output" + fi + + return $exit_code + else + # Non-interactive: just show message and run + echo "→ $message" + "${cmd[@]}" + local exit_code=$? + + if [[ $exit_code -eq 0 ]]; then + echo "✓ $message - Done!" + else + echo "✗ $message - Failed!" + fi + + return $exit_code + fi +} + +# Check if command exists +command_exists() { + command -v "$1" >/dev/null 2>&1 +} + +# Validate system requirements +check_system_requirements() { + local min_cpu="${1:-4}" + local min_ram_gb="${2:-6}" + local min_disk_gb="${3:-20}" + + log_step "Checking system requirements..." + + # Check CPU cores + local cpu_count + cpu_count=$(getconf _NPROCESSORS_ONLN) + + if [[ "$cpu_count" -lt "$min_cpu" ]]; then + log_error "Insufficient CPU cores: $cpu_count (minimum: $min_cpu)" + return 1 + fi + + # Check RAM + local total_mem_gb + if [[ -f /proc/meminfo ]]; then + local mem_kb + mem_kb=$(grep MemTotal /proc/meminfo | awk '{print $2}') + total_mem_gb=$(awk "BEGIN {printf \"%.2f\", $mem_kb/1024/1024}") + else + local total_mem_bytes + total_mem_bytes=$(sysctl -n hw.memsize 2>/dev/null || echo "0") + total_mem_gb=$(awk "BEGIN {printf \"%.2f\", $total_mem_bytes/1024/1024/1024}") + fi + + if ! awk "BEGIN {exit !($total_mem_gb >= $min_ram_gb)}"; then + log_error "Insufficient RAM: ${total_mem_gb}GB (minimum: ${min_ram_gb}GB)" + return 1 + fi + + # Check disk space + local avail_kb free_gb + avail_kb=$(df -k . | tail -1 | awk '{print $4}') + free_gb=$(awk "BEGIN {printf \"%.2f\", $avail_kb/1024/1024}") + + if ! awk "BEGIN {exit !($free_gb >= $min_disk_gb)}"; then + log_error "Insufficient disk space: ${free_gb}GB (minimum: ${min_disk_gb}GB)" + return 1 + fi + + log_success "System requirements met: CPU cores=$cpu_count, RAM=${total_mem_gb}GB, FreeDisk=${free_gb}GB" + return 0 +} + +# Confirm action (returns 0 for yes, 1 for no) +confirm() { + local prompt="${1:-Are you sure?}" + local response + + if ! is_interactive; then + # In non-interactive mode, assume yes + return 0 + fi + + read -r -p "$prompt [y/N]: " response + case "$response" in + [yY][eE][sS]|[yY]) + return 0 + ;; + *) + return 1 + ;; + esac +} From f8b89830c56d868be3d68f0dc32dd3560878c7f9 Mon Sep 17 00:00:00 2001 From: fureunoir Date: Sun, 4 Jan 2026 20:47:52 +0300 Subject: [PATCH 3/4] 2026.1 --- .../blog/locale/ar_AR/LC_MESSAGES/django.mo | Bin 3945 -> 3945 bytes .../blog/locale/ar_AR/LC_MESSAGES/django.po | 2 +- .../blog/locale/cs_CZ/LC_MESSAGES/django.mo | Bin 3469 -> 3469 bytes .../blog/locale/cs_CZ/LC_MESSAGES/django.po | 2 +- .../blog/locale/da_DK/LC_MESSAGES/django.mo | Bin 3397 -> 3397 bytes .../blog/locale/da_DK/LC_MESSAGES/django.po | 2 +- .../blog/locale/de_DE/LC_MESSAGES/django.mo | Bin 3547 -> 3547 bytes .../blog/locale/de_DE/LC_MESSAGES/django.po | 2 +- .../blog/locale/en_GB/LC_MESSAGES/django.mo | Bin 3243 -> 3243 bytes .../blog/locale/en_GB/LC_MESSAGES/django.po | 2 +- .../blog/locale/en_US/LC_MESSAGES/django.mo | Bin 3248 -> 3248 bytes .../blog/locale/en_US/LC_MESSAGES/django.po | 2 +- .../blog/locale/es_ES/LC_MESSAGES/django.mo | Bin 3493 -> 3493 bytes .../blog/locale/es_ES/LC_MESSAGES/django.po | 2 +- .../blog/locale/fa_IR/LC_MESSAGES/django.mo | Bin 337 -> 335 bytes .../blog/locale/fa_IR/LC_MESSAGES/django.po | 2 +- .../blog/locale/fr_FR/LC_MESSAGES/django.mo | Bin 3556 -> 3556 bytes .../blog/locale/fr_FR/LC_MESSAGES/django.po | 2 +- .../blog/locale/he_IL/LC_MESSAGES/django.mo | Bin 3716 -> 3716 bytes .../blog/locale/he_IL/LC_MESSAGES/django.po | 2 +- .../blog/locale/hi_IN/LC_MESSAGES/django.mo | Bin 359 -> 359 bytes .../blog/locale/hi_IN/LC_MESSAGES/django.po | 2 +- .../blog/locale/hr_HR/LC_MESSAGES/django.mo | Bin 337 -> 335 bytes .../blog/locale/hr_HR/LC_MESSAGES/django.po | 2 +- .../blog/locale/id_ID/LC_MESSAGES/django.mo | Bin 3375 -> 3375 bytes .../blog/locale/id_ID/LC_MESSAGES/django.po | 2 +- .../blog/locale/it_IT/LC_MESSAGES/django.mo | Bin 3434 -> 3434 bytes .../blog/locale/it_IT/LC_MESSAGES/django.po | 2 +- .../blog/locale/ja_JP/LC_MESSAGES/django.mo | Bin 3791 -> 3791 bytes .../blog/locale/ja_JP/LC_MESSAGES/django.po | 2 +- .../blog/locale/kk_KZ/LC_MESSAGES/django.mo | Bin 359 -> 359 bytes .../blog/locale/kk_KZ/LC_MESSAGES/django.po | 2 +- .../blog/locale/ko_KR/LC_MESSAGES/django.mo | Bin 3582 -> 3582 bytes .../blog/locale/ko_KR/LC_MESSAGES/django.po | 2 +- .../blog/locale/nl_NL/LC_MESSAGES/django.mo | Bin 3392 -> 3392 bytes .../blog/locale/nl_NL/LC_MESSAGES/django.po | 2 +- .../blog/locale/no_NO/LC_MESSAGES/django.mo | Bin 3386 -> 3386 bytes .../blog/locale/no_NO/LC_MESSAGES/django.po | 2 +- .../blog/locale/pl_PL/LC_MESSAGES/django.mo | Bin 3401 -> 3401 bytes .../blog/locale/pl_PL/LC_MESSAGES/django.po | 2 +- .../blog/locale/pt_BR/LC_MESSAGES/django.mo | Bin 3533 -> 3533 bytes .../blog/locale/pt_BR/LC_MESSAGES/django.po | 2 +- .../blog/locale/ro_RO/LC_MESSAGES/django.mo | Bin 3526 -> 3526 bytes .../blog/locale/ro_RO/LC_MESSAGES/django.po | 2 +- .../blog/locale/ru_RU/LC_MESSAGES/django.mo | Bin 4587 -> 4587 bytes .../blog/locale/ru_RU/LC_MESSAGES/django.po | 2 +- .../blog/locale/sv_SE/LC_MESSAGES/django.mo | Bin 3421 -> 3421 bytes .../blog/locale/sv_SE/LC_MESSAGES/django.po | 2 +- .../blog/locale/th_TH/LC_MESSAGES/django.mo | Bin 5294 -> 5294 bytes .../blog/locale/th_TH/LC_MESSAGES/django.po | 2 +- .../blog/locale/tr_TR/LC_MESSAGES/django.mo | Bin 3449 -> 3449 bytes .../blog/locale/tr_TR/LC_MESSAGES/django.po | 2 +- .../blog/locale/vi_VN/LC_MESSAGES/django.mo | Bin 3690 -> 3690 bytes .../blog/locale/vi_VN/LC_MESSAGES/django.po | 2 +- .../blog/locale/zh_Hans/LC_MESSAGES/django.mo | Bin 3112 -> 3112 bytes .../blog/locale/zh_Hans/LC_MESSAGES/django.po | 2 +- .../core/locale/ar_AR/LC_MESSAGES/django.mo | Bin 108552 -> 108552 bytes .../core/locale/ar_AR/LC_MESSAGES/django.po | 482 +++++------ .../core/locale/cs_CZ/LC_MESSAGES/django.mo | Bin 92964 -> 92964 bytes .../core/locale/cs_CZ/LC_MESSAGES/django.po | 436 +++++----- .../core/locale/da_DK/LC_MESSAGES/django.mo | Bin 90700 -> 90700 bytes .../core/locale/da_DK/LC_MESSAGES/django.po | 484 +++++------ .../core/locale/de_DE/LC_MESSAGES/django.mo | Bin 95990 -> 95990 bytes .../core/locale/de_DE/LC_MESSAGES/django.po | 588 ++++++------- .../core/locale/en_GB/LC_MESSAGES/django.mo | Bin 87386 -> 87386 bytes .../core/locale/en_GB/LC_MESSAGES/django.po | 449 +++++----- .../core/locale/en_US/LC_MESSAGES/django.mo | Bin 87377 -> 87377 bytes .../core/locale/en_US/LC_MESSAGES/django.po | 446 +++++----- .../core/locale/es_ES/LC_MESSAGES/django.mo | Bin 93939 -> 93939 bytes .../core/locale/es_ES/LC_MESSAGES/django.po | 503 +++++------ .../core/locale/fa_IR/LC_MESSAGES/django.mo | Bin 337 -> 335 bytes .../core/locale/fa_IR/LC_MESSAGES/django.po | 164 ++-- .../core/locale/fr_FR/LC_MESSAGES/django.mo | Bin 96786 -> 96786 bytes .../core/locale/fr_FR/LC_MESSAGES/django.po | 554 +++++++------ .../core/locale/he_IL/LC_MESSAGES/django.mo | Bin 101120 -> 101120 bytes .../core/locale/he_IL/LC_MESSAGES/django.po | 440 +++++----- .../core/locale/hi_IN/LC_MESSAGES/django.mo | Bin 359 -> 359 bytes .../core/locale/hi_IN/LC_MESSAGES/django.po | 164 ++-- .../core/locale/hr_HR/LC_MESSAGES/django.mo | Bin 337 -> 335 bytes .../core/locale/hr_HR/LC_MESSAGES/django.po | 164 ++-- .../core/locale/id_ID/LC_MESSAGES/django.mo | Bin 90973 -> 90973 bytes .../core/locale/id_ID/LC_MESSAGES/django.po | 474 +++++------ .../core/locale/it_IT/LC_MESSAGES/django.mo | Bin 94251 -> 94251 bytes .../core/locale/it_IT/LC_MESSAGES/django.po | 559 +++++++------ .../core/locale/ja_JP/LC_MESSAGES/django.mo | Bin 99557 -> 99557 bytes .../core/locale/ja_JP/LC_MESSAGES/django.po | 760 ++++++++++------- .../core/locale/kk_KZ/LC_MESSAGES/django.mo | Bin 359 -> 359 bytes .../core/locale/kk_KZ/LC_MESSAGES/django.po | 164 ++-- .../core/locale/ko_KR/LC_MESSAGES/django.mo | Bin 94150 -> 94150 bytes .../core/locale/ko_KR/LC_MESSAGES/django.po | 703 +++++++++------- .../core/locale/nl_NL/LC_MESSAGES/django.mo | Bin 93788 -> 93788 bytes .../core/locale/nl_NL/LC_MESSAGES/django.po | 493 +++++------ .../core/locale/no_NO/LC_MESSAGES/django.mo | Bin 91345 -> 91345 bytes .../core/locale/no_NO/LC_MESSAGES/django.po | 519 ++++++------ .../core/locale/pl_PL/LC_MESSAGES/django.mo | Bin 93104 -> 93104 bytes .../core/locale/pl_PL/LC_MESSAGES/django.po | 438 +++++----- .../core/locale/pt_BR/LC_MESSAGES/django.mo | Bin 93672 -> 93672 bytes .../core/locale/pt_BR/LC_MESSAGES/django.po | 496 +++++------ .../core/locale/ro_RO/LC_MESSAGES/django.mo | Bin 95551 -> 95551 bytes .../core/locale/ro_RO/LC_MESSAGES/django.po | 505 +++++------ .../core/locale/ru_RU/LC_MESSAGES/django.mo | Bin 123716 -> 123716 bytes .../core/locale/ru_RU/LC_MESSAGES/django.po | 465 ++++++----- .../core/locale/sv_SE/LC_MESSAGES/django.mo | Bin 91415 -> 91415 bytes .../core/locale/sv_SE/LC_MESSAGES/django.po | 486 +++++------ .../core/locale/th_TH/LC_MESSAGES/django.mo | Bin 147731 -> 147731 bytes .../core/locale/th_TH/LC_MESSAGES/django.po | 781 ++++++++---------- .../core/locale/tr_TR/LC_MESSAGES/django.mo | Bin 93773 -> 93773 bytes .../core/locale/tr_TR/LC_MESSAGES/django.po | 493 +++++------ .../core/locale/vi_VN/LC_MESSAGES/django.mo | Bin 105647 -> 105647 bytes .../core/locale/vi_VN/LC_MESSAGES/django.po | 585 ++++++------- .../core/locale/zh_Hans/LC_MESSAGES/django.mo | Bin 82262 -> 82262 bytes .../core/locale/zh_Hans/LC_MESSAGES/django.po | 162 ++-- .../management/commands/check_translated.py | 5 + .../management/commands/deepl_translate.py | 8 +- .../locale/ar_AR/LC_MESSAGES/django.mo | Bin 7761 -> 7761 bytes .../locale/ar_AR/LC_MESSAGES/django.po | 2 +- .../locale/cs_CZ/LC_MESSAGES/django.mo | Bin 6705 -> 6705 bytes .../locale/cs_CZ/LC_MESSAGES/django.po | 2 +- .../locale/da_DK/LC_MESSAGES/django.mo | Bin 6681 -> 6681 bytes .../locale/da_DK/LC_MESSAGES/django.po | 2 +- .../locale/de_DE/LC_MESSAGES/django.mo | Bin 6927 -> 6927 bytes .../locale/de_DE/LC_MESSAGES/django.po | 2 +- .../locale/en_GB/LC_MESSAGES/django.mo | Bin 6450 -> 6450 bytes .../locale/en_GB/LC_MESSAGES/django.po | 2 +- .../locale/en_US/LC_MESSAGES/django.mo | Bin 6438 -> 6438 bytes .../locale/en_US/LC_MESSAGES/django.po | 2 +- .../locale/es_ES/LC_MESSAGES/django.mo | Bin 6918 -> 6918 bytes .../locale/es_ES/LC_MESSAGES/django.po | 2 +- .../locale/fa_IR/LC_MESSAGES/django.mo | Bin 337 -> 335 bytes .../locale/fa_IR/LC_MESSAGES/django.po | 2 +- .../locale/fr_FR/LC_MESSAGES/django.mo | Bin 7018 -> 7018 bytes .../locale/fr_FR/LC_MESSAGES/django.po | 2 +- .../locale/he_IL/LC_MESSAGES/django.mo | Bin 7194 -> 7194 bytes .../locale/he_IL/LC_MESSAGES/django.po | 2 +- .../locale/hi_IN/LC_MESSAGES/django.mo | Bin 359 -> 359 bytes .../locale/hi_IN/LC_MESSAGES/django.po | 2 +- .../locale/hr_HR/LC_MESSAGES/django.mo | Bin 337 -> 335 bytes .../locale/hr_HR/LC_MESSAGES/django.po | 2 +- .../locale/id_ID/LC_MESSAGES/django.mo | Bin 6715 -> 6715 bytes .../locale/id_ID/LC_MESSAGES/django.po | 2 +- .../locale/it_IT/LC_MESSAGES/django.mo | Bin 6827 -> 6827 bytes .../locale/it_IT/LC_MESSAGES/django.po | 2 +- .../locale/ja_JP/LC_MESSAGES/django.mo | Bin 7274 -> 7274 bytes .../locale/ja_JP/LC_MESSAGES/django.po | 2 +- .../locale/kk_KZ/LC_MESSAGES/django.mo | Bin 359 -> 359 bytes .../locale/kk_KZ/LC_MESSAGES/django.po | 2 +- .../locale/ko_KR/LC_MESSAGES/django.mo | Bin 6929 -> 6929 bytes .../locale/ko_KR/LC_MESSAGES/django.po | 2 +- .../locale/nl_NL/LC_MESSAGES/django.mo | Bin 6689 -> 6689 bytes .../locale/nl_NL/LC_MESSAGES/django.po | 2 +- .../locale/no_NO/LC_MESSAGES/django.mo | Bin 6652 -> 6652 bytes .../locale/no_NO/LC_MESSAGES/django.po | 2 +- .../locale/pl_PL/LC_MESSAGES/django.mo | Bin 6727 -> 6727 bytes .../locale/pl_PL/LC_MESSAGES/django.po | 2 +- .../locale/pt_BR/LC_MESSAGES/django.mo | Bin 6858 -> 6858 bytes .../locale/pt_BR/LC_MESSAGES/django.po | 2 +- .../locale/ro_RO/LC_MESSAGES/django.mo | Bin 6814 -> 6814 bytes .../locale/ro_RO/LC_MESSAGES/django.po | 2 +- .../locale/ru_RU/LC_MESSAGES/django.mo | Bin 8650 -> 8650 bytes .../locale/ru_RU/LC_MESSAGES/django.po | 2 +- .../locale/sv_SE/LC_MESSAGES/django.mo | Bin 6750 -> 6750 bytes .../locale/sv_SE/LC_MESSAGES/django.po | 2 +- .../locale/th_TH/LC_MESSAGES/django.mo | Bin 10167 -> 10167 bytes .../locale/th_TH/LC_MESSAGES/django.po | 2 +- .../locale/tr_TR/LC_MESSAGES/django.mo | Bin 6716 -> 6716 bytes .../locale/tr_TR/LC_MESSAGES/django.po | 2 +- .../locale/vi_VN/LC_MESSAGES/django.mo | Bin 7378 -> 7378 bytes .../locale/vi_VN/LC_MESSAGES/django.po | 2 +- .../locale/zh_Hans/LC_MESSAGES/django.mo | Bin 6012 -> 6012 bytes .../locale/zh_Hans/LC_MESSAGES/django.po | 2 +- .../locale/ar_AR/LC_MESSAGES/django.mo | Bin 17472 -> 17472 bytes .../locale/ar_AR/LC_MESSAGES/django.po | 2 +- .../locale/cs_CZ/LC_MESSAGES/django.mo | Bin 14450 -> 14450 bytes .../locale/cs_CZ/LC_MESSAGES/django.po | 2 +- .../locale/da_DK/LC_MESSAGES/django.mo | Bin 14129 -> 14129 bytes .../locale/da_DK/LC_MESSAGES/django.po | 2 +- .../locale/de_DE/LC_MESSAGES/django.mo | Bin 15201 -> 15201 bytes .../locale/de_DE/LC_MESSAGES/django.po | 2 +- .../locale/en_GB/LC_MESSAGES/django.mo | Bin 13626 -> 13626 bytes .../locale/en_GB/LC_MESSAGES/django.po | 2 +- .../locale/en_US/LC_MESSAGES/django.mo | Bin 13615 -> 13615 bytes .../locale/en_US/LC_MESSAGES/django.po | 2 +- .../locale/es_ES/LC_MESSAGES/django.mo | Bin 14928 -> 14928 bytes .../locale/es_ES/LC_MESSAGES/django.po | 2 +- .../locale/fa_IR/LC_MESSAGES/django.mo | Bin 337 -> 335 bytes .../locale/fa_IR/LC_MESSAGES/django.po | 2 +- .../locale/fr_FR/LC_MESSAGES/django.mo | Bin 15648 -> 15648 bytes .../locale/fr_FR/LC_MESSAGES/django.po | 2 +- .../locale/he_IL/LC_MESSAGES/django.mo | Bin 15682 -> 15682 bytes .../locale/he_IL/LC_MESSAGES/django.po | 2 +- .../locale/hi_IN/LC_MESSAGES/django.mo | Bin 359 -> 359 bytes .../locale/hi_IN/LC_MESSAGES/django.po | 2 +- .../locale/hr_HR/LC_MESSAGES/django.mo | Bin 337 -> 335 bytes .../locale/hr_HR/LC_MESSAGES/django.po | 2 +- .../locale/id_ID/LC_MESSAGES/django.mo | Bin 14220 -> 14220 bytes .../locale/id_ID/LC_MESSAGES/django.po | 2 +- .../locale/it_IT/LC_MESSAGES/django.mo | Bin 14887 -> 14887 bytes .../locale/it_IT/LC_MESSAGES/django.po | 2 +- .../locale/ja_JP/LC_MESSAGES/django.mo | Bin 16457 -> 16457 bytes .../locale/ja_JP/LC_MESSAGES/django.po | 2 +- .../locale/kk_KZ/LC_MESSAGES/django.mo | Bin 359 -> 359 bytes .../locale/kk_KZ/LC_MESSAGES/django.po | 2 +- .../locale/ko_KR/LC_MESSAGES/django.mo | Bin 15047 -> 15047 bytes .../locale/ko_KR/LC_MESSAGES/django.po | 2 +- .../locale/nl_NL/LC_MESSAGES/django.mo | Bin 14544 -> 14544 bytes .../locale/nl_NL/LC_MESSAGES/django.po | 2 +- .../locale/no_NO/LC_MESSAGES/django.mo | Bin 14159 -> 14159 bytes .../locale/no_NO/LC_MESSAGES/django.po | 2 +- .../locale/pl_PL/LC_MESSAGES/django.mo | Bin 14713 -> 14713 bytes .../locale/pl_PL/LC_MESSAGES/django.po | 2 +- .../locale/pt_BR/LC_MESSAGES/django.mo | Bin 14650 -> 14650 bytes .../locale/pt_BR/LC_MESSAGES/django.po | 2 +- .../locale/ro_RO/LC_MESSAGES/django.mo | Bin 15094 -> 15094 bytes .../locale/ro_RO/LC_MESSAGES/django.po | 2 +- .../locale/ru_RU/LC_MESSAGES/django.mo | Bin 19370 -> 19370 bytes .../locale/ru_RU/LC_MESSAGES/django.po | 2 +- .../locale/sv_SE/LC_MESSAGES/django.mo | Bin 14429 -> 14429 bytes .../locale/sv_SE/LC_MESSAGES/django.po | 2 +- .../locale/th_TH/LC_MESSAGES/django.mo | Bin 22340 -> 22340 bytes .../locale/th_TH/LC_MESSAGES/django.po | 2 +- .../locale/tr_TR/LC_MESSAGES/django.mo | Bin 14807 -> 14807 bytes .../locale/tr_TR/LC_MESSAGES/django.po | 2 +- .../locale/vi_VN/LC_MESSAGES/django.mo | Bin 16106 -> 16106 bytes .../locale/vi_VN/LC_MESSAGES/django.po | 2 +- .../locale/zh_Hans/LC_MESSAGES/django.mo | Bin 13130 -> 13130 bytes .../locale/zh_Hans/LC_MESSAGES/django.po | 2 +- evibes/locale/ar_AR/LC_MESSAGES/django.mo | Bin 10164 -> 10162 bytes evibes/locale/ar_AR/LC_MESSAGES/django.po | 2 +- evibes/locale/cs_CZ/LC_MESSAGES/django.mo | Bin 8552 -> 8550 bytes evibes/locale/cs_CZ/LC_MESSAGES/django.po | 2 +- evibes/locale/da_DK/LC_MESSAGES/django.mo | Bin 8240 -> 8238 bytes evibes/locale/da_DK/LC_MESSAGES/django.po | 2 +- evibes/locale/de_DE/LC_MESSAGES/django.mo | Bin 8696 -> 8694 bytes evibes/locale/de_DE/LC_MESSAGES/django.po | 2 +- evibes/locale/en_GB/LC_MESSAGES/django.mo | Bin 8086 -> 8084 bytes evibes/locale/en_GB/LC_MESSAGES/django.po | 2 +- evibes/locale/en_US/LC_MESSAGES/django.mo | Bin 8091 -> 8089 bytes evibes/locale/en_US/LC_MESSAGES/django.po | 2 +- evibes/locale/es_ES/LC_MESSAGES/django.mo | Bin 8728 -> 8726 bytes evibes/locale/es_ES/LC_MESSAGES/django.po | 2 +- evibes/locale/fa_IR/LC_MESSAGES/django.mo | Bin 337 -> 335 bytes evibes/locale/fa_IR/LC_MESSAGES/django.po | 3 +- evibes/locale/fr_FR/LC_MESSAGES/django.mo | Bin 8974 -> 8972 bytes evibes/locale/fr_FR/LC_MESSAGES/django.po | 2 +- evibes/locale/he_IL/LC_MESSAGES/django.mo | Bin 9345 -> 9343 bytes evibes/locale/he_IL/LC_MESSAGES/django.po | 2 +- evibes/locale/hi_IN/LC_MESSAGES/django.mo | Bin 337 -> 335 bytes evibes/locale/hi_IN/LC_MESSAGES/django.po | 3 +- evibes/locale/hr_HR/LC_MESSAGES/django.mo | Bin 337 -> 335 bytes evibes/locale/hr_HR/LC_MESSAGES/django.po | 3 +- evibes/locale/id_ID/LC_MESSAGES/django.mo | Bin 8283 -> 8281 bytes evibes/locale/id_ID/LC_MESSAGES/django.po | 2 +- evibes/locale/it_IT/LC_MESSAGES/django.mo | Bin 8661 -> 8659 bytes evibes/locale/it_IT/LC_MESSAGES/django.po | 2 +- evibes/locale/ja_JP/LC_MESSAGES/django.mo | Bin 9133 -> 9131 bytes evibes/locale/ja_JP/LC_MESSAGES/django.po | 2 +- evibes/locale/kk_KZ/LC_MESSAGES/django.mo | Bin 337 -> 335 bytes evibes/locale/kk_KZ/LC_MESSAGES/django.po | 3 +- evibes/locale/ko_KR/LC_MESSAGES/django.mo | Bin 8481 -> 8479 bytes evibes/locale/ko_KR/LC_MESSAGES/django.po | 2 +- evibes/locale/nl_NL/LC_MESSAGES/django.mo | Bin 8361 -> 8359 bytes evibes/locale/nl_NL/LC_MESSAGES/django.po | 2 +- evibes/locale/no_NO/LC_MESSAGES/django.mo | Bin 8296 -> 8294 bytes evibes/locale/no_NO/LC_MESSAGES/django.po | 2 +- evibes/locale/pl_PL/LC_MESSAGES/django.mo | Bin 8608 -> 8606 bytes evibes/locale/pl_PL/LC_MESSAGES/django.po | 2 +- evibes/locale/pt_BR/LC_MESSAGES/django.mo | Bin 8671 -> 8669 bytes evibes/locale/pt_BR/LC_MESSAGES/django.po | 2 +- evibes/locale/ro_RO/LC_MESSAGES/django.mo | Bin 8745 -> 8743 bytes evibes/locale/ro_RO/LC_MESSAGES/django.po | 2 +- evibes/locale/ru_RU/LC_MESSAGES/django.mo | Bin 11120 -> 11118 bytes evibes/locale/ru_RU/LC_MESSAGES/django.po | 2 +- evibes/locale/sv_SE/LC_MESSAGES/django.mo | Bin 8357 -> 8355 bytes evibes/locale/sv_SE/LC_MESSAGES/django.po | 2 +- evibes/locale/th_TH/LC_MESSAGES/django.mo | Bin 12923 -> 12921 bytes evibes/locale/th_TH/LC_MESSAGES/django.po | 2 +- evibes/locale/tr_TR/LC_MESSAGES/django.mo | Bin 8725 -> 8723 bytes evibes/locale/tr_TR/LC_MESSAGES/django.po | 2 +- evibes/locale/vi_VN/LC_MESSAGES/django.mo | Bin 9311 -> 9309 bytes evibes/locale/vi_VN/LC_MESSAGES/django.po | 2 +- evibes/locale/zh_Hans/LC_MESSAGES/django.mo | Bin 7825 -> 7823 bytes evibes/locale/zh_Hans/LC_MESSAGES/django.po | 2 +- evibes/settings/base.py | 4 +- evibes/settings/celery.py | 4 +- lessy.py | 29 +- pyproject.toml | 2 +- uv.lock | 2 +- 287 files changed, 6839 insertions(+), 6400 deletions(-) diff --git a/engine/blog/locale/ar_AR/LC_MESSAGES/django.mo b/engine/blog/locale/ar_AR/LC_MESSAGES/django.mo index 025f21962ac3c775ee57e7e22462c9e9cd77210a..0a83ae2c6076c3799937445b3b43a926ec842625 100644 GIT binary patch delta 16 YcmaDU_fl@dIyPoAJ;Ti#*>-RM06LroH2?qr delta 16 YcmaDU_fl@dIyPogJ(JBF*>-RM06L}yHvj+t diff --git a/engine/blog/locale/ar_AR/LC_MESSAGES/django.po b/engine/blog/locale/ar_AR/LC_MESSAGES/django.po index f4ee6f16..af8f5bbb 100644 --- a/engine/blog/locale/ar_AR/LC_MESSAGES/django.po +++ b/engine/blog/locale/ar_AR/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:38+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" diff --git a/engine/blog/locale/cs_CZ/LC_MESSAGES/django.mo b/engine/blog/locale/cs_CZ/LC_MESSAGES/django.mo index b350ee60b1b382e231ba093c96b4664aee019519..b1858dc000dacaa26e29284f7f89ba617252a0e6 100644 GIT binary patch delta 16 XcmeB`?v>uKj*Zz&&v5fbwmWP9FUAF# delta 16 XcmeB`?v>uKj*Zz=&t&sPwmWP9FVF>> diff --git a/engine/blog/locale/cs_CZ/LC_MESSAGES/django.po b/engine/blog/locale/cs_CZ/LC_MESSAGES/django.po index be8a3c25..92a5e34a 100644 --- a/engine/blog/locale/cs_CZ/LC_MESSAGES/django.po +++ b/engine/blog/locale/cs_CZ/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:38+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" diff --git a/engine/blog/locale/da_DK/LC_MESSAGES/django.mo b/engine/blog/locale/da_DK/LC_MESSAGES/django.mo index 83be66a115578db2aec9e963c646611c1f1bc4d1..2b79ecef9a65c09e9650d5233db3c5f174d18b51 100644 GIT binary patch delta 16 YcmX>qbyRA@IyPoAJ;Ti#*`}}o05z%wzW@LL delta 16 YcmX>qbyRA@IyPogJ(JBF*`}}o05!A)!2kdN diff --git a/engine/blog/locale/da_DK/LC_MESSAGES/django.po b/engine/blog/locale/da_DK/LC_MESSAGES/django.po index c6dd2945..ab8fce54 100644 --- a/engine/blog/locale/da_DK/LC_MESSAGES/django.po +++ b/engine/blog/locale/da_DK/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:38+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" diff --git a/engine/blog/locale/de_DE/LC_MESSAGES/django.mo b/engine/blog/locale/de_DE/LC_MESSAGES/django.mo index 9ef22b24863970252deaf7fdf1f827b8e5aa3b1b..2ae8c5cac8d18e3ad75a89fea46408b1059138c7 100644 GIT binary patch delta 16 XcmcaDeOr3NIyPoAJ;Ti#*|gXJH-`m; delta 16 XcmcaDeOr3NIyPogJ(JBF*|gXJH<1N~ diff --git a/engine/blog/locale/de_DE/LC_MESSAGES/django.po b/engine/blog/locale/de_DE/LC_MESSAGES/django.po index 72e94f8f..76f2eff7 100644 --- a/engine/blog/locale/de_DE/LC_MESSAGES/django.po +++ b/engine/blog/locale/de_DE/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:38+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" diff --git a/engine/blog/locale/en_GB/LC_MESSAGES/django.mo b/engine/blog/locale/en_GB/LC_MESSAGES/django.mo index 19eced8ac1cc0448efbffce21c245f6fccb30558..4580471ec87b28ec0bd0de3f6380ffbf26be5f03 100644 GIT binary patch delta 16 YcmZ22xmt3=IyPoAJ;Ti#*?zGC05eSm?f?J) delta 16 YcmZ22xmt3=IyPogJ(JBF*?zGC05eww@Bjb+ diff --git a/engine/blog/locale/en_GB/LC_MESSAGES/django.po b/engine/blog/locale/en_GB/LC_MESSAGES/django.po index 988fc15f..3d22b672 100644 --- a/engine/blog/locale/en_GB/LC_MESSAGES/django.po +++ b/engine/blog/locale/en_GB/LC_MESSAGES/django.po @@ -5,7 +5,7 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:38+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" diff --git a/engine/blog/locale/en_US/LC_MESSAGES/django.mo b/engine/blog/locale/en_US/LC_MESSAGES/django.mo index f34a002b0a855c3d3d1ce91e8ccd4b75e728982f..156b32c36e09dd2a8e4871400e37ddfc1200130f 100644 GIT binary patch delta 16 YcmdlWxj}NnIyPoAJ;Ti#+5WQv05k0c{Qv*} delta 16 YcmdlWxj}NnIyPogJ(JBF+5WQv05kUm{{R30 diff --git a/engine/blog/locale/en_US/LC_MESSAGES/django.po b/engine/blog/locale/en_US/LC_MESSAGES/django.po index 6b015707..25f90502 100644 --- a/engine/blog/locale/en_US/LC_MESSAGES/django.po +++ b/engine/blog/locale/en_US/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:38+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" diff --git a/engine/blog/locale/es_ES/LC_MESSAGES/django.mo b/engine/blog/locale/es_ES/LC_MESSAGES/django.mo index 5729fa3ffcf56d9287fe0a01923c518ecdbce8bd..ff2c4305fdb0991245f8dd45ba1c3d8c71eaf2af 100644 GIT binary patch delta 16 YcmZ1~y;OR`IyPoAJ;Ti#*}kv=05Zk};Q#;t delta 16 YcmZ1~y;OR`IyPogJ(JBF*}kv=05Z@8;{X5v diff --git a/engine/blog/locale/es_ES/LC_MESSAGES/django.po b/engine/blog/locale/es_ES/LC_MESSAGES/django.po index b3c61275..6a614231 100644 --- a/engine/blog/locale/es_ES/LC_MESSAGES/django.po +++ b/engine/blog/locale/es_ES/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:38+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" diff --git a/engine/blog/locale/fa_IR/LC_MESSAGES/django.mo b/engine/blog/locale/fa_IR/LC_MESSAGES/django.mo index 6c5906d1cd061dff54de8b533942893de34efc9e..f7b56b65f23ddd46f0761a3fd031f6e6afd9436e 100644 GIT binary patch delta 28 jcmcb}be?H~3Zv*mRSjO(Fi$7fUvdtP?KIyPoAJ;Ti#+2l9?Hb4bs delta 16 XcmX>vdtP?KIyPogJ(JBF+2l9?HcAC& diff --git a/engine/blog/locale/ja_JP/LC_MESSAGES/django.po b/engine/blog/locale/ja_JP/LC_MESSAGES/django.po index 88f0fdf8..ba926bea 100644 --- a/engine/blog/locale/ja_JP/LC_MESSAGES/django.po +++ b/engine/blog/locale/ja_JP/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:38+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" diff --git a/engine/blog/locale/kk_KZ/LC_MESSAGES/django.mo b/engine/blog/locale/kk_KZ/LC_MESSAGES/django.mo index 7640ce0078328b8d3c57147021d7d1b23f128abd..9964f0bf6f21a7376a5f3b631dd55508538e3d72 100644 GIT binary patch delta 14 VcmaFP^qgrzIJ23a;l?OlMgS-41Zw~Q delta 14 VcmaFP^qgrzIJ2pq$;K#NMgS-C1Z@BS diff --git a/engine/blog/locale/kk_KZ/LC_MESSAGES/django.po b/engine/blog/locale/kk_KZ/LC_MESSAGES/django.po index 2b04f58f..2028ed1c 100644 --- a/engine/blog/locale/kk_KZ/LC_MESSAGES/django.po +++ b/engine/blog/locale/kk_KZ/LC_MESSAGES/django.po @@ -5,7 +5,7 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:38+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" diff --git a/engine/blog/locale/ko_KR/LC_MESSAGES/django.mo b/engine/blog/locale/ko_KR/LC_MESSAGES/django.mo index f55e79c2ec112dfa411f1b077b342f5506b989cb..4d9786c17b30a9cdc2d790f73de379b599988cdf 100644 GIT binary patch delta 16 Xcmew-{ZD$sIyPoAJ;Ti#*?idnJLd)M delta 16 Xcmew-{ZD$sIyPogJ(JBF*?idnJMjhY diff --git a/engine/blog/locale/ko_KR/LC_MESSAGES/django.po b/engine/blog/locale/ko_KR/LC_MESSAGES/django.po index cda7553b..92a5a3c3 100644 --- a/engine/blog/locale/ko_KR/LC_MESSAGES/django.po +++ b/engine/blog/locale/ko_KR/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:38+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" diff --git a/engine/blog/locale/nl_NL/LC_MESSAGES/django.mo b/engine/blog/locale/nl_NL/LC_MESSAGES/django.mo index 76ac761cf9050c3f265f15feb590f9eed967b04d..f214e344e27a1d6970d2c9cb177eea97010efc71 100644 GIT binary patch delta 16 XcmX>gbwFyvIyPoAJ;Ti#+4|W4H3|i= delta 16 XcmX>gbwFyvIyPogJ(JBF+4|W4H53K1 diff --git a/engine/blog/locale/nl_NL/LC_MESSAGES/django.po b/engine/blog/locale/nl_NL/LC_MESSAGES/django.po index f57545af..d7e35acc 100644 --- a/engine/blog/locale/nl_NL/LC_MESSAGES/django.po +++ b/engine/blog/locale/nl_NL/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:38+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" diff --git a/engine/blog/locale/no_NO/LC_MESSAGES/django.mo b/engine/blog/locale/no_NO/LC_MESSAGES/django.mo index 517064209b572d93f4a4be061f7f29390145c8bd..19b14901d3aa647ee489a5f1eaf69d02dec5ed0b 100644 GIT binary patch delta 16 XcmdlbwM%NlIyPoAJ;Ti#**e((G)e`Y delta 16 XcmdlbwM%NlIyPogJ(JBF**e((G*ktk diff --git a/engine/blog/locale/no_NO/LC_MESSAGES/django.po b/engine/blog/locale/no_NO/LC_MESSAGES/django.po index 6d1cd090..8c89adef 100644 --- a/engine/blog/locale/no_NO/LC_MESSAGES/django.po +++ b/engine/blog/locale/no_NO/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:38+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" diff --git a/engine/blog/locale/pl_PL/LC_MESSAGES/django.mo b/engine/blog/locale/pl_PL/LC_MESSAGES/django.mo index 78d8454300b7f739ad7735af3a66f42e7d1ba72e..a8a659b12b9e9cc3ab5932d467ba069989879d2b 100644 GIT binary patch delta 16 YcmX>pby8}>IyPoAJ;Ti#*=Dc-05&QG%K!iX delta 16 YcmX>pby8}>IyPogJ(JBF*=Dc-05&uQ%>V!Z diff --git a/engine/blog/locale/pl_PL/LC_MESSAGES/django.po b/engine/blog/locale/pl_PL/LC_MESSAGES/django.po index 48d3271e..ca29c601 100644 --- a/engine/blog/locale/pl_PL/LC_MESSAGES/django.po +++ b/engine/blog/locale/pl_PL/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:38+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" diff --git a/engine/blog/locale/pt_BR/LC_MESSAGES/django.mo b/engine/blog/locale/pt_BR/LC_MESSAGES/django.mo index cb104a566558969153d49c2ab25d52f9317599a6..8d48a501fa8ee8205d86e3200168fcb50a698634 100644 GIT binary patch delta 16 XcmX>reO7wIIyPoAJ;Ti#*<{!OHOB>7 delta 16 XcmX>reO7wIIyPogJ(JBF*<{!OHPHoJ diff --git a/engine/blog/locale/pt_BR/LC_MESSAGES/django.po b/engine/blog/locale/pt_BR/LC_MESSAGES/django.po index 555d7381..6f816744 100644 --- a/engine/blog/locale/pt_BR/LC_MESSAGES/django.po +++ b/engine/blog/locale/pt_BR/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:38+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" diff --git a/engine/blog/locale/ro_RO/LC_MESSAGES/django.mo b/engine/blog/locale/ro_RO/LC_MESSAGES/django.mo index 7f51f8685aa1332c9a7f8c9c2e18edb16e13d1fc..36ed3e9ba5925f868487a8f0170a8ce4b05f7016 100644 GIT binary patch delta 16 XcmX>meN1}8IyPoAJ;Ti#*+kg^H0K3H delta 16 XcmX>meN1}8IyPogJ(JBF*+kg^H1P#T diff --git a/engine/blog/locale/ro_RO/LC_MESSAGES/django.po b/engine/blog/locale/ro_RO/LC_MESSAGES/django.po index 6643ee9b..ec629534 100644 --- a/engine/blog/locale/ro_RO/LC_MESSAGES/django.po +++ b/engine/blog/locale/ro_RO/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:38+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" diff --git a/engine/blog/locale/ru_RU/LC_MESSAGES/django.mo b/engine/blog/locale/ru_RU/LC_MESSAGES/django.mo index e69ccf0cccb972bb4ac13f015f999c9e3faf77e3..163752232da04018baed0be71af798b6ca39763a 100644 GIT binary patch delta 16 XcmaE@{91X#IyPoAJ;Ti#*{rw$I%@^U delta 16 XcmaE@{91X#IyPogJ(JBF*{rw$I&}rg diff --git a/engine/blog/locale/ru_RU/LC_MESSAGES/django.po b/engine/blog/locale/ru_RU/LC_MESSAGES/django.po index f4e2822e..01b764f7 100644 --- a/engine/blog/locale/ru_RU/LC_MESSAGES/django.po +++ b/engine/blog/locale/ru_RU/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:38+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" diff --git a/engine/blog/locale/sv_SE/LC_MESSAGES/django.mo b/engine/blog/locale/sv_SE/LC_MESSAGES/django.mo index 459abb9ed0be354e7122bb66337c87420a9d2a53..9d3c190382b9e334b43defb8fe5c976ebceaac09 100644 GIT binary patch delta 16 YcmcaBbysS`IyPoAJ;Ti#+19WD063}!2LJ#7 delta 16 YcmcaBbysS`IyPogJ(JBF+19WD064S;2><{9 diff --git a/engine/blog/locale/sv_SE/LC_MESSAGES/django.po b/engine/blog/locale/sv_SE/LC_MESSAGES/django.po index ac541991..17c686bb 100644 --- a/engine/blog/locale/sv_SE/LC_MESSAGES/django.po +++ b/engine/blog/locale/sv_SE/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:38+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" diff --git a/engine/blog/locale/th_TH/LC_MESSAGES/django.mo b/engine/blog/locale/th_TH/LC_MESSAGES/django.mo index a21f32ac1c525ca2f3c19ae543ba4d737c570439..9ab060c528c2d6bf0879032fd776c935939c7fc3 100644 GIT binary patch delta 16 YcmZ3dxlVJ#IyPoAJ;Ti#+5YkZ05x?69{>OV delta 16 YcmZ3dxlVJ#IyPogJ(JBF+5YkZ05yLGApigX diff --git a/engine/blog/locale/th_TH/LC_MESSAGES/django.po b/engine/blog/locale/th_TH/LC_MESSAGES/django.po index eec1d11e..c4f2e138 100644 --- a/engine/blog/locale/th_TH/LC_MESSAGES/django.po +++ b/engine/blog/locale/th_TH/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:38+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" diff --git a/engine/blog/locale/tr_TR/LC_MESSAGES/django.mo b/engine/blog/locale/tr_TR/LC_MESSAGES/django.mo index 6fabce87eba4daba514c5e2aac61cf2248d71af9..8b41db22e0103e604463d16749979d1788447eaf 100644 GIT binary patch delta 16 Ycmew<^;2rYIyPoAJ;Ti#*-o$l06Z!NTL1t6 delta 16 Ycmew<^;2rYIyPogJ(JBF*-o$l06a7XT>t<8 diff --git a/engine/blog/locale/tr_TR/LC_MESSAGES/django.po b/engine/blog/locale/tr_TR/LC_MESSAGES/django.po index 71c1693e..3228feee 100644 --- a/engine/blog/locale/tr_TR/LC_MESSAGES/django.po +++ b/engine/blog/locale/tr_TR/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:38+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" diff --git a/engine/blog/locale/vi_VN/LC_MESSAGES/django.mo b/engine/blog/locale/vi_VN/LC_MESSAGES/django.mo index 7872e11c3d3cc41ae806871693457c22811af035..e3d60cc263c96bca3064bbbf61ba5ea1394238c9 100644 GIT binary patch delta 16 YcmaDQ^GasJIyPoAJ;Ti#*>u|i_QIyPoAJ;Ti#*~(b~G0_EM delta 16 XcmZ1>u|i_QIyPogJ(JBF*~(b~G1~=Y diff --git a/engine/blog/locale/zh_Hans/LC_MESSAGES/django.po b/engine/blog/locale/zh_Hans/LC_MESSAGES/django.po index e42eb266..a2ad6a8e 100644 --- a/engine/blog/locale/zh_Hans/LC_MESSAGES/django.po +++ b/engine/blog/locale/zh_Hans/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:38+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" diff --git a/engine/core/locale/ar_AR/LC_MESSAGES/django.mo b/engine/core/locale/ar_AR/LC_MESSAGES/django.mo index ecb6590819a6448daece10e3189ac3e6448a101c..a52eb0c969dc65ce050ec8b92b7a15dc2b38583e 100644 GIT binary patch delta 18 acmeCUz}9hrZA14lW-~p*&3(tJ9s&SQeh9b# delta 18 acmeCUz}9hrZA14lW>Y diff --git a/engine/core/locale/ar_AR/LC_MESSAGES/django.po b/engine/core/locale/ar_AR/LC_MESSAGES/django.po index e1dd6f13..f1d46689 100644 --- a/engine/core/locale/ar_AR/LC_MESSAGES/django.po +++ b/engine/core/locale/ar_AR/LC_MESSAGES/django.po @@ -1,9 +1,9 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-12-21 00:38+0300\n" +"POT-Creation-Date: 2026-01-04 19:25+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" @@ -27,8 +27,7 @@ msgstr "نشط" #: engine/core/abstract.py:22 msgid "" -"if set to false, this object can't be seen by users without needed " -"permission" +"if set to false, this object can't be seen by users without needed permission" msgstr "" "إذا تم تعيينه على خطأ، لا يمكن للمستخدمين رؤية هذا الكائن دون الحاجة إلى إذن" @@ -90,8 +89,8 @@ msgstr "إلغاء التنشيط المحدد _PH_0_%(verbose_name_plural)s" msgid "selected items have been deactivated." msgstr "تم إلغاء تنشيط العناصر المحددة!" -#: engine/core/admin.py:196 engine/core/graphene/object_types.py:652 -#: engine/core/graphene/object_types.py:659 engine/core/models.py:825 +#: engine/core/admin.py:196 engine/core/graphene/object_types.py:653 +#: engine/core/graphene/object_types.py:660 engine/core/models.py:825 #: engine/core/models.py:833 msgid "attribute value" msgstr "قيمة السمة" @@ -105,7 +104,7 @@ msgstr "قيم السمات" msgid "image" msgstr "الصورة" -#: engine/core/admin.py:209 engine/core/graphene/object_types.py:529 +#: engine/core/admin.py:209 engine/core/graphene/object_types.py:530 msgid "images" msgstr "الصور" @@ -113,7 +112,7 @@ msgstr "الصور" msgid "stock" msgstr "المخزون" -#: engine/core/admin.py:221 engine/core/graphene/object_types.py:712 +#: engine/core/admin.py:221 engine/core/graphene/object_types.py:713 msgid "stocks" msgstr "الأسهم" @@ -121,7 +120,7 @@ msgstr "الأسهم" msgid "order product" msgstr "طلب المنتج" -#: engine/core/admin.py:233 engine/core/graphene/object_types.py:440 +#: engine/core/admin.py:233 engine/core/graphene/object_types.py:441 #: engine/core/models.py:1932 msgid "order products" msgstr "اطلب المنتجات" @@ -154,8 +153,7 @@ msgstr "تم التسليم" msgid "canceled" msgstr "تم الإلغاء" -#: engine/core/choices.py:8 engine/core/choices.py:16 -#: engine/core/choices.py:24 +#: engine/core/choices.py:8 engine/core/choices.py:16 engine/core/choices.py:24 msgid "failed" msgstr "فشل" @@ -193,9 +191,9 @@ msgid "" "negotiation. Language can be selected with Accept-Language and query " "parameter both." msgstr "" -"مخطط OpenApi3 لواجهة برمجة التطبيقات هذه. يمكن تحديد التنسيق عبر التفاوض على" -" المحتوى. يمكن تحديد اللغة باستخدام معلمة قبول اللغة ومعلمة الاستعلام على حد" -" سواء." +"مخطط OpenApi3 لواجهة برمجة التطبيقات هذه. يمكن تحديد التنسيق عبر التفاوض على " +"المحتوى. يمكن تحديد اللغة باستخدام معلمة قبول اللغة ومعلمة الاستعلام على حد " +"سواء." #: engine/core/docs/drf/views.py:46 engine/core/graphene/mutations.py:36 msgid "cache I/O" @@ -207,7 +205,8 @@ msgid "" "apply key, data and timeout with authentication to write data to cache." msgstr "" "تطبيق مفتاح فقط لقراءة البيانات المسموح بها من ذاكرة التخزين المؤقت.\n" -"تطبيق مفتاح وبيانات ومهلة مع المصادقة لكتابة البيانات إلى ذاكرة التخزين المؤقت." +"تطبيق مفتاح وبيانات ومهلة مع المصادقة لكتابة البيانات إلى ذاكرة التخزين " +"المؤقت." #: engine/core/docs/drf/views.py:66 msgid "get a list of supported languages" @@ -270,8 +269,7 @@ msgid "rewrite an existing attribute group saving non-editables" msgstr "إعادة كتابة مجموعة سمات موجودة تحفظ غير القابلة للتعديل" #: engine/core/docs/drf/viewsets.py:107 -msgid "" -"rewrite some fields of an existing attribute group saving non-editables" +msgid "rewrite some fields of an existing attribute group saving non-editables" msgstr "إعادة كتابة بعض حقول مجموعة سمات موجودة تحفظ غير القابلة للتعديل" #: engine/core/docs/drf/viewsets.py:118 @@ -319,8 +317,7 @@ msgid "rewrite an existing attribute value saving non-editables" msgstr "إعادة كتابة قيمة سمة موجودة تحفظ غير القابلة للتعديل" #: engine/core/docs/drf/viewsets.py:208 -msgid "" -"rewrite some fields of an existing attribute value saving non-editables" +msgid "rewrite some fields of an existing attribute value saving non-editables" msgstr "إعادة كتابة بعض حقول قيمة سمة موجودة حفظ غير قابل للتعديل" #: engine/core/docs/drf/viewsets.py:219 engine/core/docs/drf/viewsets.py:220 @@ -354,8 +351,8 @@ msgstr "إعادة كتابة بعض حقول فئة موجودة حفظ غير #: engine/core/docs/drf/viewsets.py:280 engine/core/docs/drf/viewsets.py:757 #: engine/core/docs/drf/viewsets.py:1046 #: engine/core/graphene/object_types.py:119 -#: engine/core/graphene/object_types.py:238 -#: engine/core/graphene/object_types.py:539 +#: engine/core/graphene/object_types.py:239 +#: engine/core/graphene/object_types.py:540 msgid "SEO Meta snapshot" msgstr "لقطة تعريفية لتحسين محركات البحث SEO" @@ -373,8 +370,8 @@ msgstr "بالنسبة للمستخدمين من غير الموظفين، يت #: engine/core/docs/drf/viewsets.py:309 msgid "" -"Case-insensitive substring search across human_readable_id, " -"order_products.product.name, and order_products.product.partnumber" +"Case-insensitive substring search across human_readable_id, order_products." +"product.name, and order_products.product.partnumber" msgstr "" "البحث في سلسلة فرعية غير حساسة لحالة الأحرف عبر human_readable_id و " "order_products.product.name و order_products.product.partnumber" @@ -410,9 +407,9 @@ msgstr "تصفية حسب حالة الطلب (مطابقة سلسلة فرعي #: engine/core/docs/drf/viewsets.py:354 msgid "" -"Order by one of: uuid, human_readable_id, user_email, user, status, created," -" modified, buy_time, random. Prefix with '-' for descending (e.g. " -"'-buy_time')." +"Order by one of: uuid, human_readable_id, user_email, user, status, created, " +"modified, buy_time, random. Prefix with '-' for descending (e.g. '-" +"buy_time')." msgstr "" "الترتيب حسب واحد من: uuid، معرف_بشري_مقروء، بريد_إلكتروني_مستخدم، مستخدم، " "حالة، إنشاء، تعديل، وقت_الشراء، عشوائي. البادئة بحرف \"-\" للترتيب التنازلي " @@ -494,8 +491,7 @@ msgid "" "adds a list of products to an order using the provided `product_uuid` and " "`attributes`." msgstr "" -"يضيف قائمة من المنتجات إلى طلب باستخدام \"معرّف_المنتج\" و\"السمات\" " -"المتوفرة." +"يضيف قائمة من المنتجات إلى طلب باستخدام \"معرّف_المنتج\" و\"السمات\" المتوفرة." #: engine/core/docs/drf/viewsets.py:472 msgid "remove product from order" @@ -505,7 +501,8 @@ msgstr "إزالة منتج من الطلب" msgid "" "removes a product from an order using the provided `product_uuid` and " "`attributes`." -msgstr "يزيل منتجًا من أحد الطلبات باستخدام \"معرّف_المنتج\" و\"السمات\" المتوفرة." +msgstr "" +"يزيل منتجًا من أحد الطلبات باستخدام \"معرّف_المنتج\" و\"السمات\" المتوفرة." #: engine/core/docs/drf/viewsets.py:483 msgid "remove product from order, quantities will not count" @@ -599,20 +596,32 @@ msgstr "" msgid "" "Filter by one or more attribute name/value pairs. \n" "• **Syntax**: `attr_name=method-value[;attr2=method2-value2]…` \n" -"• **Methods** (defaults to `icontains` if omitted): `iexact`, `exact`, `icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, `iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in` \n" -"• **Value typing**: JSON is attempted first (so you can pass lists/dicts), `true`/`false` for booleans, integers, floats; otherwise treated as string. \n" +"• **Methods** (defaults to `icontains` if omitted): `iexact`, `exact`, " +"`icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, " +"`iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in` \n" +"• **Value typing**: JSON is attempted first (so you can pass lists/dicts), " +"`true`/`false` for booleans, integers, floats; otherwise treated as " +"string. \n" "• **Base64**: prefix with `b64-` to URL-safe base64-encode the raw value. \n" "Examples: \n" -"`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\",\"bluetooth\"]`, \n" +"`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\"," +"\"bluetooth\"]`, \n" "`b64-description=icontains-aGVhdC1jb2xk`" msgstr "" "تصفية حسب زوج واحد أو أكثر من أسماء/قيم السمات. \n" "- **صيغة**: `attr_name=الطريقة-القيمة[ ؛ attr2=الطريقة2-القيمة2]...`\n" -"- **الأساليب** (افتراضيًا إلى \"يحتوي على\" إذا تم حذفها): \"بالضبط\"، \"بالضبط\"، \"بالضبط\"، \"يحتوي\"، \"يحتوي\"، \"لاغية\"، \"يبدأ ب\"، \"يبدأ ب\"، \"يبدأ ب\"، \"ينتهي ب\"، \"ينتهي ب\"، \"regex\"، \"iregex\"، \"lt\"، \"lte\"، \"gt\"، \"gte\"، \"in\n" -"- **كتابة القيمة**: تتم تجربة JSON أولًا (حتى تتمكن من تمرير القوائم/المجادلات)، \"صحيح\"/\"خطأ\" للمنطقيين والأعداد الصحيحة والعوامات؛ وإلا يتم التعامل معها كسلسلة. \n" -"- **القاعدة 64**: البادئة ب \"b64-\" لتشفير القيمة الخام بأمان لقاعدة 64- لتشفير القيمة الخام. \n" +"- **الأساليب** (افتراضيًا إلى \"يحتوي على\" إذا تم حذفها): \"بالضبط\"، " +"\"بالضبط\"، \"بالضبط\"، \"يحتوي\"، \"يحتوي\"، \"لاغية\"، \"يبدأ ب\"، \"يبدأ " +"ب\"، \"يبدأ ب\"، \"ينتهي ب\"، \"ينتهي ب\"، \"regex\"، \"iregex\"، \"lt\"، " +"\"lte\"، \"gt\"، \"gte\"، \"in\n" +"- **كتابة القيمة**: تتم تجربة JSON أولًا (حتى تتمكن من تمرير القوائم/" +"المجادلات)، \"صحيح\"/\"خطأ\" للمنطقيين والأعداد الصحيحة والعوامات؛ وإلا يتم " +"التعامل معها كسلسلة. \n" +"- **القاعدة 64**: البادئة ب \"b64-\" لتشفير القيمة الخام بأمان لقاعدة 64- " +"لتشفير القيمة الخام. \n" "أمثلة: \n" -"'color=exact-red'، 'size=gt-10'، 'features=in-[\"wifi\"،\"bluetooth\"]، 'fatures=in-[\"wifi\",\"bluetooth\"],\n" +"'color=exact-red'، 'size=gt-10'، 'features=in-[\"wifi\"،\"bluetooth\"]، " +"'fatures=in-[\"wifi\",\"bluetooth\"],\n" "\"b64-description=icontains-aGVhdC1jb2xk" #: engine/core/docs/drf/viewsets.py:617 engine/core/docs/drf/viewsets.py:618 @@ -625,7 +634,8 @@ msgstr "(بالضبط) UUID المنتج" #: engine/core/docs/drf/viewsets.py:630 msgid "" -"Comma-separated list of fields to sort by. Prefix with `-` for descending. \n" +"Comma-separated list of fields to sort by. Prefix with `-` for " +"descending. \n" "**Allowed:** uuid, rating, name, slug, created, modified, price, random" msgstr "" "قائمة مفصولة بفواصل من الحقول للفرز حسب. البادئة بـ \"-\" للفرز التنازلي. \n" @@ -1165,8 +1175,8 @@ msgstr "شراء طلبية" #: engine/core/graphene/mutations.py:542 msgid "" -"please send the attributes as the string formatted like " -"attr1=value1,attr2=value2" +"please send the attributes as the string formatted like attr1=value1," +"attr2=value2" msgstr "الرجاء إرسال السمات كسلسلة منسقة مثل attr1=قيمة1، attr2=قيمة2" #: engine/core/graphene/mutations.py:580 @@ -1203,8 +1213,8 @@ msgid "elasticsearch - works like a charm" msgstr "ElasticSearch - يعمل مثل السحر" #: engine/core/graphene/object_types.py:84 -#: engine/core/graphene/object_types.py:419 -#: engine/core/graphene/object_types.py:470 engine/core/models.py:796 +#: engine/core/graphene/object_types.py:420 +#: engine/core/graphene/object_types.py:471 engine/core/models.py:796 #: engine/core/models.py:1290 engine/core/models.py:2022 msgid "attributes" msgstr "السمات" @@ -1218,8 +1228,8 @@ msgid "groups of attributes" msgstr "مجموعات السمات" #: engine/core/graphene/object_types.py:118 -#: engine/core/graphene/object_types.py:216 -#: engine/core/graphene/object_types.py:254 engine/core/models.py:440 +#: engine/core/graphene/object_types.py:217 +#: engine/core/graphene/object_types.py:255 engine/core/models.py:440 msgid "categories" msgstr "الفئات" @@ -1227,80 +1237,79 @@ msgstr "الفئات" msgid "brands" msgstr "العلامات التجارية" -#: engine/core/graphene/object_types.py:218 +#: engine/core/graphene/object_types.py:219 msgid "category image url" msgstr "الفئات" -#: engine/core/graphene/object_types.py:219 -#: engine/core/graphene/object_types.py:364 engine/core/models.py:278 +#: engine/core/graphene/object_types.py:220 +#: engine/core/graphene/object_types.py:365 engine/core/models.py:278 msgid "markup percentage" msgstr "النسبة المئوية للترميز" -#: engine/core/graphene/object_types.py:223 +#: engine/core/graphene/object_types.py:224 msgid "which attributes and values can be used for filtering this category." msgstr "ما هي السمات والقيم التي يمكن استخدامها لتصفية هذه الفئة." -#: engine/core/graphene/object_types.py:229 -msgid "" -"minimum and maximum prices for products in this category, if available." +#: engine/core/graphene/object_types.py:230 +msgid "minimum and maximum prices for products in this category, if available." msgstr "" "الحد الأدنى والحد الأقصى لأسعار المنتجات في هذه الفئة، إذا كانت متوفرة." -#: engine/core/graphene/object_types.py:233 +#: engine/core/graphene/object_types.py:234 msgid "tags for this category" msgstr "العلامات الخاصة بهذه الفئة" -#: engine/core/graphene/object_types.py:236 +#: engine/core/graphene/object_types.py:237 msgid "products in this category" msgstr "المنتجات في هذه الفئة" -#: engine/core/graphene/object_types.py:371 engine/core/models.py:183 +#: engine/core/graphene/object_types.py:372 engine/core/models.py:183 msgid "vendors" msgstr "البائعون" -#: engine/core/graphene/object_types.py:375 +#: engine/core/graphene/object_types.py:376 msgid "Latitude (Y coordinate)" msgstr "خط العرض (الإحداثي Y)" -#: engine/core/graphene/object_types.py:376 +#: engine/core/graphene/object_types.py:377 msgid "Longitude (X coordinate)" msgstr "خط الطول (الإحداثي X)" -#: engine/core/graphene/object_types.py:405 +#: engine/core/graphene/object_types.py:406 msgid "comment" msgstr "كيفية" -#: engine/core/graphene/object_types.py:407 -#: engine/core/graphene/object_types.py:541 +#: engine/core/graphene/object_types.py:408 +#: engine/core/graphene/object_types.py:542 msgid "rating value from 1 to 10, inclusive, or 0 if not set." msgstr "قيمة التصنيف من 1 إلى 10، شاملة، أو 0 إذا لم يتم تعيينها." -#: engine/core/graphene/object_types.py:415 +#: engine/core/graphene/object_types.py:416 msgid "represents feedback from a user." msgstr "يمثل ملاحظات من المستخدم." -#: engine/core/graphene/object_types.py:420 -#: engine/core/graphene/object_types.py:471 engine/core/models.py:1284 +#: engine/core/graphene/object_types.py:421 +#: engine/core/graphene/object_types.py:472 engine/core/models.py:1284 msgid "notifications" msgstr "الإشعارات" -#: engine/core/graphene/object_types.py:422 +#: engine/core/graphene/object_types.py:423 msgid "download url for this order product if applicable" msgstr "تحميل الرابط الخاص بمنتج الطلب هذا إن أمكن" -#: engine/core/graphene/object_types.py:424 engine/core/models.py:1849 +#: engine/core/graphene/object_types.py:425 engine/core/models.py:1849 msgid "feedback" msgstr "الملاحظات" -#: engine/core/graphene/object_types.py:458 +#: engine/core/graphene/object_types.py:459 msgid "a list of order products in this order" msgstr "قائمة بطلب المنتجات بهذا الترتيب" -#: engine/core/graphene/object_types.py:460 engine/core/models.py:1254 +#: engine/core/graphene/object_types.py:461 engine/core/models.py:1254 msgid "billing address" msgstr "عنوان إرسال الفواتير" -#: engine/core/graphene/object_types.py:464 +#: engine/core/graphene/object_types.py:465 msgid "" "shipping address for this order, leave blank if same as billing address or " "if not applicable" @@ -1308,53 +1317,53 @@ msgstr "" "عنوان الشحن لهذا الطلب، اترك العنوان فارغًا إذا كان هو نفسه عنوان إرسال " "الفواتير أو إذا لم يكن منطبقًا" -#: engine/core/graphene/object_types.py:467 +#: engine/core/graphene/object_types.py:468 msgid "total price of this order" msgstr "السعر الإجمالي لهذا الطلب" -#: engine/core/graphene/object_types.py:468 +#: engine/core/graphene/object_types.py:469 msgid "total quantity of products in order" msgstr "إجمالي كمية المنتجات بالترتيب" -#: engine/core/graphene/object_types.py:469 +#: engine/core/graphene/object_types.py:470 msgid "are all products in the order digital" msgstr "هل جميع المنتجات في الطلب رقمي" -#: engine/core/graphene/object_types.py:473 +#: engine/core/graphene/object_types.py:474 msgid "transactions for this order" msgstr "المعاملات الخاصة بهذا الطلب" -#: engine/core/graphene/object_types.py:493 engine/core/models.py:1318 +#: engine/core/graphene/object_types.py:494 engine/core/models.py:1318 msgid "orders" msgstr "الطلبات" -#: engine/core/graphene/object_types.py:514 +#: engine/core/graphene/object_types.py:515 msgid "image url" msgstr "رابط الصورة" -#: engine/core/graphene/object_types.py:521 +#: engine/core/graphene/object_types.py:522 msgid "product's images" msgstr "صور المنتج" -#: engine/core/graphene/object_types.py:528 engine/core/models.py:439 +#: engine/core/graphene/object_types.py:529 engine/core/models.py:439 #: engine/core/models.py:596 msgid "category" msgstr "الفئة" -#: engine/core/graphene/object_types.py:530 engine/core/models.py:1850 +#: engine/core/graphene/object_types.py:531 engine/core/models.py:1850 msgid "feedbacks" msgstr "الملاحظات" -#: engine/core/graphene/object_types.py:531 engine/core/models.py:510 +#: engine/core/graphene/object_types.py:532 engine/core/models.py:510 #: engine/core/models.py:605 msgid "brand" msgstr "العلامة التجارية" -#: engine/core/graphene/object_types.py:533 engine/core/models.py:103 +#: engine/core/graphene/object_types.py:534 engine/core/models.py:103 msgid "attribute groups" msgstr "مجموعات السمات" -#: engine/core/graphene/object_types.py:535 +#: engine/core/graphene/object_types.py:536 #: engine/core/templates/digital_order_created_email.html:111 #: engine/core/templates/digital_order_delivered_email.html:109 #: engine/core/templates/shipped_order_created_email.html:109 @@ -1362,7 +1371,7 @@ msgstr "مجموعات السمات" msgid "price" msgstr "السعر" -#: engine/core/graphene/object_types.py:536 +#: engine/core/graphene/object_types.py:537 #: engine/core/templates/digital_order_created_email.html:110 #: engine/core/templates/digital_order_delivered_email.html:108 #: engine/core/templates/shipped_order_created_email.html:108 @@ -1370,39 +1379,39 @@ msgstr "السعر" msgid "quantity" msgstr "الكمية" -#: engine/core/graphene/object_types.py:537 +#: engine/core/graphene/object_types.py:538 msgid "number of feedbacks" msgstr "عدد الملاحظات" -#: engine/core/graphene/object_types.py:538 +#: engine/core/graphene/object_types.py:539 msgid "only available for personal orders" msgstr "المنتجات متاحة للطلبات الشخصية فقط" -#: engine/core/graphene/object_types.py:543 +#: engine/core/graphene/object_types.py:544 msgid "discount price" msgstr "سعر الخصم" -#: engine/core/graphene/object_types.py:567 engine/core/models.py:677 +#: engine/core/graphene/object_types.py:568 engine/core/models.py:677 msgid "products" msgstr "المنتجات" -#: engine/core/graphene/object_types.py:677 +#: engine/core/graphene/object_types.py:678 msgid "promocodes" msgstr "الرموز الترويجية" -#: engine/core/graphene/object_types.py:692 +#: engine/core/graphene/object_types.py:693 msgid "products on sale" msgstr "المنتجات المعروضة للبيع" -#: engine/core/graphene/object_types.py:700 engine/core/models.py:928 +#: engine/core/graphene/object_types.py:701 engine/core/models.py:928 msgid "promotions" msgstr "العروض الترويجية" -#: engine/core/graphene/object_types.py:704 engine/core/models.py:182 +#: engine/core/graphene/object_types.py:705 engine/core/models.py:182 msgid "vendor" msgstr "البائع" -#: engine/core/graphene/object_types.py:705 engine/core/models.py:676 +#: engine/core/graphene/object_types.py:706 engine/core/models.py:676 #: engine/core/templates/digital_order_created_email.html:109 #: engine/core/templates/digital_order_delivered_email.html:107 #: engine/core/templates/shipped_order_created_email.html:107 @@ -1410,100 +1419,100 @@ msgstr "البائع" msgid "product" msgstr "المنتج" -#: engine/core/graphene/object_types.py:717 engine/core/models.py:951 +#: engine/core/graphene/object_types.py:718 engine/core/models.py:951 msgid "wishlisted products" msgstr "المنتجات المفضلة" -#: engine/core/graphene/object_types.py:724 engine/core/models.py:968 +#: engine/core/graphene/object_types.py:725 engine/core/models.py:968 msgid "wishlists" msgstr "قوائم التمنيات" -#: engine/core/graphene/object_types.py:729 +#: engine/core/graphene/object_types.py:730 msgid "tagged products" msgstr "المنتجات الموسومة" -#: engine/core/graphene/object_types.py:737 engine/core/models.py:219 +#: engine/core/graphene/object_types.py:738 engine/core/models.py:219 #: engine/core/models.py:611 msgid "product tags" msgstr "علامات المنتج" -#: engine/core/graphene/object_types.py:742 +#: engine/core/graphene/object_types.py:743 msgid "tagged categories" msgstr "الفئات الموسومة" -#: engine/core/graphene/object_types.py:750 +#: engine/core/graphene/object_types.py:751 msgid "categories tags" msgstr "علامات الفئات" -#: engine/core/graphene/object_types.py:754 +#: engine/core/graphene/object_types.py:755 msgid "project name" msgstr "اسم المشروع" -#: engine/core/graphene/object_types.py:755 +#: engine/core/graphene/object_types.py:756 msgid "company name" msgstr "اسم الشركة" -#: engine/core/graphene/object_types.py:756 +#: engine/core/graphene/object_types.py:757 msgid "company address" msgstr "عنوان الشركة" -#: engine/core/graphene/object_types.py:757 +#: engine/core/graphene/object_types.py:758 msgid "company phone number" msgstr "رقم هاتف الشركة" -#: engine/core/graphene/object_types.py:760 +#: engine/core/graphene/object_types.py:761 msgid "email from, sometimes it must be used instead of host user value" msgstr "" -"\"البريد الإلكتروني من\"، في بعض الأحيان يجب استخدامه بدلاً من قيمة المستخدم" -" المضيف" +"\"البريد الإلكتروني من\"، في بعض الأحيان يجب استخدامه بدلاً من قيمة المستخدم " +"المضيف" -#: engine/core/graphene/object_types.py:763 +#: engine/core/graphene/object_types.py:764 msgid "email host user" msgstr "مستخدم البريد الإلكتروني المضيف" -#: engine/core/graphene/object_types.py:764 +#: engine/core/graphene/object_types.py:765 msgid "maximum amount for payment" msgstr "الحد الأقصى لمبلغ السداد" -#: engine/core/graphene/object_types.py:765 +#: engine/core/graphene/object_types.py:766 msgid "minimum amount for payment" msgstr "الحد الأدنى لمبلغ السداد" -#: engine/core/graphene/object_types.py:766 +#: engine/core/graphene/object_types.py:767 msgid "analytics data" msgstr "بيانات التحليلات" -#: engine/core/graphene/object_types.py:767 +#: engine/core/graphene/object_types.py:768 msgid "advertisement data" msgstr "بيانات الإعلانات" -#: engine/core/graphene/object_types.py:770 +#: engine/core/graphene/object_types.py:771 msgid "company configuration" msgstr "التكوين" -#: engine/core/graphene/object_types.py:774 +#: engine/core/graphene/object_types.py:775 msgid "language code" msgstr "رمز اللغة" -#: engine/core/graphene/object_types.py:775 +#: engine/core/graphene/object_types.py:776 msgid "language name" msgstr "اسم اللغة" -#: engine/core/graphene/object_types.py:776 +#: engine/core/graphene/object_types.py:777 msgid "language flag, if exists :)" msgstr "علم اللغة، إذا كان موجوداً :)" -#: engine/core/graphene/object_types.py:779 +#: engine/core/graphene/object_types.py:780 msgid "supported languages" msgstr "الحصول على قائمة باللغات المدعومة" -#: engine/core/graphene/object_types.py:811 -#: engine/core/graphene/object_types.py:814 -#: engine/core/graphene/object_types.py:817 +#: engine/core/graphene/object_types.py:812 +#: engine/core/graphene/object_types.py:815 +#: engine/core/graphene/object_types.py:818 msgid "products search results" msgstr "نتائج البحث عن المنتجات" -#: engine/core/graphene/object_types.py:819 +#: engine/core/graphene/object_types.py:820 msgid "posts search results" msgstr "نتائج البحث عن المنتجات" @@ -1549,8 +1558,8 @@ msgstr "" "تفاعلهم. يتم استخدام فئة البائع لتعريف وإدارة المعلومات المتعلقة ببائع " "خارجي. وهو يخزن اسم البائع، وتفاصيل المصادقة المطلوبة للاتصال، والنسبة " "المئوية للترميز المطبقة على المنتجات المسترجعة من البائع. يحتفظ هذا النموذج " -"أيضًا ببيانات وصفية وقيود إضافية، مما يجعله مناسبًا للاستخدام في الأنظمة " -"التي تتفاعل مع البائعين الخارجيين." +"أيضًا ببيانات وصفية وقيود إضافية، مما يجعله مناسبًا للاستخدام في الأنظمة التي " +"تتفاعل مع البائعين الخارجيين." #: engine/core/models.py:122 msgid "stores credentials and endpoints required for vendor communication" @@ -1603,9 +1612,9 @@ msgid "" "metadata customization for administrative purposes." msgstr "" "يمثل علامة منتج تُستخدم لتصنيف المنتجات أو تعريفها. صُممت فئة ProductTag " -"لتعريف المنتجات وتصنيفها بشكل فريد من خلال مزيج من معرّف علامة داخلي واسم " -"عرض سهل الاستخدام. وهي تدعم العمليات التي يتم تصديرها من خلال mixins وتوفر " -"تخصيص البيانات الوصفية لأغراض إدارية." +"لتعريف المنتجات وتصنيفها بشكل فريد من خلال مزيج من معرّف علامة داخلي واسم عرض " +"سهل الاستخدام. وهي تدعم العمليات التي يتم تصديرها من خلال mixins وتوفر تخصيص " +"البيانات الوصفية لأغراض إدارية." #: engine/core/models.py:204 engine/core/models.py:235 msgid "internal tag identifier for the product tag" @@ -1633,8 +1642,8 @@ msgid "" "tag that can be used to associate and classify products. It includes " "attributes for an internal tag identifier and a user-friendly display name." msgstr "" -"يمثل علامة فئة تستخدم للمنتجات. تمثل هذه الفئة علامة فئة يمكن استخدامها لربط" -" المنتجات وتصنيفها. وهي تتضمن سمات لمعرف علامة داخلي واسم عرض سهل الاستخدام." +"يمثل علامة فئة تستخدم للمنتجات. تمثل هذه الفئة علامة فئة يمكن استخدامها لربط " +"المنتجات وتصنيفها. وهي تتضمن سمات لمعرف علامة داخلي واسم عرض سهل الاستخدام." #: engine/core/models.py:249 msgid "category tag" @@ -1660,9 +1669,9 @@ msgstr "" "علاقات هرمية مع فئات أخرى، مما يدعم العلاقات بين الأصل والطفل. تتضمن الفئة " "حقول للبيانات الوصفية والتمثيل المرئي، والتي تعمل كأساس للميزات المتعلقة " "بالفئات. تُستخدم هذه الفئة عادةً لتعريف وإدارة فئات المنتجات أو غيرها من " -"التجميعات المماثلة داخل التطبيق، مما يسمح للمستخدمين أو المسؤولين بتحديد اسم" -" الفئات ووصفها وتسلسلها الهرمي، بالإضافة إلى تعيين سمات مثل الصور أو " -"العلامات أو الأولوية." +"التجميعات المماثلة داخل التطبيق، مما يسمح للمستخدمين أو المسؤولين بتحديد اسم " +"الفئات ووصفها وتسلسلها الهرمي، بالإضافة إلى تعيين سمات مثل الصور أو العلامات " +"أو الأولوية." #: engine/core/models.py:269 msgid "upload an image representing this category" @@ -1713,8 +1722,7 @@ msgid "" "Represents a Brand object in the system. This class handles information and " "attributes related to a brand, including its name, logos, description, " "associated categories, a unique slug, and priority order. It allows for the " -"organization and representation of brand-related data within the " -"application." +"organization and representation of brand-related data within the application." msgstr "" "يمثل كائن العلامة التجارية في النظام. تتعامل هذه الفئة مع المعلومات والسمات " "المتعلقة بالعلامة التجارية، بما في ذلك اسمها وشعاراتها ووصفها والفئات " @@ -1763,8 +1771,8 @@ msgstr "الفئات" #: engine/core/models.py:516 msgid "" -"Represents the stock of a product managed in the system. This class provides" -" details about the relationship between vendors, products, and their stock " +"Represents the stock of a product managed in the system. This class provides " +"details about the relationship between vendors, products, and their stock " "information, as well as inventory-related properties like price, purchase " "price, quantity, SKU, and digital assets. It is part of the inventory " "management system to allow tracking and evaluation of products available " @@ -1854,10 +1862,10 @@ msgid "" msgstr "" "يمثل منتجًا بخصائص مثل الفئة والعلامة التجارية والعلامات والحالة الرقمية " "والاسم والوصف ورقم الجزء والعلامة التجارية والحالة الرقمية والاسم والوصف " -"ورقم الجزء والسبيكة. يوفر خصائص الأداة المساعدة ذات الصلة لاسترداد التقييمات" -" وعدد الملاحظات والسعر والكمية وإجمالي الطلبات. مصمم للاستخدام في نظام " -"يتعامل مع التجارة الإلكترونية أو إدارة المخزون. تتفاعل هذه الفئة مع النماذج " -"ذات الصلة (مثل الفئة والعلامة التجارية وعلامة المنتج) وتدير التخزين المؤقت " +"ورقم الجزء والسبيكة. يوفر خصائص الأداة المساعدة ذات الصلة لاسترداد التقييمات " +"وعدد الملاحظات والسعر والكمية وإجمالي الطلبات. مصمم للاستخدام في نظام يتعامل " +"مع التجارة الإلكترونية أو إدارة المخزون. تتفاعل هذه الفئة مع النماذج ذات " +"الصلة (مثل الفئة والعلامة التجارية وعلامة المنتج) وتدير التخزين المؤقت " "للخصائص التي يتم الوصول إليها بشكل متكرر لتحسين الأداء. يتم استخدامه لتعريف " "ومعالجة بيانات المنتج والمعلومات المرتبطة به داخل التطبيق." @@ -1922,8 +1930,8 @@ msgid "" "Represents an attribute in the system. This class is used to define and " "manage attributes, which are customizable pieces of data that can be " "associated with other entities. Attributes have associated categories, " -"groups, value types, and names. The model supports multiple types of values," -" including string, integer, float, boolean, array, and object. This allows " +"groups, value types, and names. The model supports multiple types of values, " +"including string, integer, float, boolean, array, and object. This allows " "for dynamic and flexible data structuring." msgstr "" "يمثل سمة في النظام. تُستخدم هذه الفئة لتعريف السمات وإدارتها، وهي عبارة عن " @@ -1991,9 +1999,9 @@ msgstr "السمة" #: engine/core/models.py:801 msgid "" -"Represents a specific value for an attribute that is linked to a product. It" -" links the 'attribute' to a unique 'value', allowing better organization and" -" dynamic representation of product characteristics." +"Represents a specific value for an attribute that is linked to a product. It " +"links the 'attribute' to a unique 'value', allowing better organization and " +"dynamic representation of product characteristics." msgstr "" "يمثل قيمة محددة لسمة مرتبطة بمنتج ما. يربط \"السمة\" بـ \"قيمة\" فريدة، مما " "يسمح بتنظيم أفضل وتمثيل ديناميكي لخصائص المنتج." @@ -2013,8 +2021,8 @@ msgstr "القيمة المحددة لهذه السمة" #: engine/core/models.py:839 msgid "" "Represents a product image associated with a product in the system. This " -"class is designed to manage images for products, including functionality for" -" uploading image files, associating them with specific products, and " +"class is designed to manage images for products, including functionality for " +"uploading image files, associating them with specific products, and " "determining their display order. It also includes an accessibility feature " "with alternative text for the images." msgstr "" @@ -2060,14 +2068,13 @@ msgid "" "is used to define and manage promotional campaigns that offer a percentage-" "based discount for products. The class includes attributes for setting the " "discount rate, providing details about the promotion, and linking it to the " -"applicable products. It integrates with the product catalog to determine the" -" affected items in the campaign." +"applicable products. It integrates with the product catalog to determine the " +"affected items in the campaign." msgstr "" -"يمثل حملة ترويجية للمنتجات ذات الخصم. تُستخدم هذه الفئة لتعريف وإدارة " -"الحملات الترويجية التي تقدم خصمًا على أساس النسبة المئوية للمنتجات. تتضمن " -"الفئة سمات لتعيين معدل الخصم وتوفير تفاصيل حول العرض الترويجي وربطه " -"بالمنتجات القابلة للتطبيق. تتكامل مع كتالوج المنتجات لتحديد العناصر المتأثرة" -" في الحملة." +"يمثل حملة ترويجية للمنتجات ذات الخصم. تُستخدم هذه الفئة لتعريف وإدارة الحملات " +"الترويجية التي تقدم خصمًا على أساس النسبة المئوية للمنتجات. تتضمن الفئة سمات " +"لتعيين معدل الخصم وتوفير تفاصيل حول العرض الترويجي وربطه بالمنتجات القابلة " +"للتطبيق. تتكامل مع كتالوج المنتجات لتحديد العناصر المتأثرة في الحملة." #: engine/core/models.py:904 msgid "percentage discount for the selected products" @@ -2108,8 +2115,8 @@ msgid "" "operations such as adding and removing products, as well as supporting " "operations for adding and removing multiple products at once." msgstr "" -"يمثل قائمة أمنيات المستخدم لتخزين وإدارة المنتجات المطلوبة. توفر الفئة وظائف" -" لإدارة مجموعة من المنتجات، وتدعم عمليات مثل إضافة المنتجات وإزالتها، " +"يمثل قائمة أمنيات المستخدم لتخزين وإدارة المنتجات المطلوبة. توفر الفئة وظائف " +"لإدارة مجموعة من المنتجات، وتدعم عمليات مثل إضافة المنتجات وإزالتها، " "بالإضافة إلى دعم عمليات إضافة وإزالة منتجات متعددة في وقت واحد." #: engine/core/models.py:950 @@ -2134,11 +2141,11 @@ msgid "" "store information about documentaries related to specific products, " "including file uploads and their metadata. It contains methods and " "properties to handle the file type and storage path for the documentary " -"files. It extends functionality from specific mixins and provides additional" -" custom features." +"files. It extends functionality from specific mixins and provides additional " +"custom features." msgstr "" -"يمثل سجل وثائقي مرتبط بمنتج ما. تُستخدم هذه الفئة لتخزين معلومات حول الأفلام" -" الوثائقية المرتبطة بمنتجات محددة، بما في ذلك تحميلات الملفات وبياناتها " +"يمثل سجل وثائقي مرتبط بمنتج ما. تُستخدم هذه الفئة لتخزين معلومات حول الأفلام " +"الوثائقية المرتبطة بمنتجات محددة، بما في ذلك تحميلات الملفات وبياناتها " "الوصفية. يحتوي على أساليب وخصائص للتعامل مع نوع الملف ومسار التخزين للملفات " "الوثائقية. وهو يوسع الوظائف من مزيج معين ويوفر ميزات مخصصة إضافية." @@ -2156,19 +2163,19 @@ msgstr "لم يتم حلها" #: engine/core/models.py:1040 msgid "" -"Represents an address entity that includes location details and associations" -" with a user. Provides functionality for geographic and address data " -"storage, as well as integration with geocoding services. This class is " -"designed to store detailed address information including components like " -"street, city, region, country, and geolocation (longitude and latitude). It " -"supports integration with geocoding APIs, enabling the storage of raw API " -"responses for further processing or inspection. The class also allows " -"associating an address with a user, facilitating personalized data handling." +"Represents an address entity that includes location details and associations " +"with a user. Provides functionality for geographic and address data storage, " +"as well as integration with geocoding services. This class is designed to " +"store detailed address information including components like street, city, " +"region, country, and geolocation (longitude and latitude). It supports " +"integration with geocoding APIs, enabling the storage of raw API responses " +"for further processing or inspection. The class also allows associating an " +"address with a user, facilitating personalized data handling." msgstr "" "يمثل كيان عنوان يتضمن تفاصيل الموقع والارتباطات مع المستخدم. يوفر وظائف " "لتخزين البيانات الجغرافية وبيانات العنوان، بالإضافة إلى التكامل مع خدمات " -"الترميز الجغرافي. صُممت هذه الفئة لتخزين معلومات العنوان التفصيلية بما في " -"ذلك مكونات مثل الشارع والمدينة والمنطقة والبلد والموقع الجغرافي (خطوط الطول " +"الترميز الجغرافي. صُممت هذه الفئة لتخزين معلومات العنوان التفصيلية بما في ذلك " +"مكونات مثل الشارع والمدينة والمنطقة والبلد والموقع الجغرافي (خطوط الطول " "والعرض). وهو يدعم التكامل مع واجهات برمجة التطبيقات للترميز الجغرافي، مما " "يتيح تخزين استجابات واجهة برمجة التطبيقات الخام لمزيد من المعالجة أو الفحص. " "تسمح الفئة أيضًا بربط عنوان مع مستخدم، مما يسهل التعامل مع البيانات الشخصية." @@ -2234,9 +2241,9 @@ msgid "" "any), and status of its usage. It includes functionality to validate and " "apply the promo code to an order while ensuring constraints are met." msgstr "" -"يمثل الرمز الترويجي الذي يمكن استخدامه للحصول على خصومات وإدارة صلاحيته ونوع" -" الخصم والتطبيق. تقوم فئة PromoCode بتخزين تفاصيل حول الرمز الترويجي، بما في" -" ذلك معرفه الفريد، وخصائص الخصم (المبلغ أو النسبة المئوية)، وفترة الصلاحية، " +"يمثل الرمز الترويجي الذي يمكن استخدامه للحصول على خصومات وإدارة صلاحيته ونوع " +"الخصم والتطبيق. تقوم فئة PromoCode بتخزين تفاصيل حول الرمز الترويجي، بما في " +"ذلك معرفه الفريد، وخصائص الخصم (المبلغ أو النسبة المئوية)، وفترة الصلاحية، " "والمستخدم المرتبط به (إن وجد)، وحالة استخدامه. ويتضمن وظيفة للتحقق من صحة " "الرمز الترويجي وتطبيقه على الطلب مع ضمان استيفاء القيود." @@ -2282,8 +2289,7 @@ msgstr "وقت بدء الصلاحية" #: engine/core/models.py:1152 msgid "timestamp when the promocode was used, blank if not used yet" -msgstr "" -"الطابع الزمني عند استخدام الرمز الترويجي، فارغ إذا لم يتم استخدامه بعد" +msgstr "الطابع الزمني عند استخدام الرمز الترويجي، فارغ إذا لم يتم استخدامه بعد" #: engine/core/models.py:1153 msgid "usage timestamp" @@ -2310,8 +2316,8 @@ msgid "" "only one type of discount should be defined (amount or percent), but not " "both or neither." msgstr "" -"يجب تحديد نوع واحد فقط من الخصم (المبلغ أو النسبة المئوية)، وليس كلا النوعين" -" أو لا هذا ولا ذاك." +"يجب تحديد نوع واحد فقط من الخصم (المبلغ أو النسبة المئوية)، وليس كلا النوعين " +"أو لا هذا ولا ذاك." #: engine/core/models.py:1205 msgid "promocode already used" @@ -2326,8 +2332,8 @@ msgstr "نوع الخصم غير صالح للرمز الترويجي {self.uuid msgid "" "Represents an order placed by a user. This class models an order within the " "application, including its various attributes such as billing and shipping " -"information, status, associated user, notifications, and related operations." -" Orders can have associated products, promotions can be applied, addresses " +"information, status, associated user, notifications, and related operations. " +"Orders can have associated products, promotions can be applied, addresses " "set, and shipping or billing details updated. Equally, functionality " "supports managing the products in the order lifecycle." msgstr "" @@ -2470,8 +2476,8 @@ msgid "" "you cannot buy without registration, please provide the following " "information: customer name, customer email, customer phone number" msgstr "" -"لا يمكنك الشراء بدون تسجيل، يرجى تقديم المعلومات التالية: اسم العميل، البريد" -" الإلكتروني للعميل، رقم هاتف العميل" +"لا يمكنك الشراء بدون تسجيل، يرجى تقديم المعلومات التالية: اسم العميل، البريد " +"الإلكتروني للعميل، رقم هاتف العميل" #: engine/core/models.py:1675 #, python-brace-format @@ -2502,8 +2508,7 @@ msgid "feedback comments" msgstr "تعليقات على الملاحظات" #: engine/core/models.py:1827 -msgid "" -"references the specific product in an order that this feedback is about" +msgid "references the specific product in an order that this feedback is about" msgstr "الإشارة إلى المنتج المحدد في الطلب الذي تدور حوله هذه الملاحظات" #: engine/core/models.py:1829 @@ -2533,9 +2538,9 @@ msgstr "" "يمثل المنتجات المرتبطة بالطلبات وسماتها. يحتفظ نموذج OrderProduct بمعلومات " "حول المنتج الذي هو جزء من الطلب، بما في ذلك تفاصيل مثل سعر الشراء والكمية " "وسمات المنتج وحالته. يدير الإشعارات للمستخدم والمسؤولين ويتعامل مع عمليات " -"مثل إرجاع رصيد المنتج أو إضافة ملاحظات. يوفر هذا النموذج أيضًا أساليب وخصائص" -" تدعم منطق العمل، مثل حساب السعر الإجمالي أو إنشاء عنوان URL للتنزيل " -"للمنتجات الرقمية. يتكامل النموذج مع نموذجي الطلب والمنتج ويخزن مرجعًا لهما." +"مثل إرجاع رصيد المنتج أو إضافة ملاحظات. يوفر هذا النموذج أيضًا أساليب وخصائص " +"تدعم منطق العمل، مثل حساب السعر الإجمالي أو إنشاء عنوان URL للتنزيل للمنتجات " +"الرقمية. يتكامل النموذج مع نموذجي الطلب والمنتج ويخزن مرجعًا لهما." #: engine/core/models.py:1870 msgid "the price paid by the customer for this product at purchase time" @@ -2643,15 +2648,15 @@ msgid "" "Represents the downloading functionality for digital assets associated with " "orders. The DigitalAssetDownload class provides the ability to manage and " "access downloads related to order products. It maintains information about " -"the associated order product, the number of downloads, and whether the asset" -" is publicly visible. It includes a method to generate a URL for downloading" -" the asset when the associated order is in a completed status." +"the associated order product, the number of downloads, and whether the asset " +"is publicly visible. It includes a method to generate a URL for downloading " +"the asset when the associated order is in a completed status." msgstr "" "يمثل وظيفة التنزيل للأصول الرقمية المرتبطة بالطلبات. توفر فئة " "DigitalAssetDownload القدرة على إدارة التنزيلات المتعلقة بمنتجات الطلبات " "والوصول إليها. وتحتفظ بمعلومات حول منتج الطلب المرتبط، وعدد التنزيلات، وما " -"إذا كان الأصل مرئيًا للعامة. وتتضمن طريقة لإنشاء عنوان URL لتنزيل الأصل " -"عندما يكون الطلب المرتبط في حالة مكتملة." +"إذا كان الأصل مرئيًا للعامة. وتتضمن طريقة لإنشاء عنوان URL لتنزيل الأصل عندما " +"يكون الطلب المرتبط في حالة مكتملة." #: engine/core/models.py:2092 msgid "download" @@ -2856,11 +2861,12 @@ msgstr "مرحباً %(order.user.first_name)s," #, python-format msgid "" "thank you for your order #%(order.pk)s! we are pleased to inform you that\n" -" we have taken your order into work. below are the details of your\n" +" we have taken your order into work. below are " +"the details of your\n" " order:" msgstr "" -"شكرًا لك على طلبك #%(order.pk)s! يسعدنا إبلاغك بأننا قد أخذنا طلبك في العمل." -" فيما يلي تفاصيل طلبك:" +"شكرًا لك على طلبك #%(order.pk)s! يسعدنا إبلاغك بأننا قد أخذنا طلبك في العمل. " +"فيما يلي تفاصيل طلبك:" #: engine/core/templates/digital_order_created_email.html:112 #: engine/core/templates/digital_order_delivered_email.html:110 @@ -2967,7 +2973,8 @@ msgstr "" #: engine/core/templates/shipped_order_created_email.html:101 #: engine/core/templates/shipped_order_delivered_email.html:101 msgid "" -"thank you for your order! we are pleased to confirm your purchase. below are\n" +"thank you for your order! we are pleased to confirm your purchase. below " +"are\n" " the details of your order:" msgstr "شكرًا لك على طلبك! يسعدنا تأكيد طلبك. فيما يلي تفاصيل طلبك:" @@ -3094,10 +3101,14 @@ msgstr "يتعامل بمنطق الشراء كشركة تجارية دون تس #: engine/core/views.py:337 msgid "" "Handles the downloading of a digital asset associated with an order.\n" -"This function attempts to serve the digital asset file located in the storage directory of the project. If the file is not found, an HTTP 404 error is raised to indicate the resource is unavailable." +"This function attempts to serve the digital asset file located in the " +"storage directory of the project. If the file is not found, an HTTP 404 " +"error is raised to indicate the resource is unavailable." msgstr "" "يتعامل مع تنزيل الأصل الرقمي المرتبط بأمر ما.\n" -"تحاول هذه الدالة خدمة ملف الأصل الرقمي الموجود في دليل التخزين الخاص بالمشروع. إذا لم يتم العثور على الملف، يتم رفع خطأ HTTP 404 للإشارة إلى أن المورد غير متوفر." +"تحاول هذه الدالة خدمة ملف الأصل الرقمي الموجود في دليل التخزين الخاص " +"بالمشروع. إذا لم يتم العثور على الملف، يتم رفع خطأ HTTP 404 للإشارة إلى أن " +"المورد غير متوفر." #: engine/core/views.py:348 msgid "order_product_uuid is required" @@ -3126,19 +3137,23 @@ msgstr "الرمز المفضل غير موجود" #: engine/core/views.py:418 msgid "" "Handles requests for the favicon of a website.\n" -"This function attempts to serve the favicon file located in the static directory of the project. If the favicon file is not found, an HTTP 404 error is raised to indicate the resource is unavailable." +"This function attempts to serve the favicon file located in the static " +"directory of the project. If the favicon file is not found, an HTTP 404 " +"error is raised to indicate the resource is unavailable." msgstr "" "يتعامل مع طلبات الرمز المفضل لموقع ويب.\n" -"تحاول هذه الدالة عرض ملف الأيقونة المفضلة الموجود في الدليل الثابت للمشروع. إذا لم يتم العثور على ملف الأيقونة المفضلة، يتم رفع خطأ HTTP 404 للإشارة إلى أن المورد غير متوفر." +"تحاول هذه الدالة عرض ملف الأيقونة المفضلة الموجود في الدليل الثابت للمشروع. " +"إذا لم يتم العثور على ملف الأيقونة المفضلة، يتم رفع خطأ HTTP 404 للإشارة إلى " +"أن المورد غير متوفر." #: engine/core/views.py:432 msgid "" -"Redirects the request to the admin index page. The function handles incoming" -" HTTP requests and redirects them to the Django admin interface index page. " +"Redirects the request to the admin index page. The function handles incoming " +"HTTP requests and redirects them to the Django admin interface index page. " "It uses Django's `redirect` function for handling the HTTP redirection." msgstr "" -"يعيد توجيه الطلب إلى صفحة فهرس المشرف. تعالج الدالة طلبات HTTP الواردة وتعيد" -" توجيهها إلى صفحة فهرس واجهة إدارة Django. تستخدم دالة \"إعادة التوجيه\" في " +"يعيد توجيه الطلب إلى صفحة فهرس المشرف. تعالج الدالة طلبات HTTP الواردة وتعيد " +"توجيهها إلى صفحة فهرس واجهة إدارة Django. تستخدم دالة \"إعادة التوجيه\" في " "Django للتعامل مع إعادة توجيه HTTP." #: engine/core/views.py:445 @@ -3162,23 +3177,22 @@ msgid "" "serializer classes based on the current action, customizable permissions, " "and rendering formats." msgstr "" -"يحدد مجموعة طرق عرض لإدارة العمليات المتعلقة ب Evibes. يرث صنف EvibesViewSet" -" من ModelViewSet ويوفر وظائف للتعامل مع الإجراءات والعمليات على كيانات " -"Evibes. وتتضمن دعمًا لفئات المتسلسلات الديناميكية استنادًا إلى الإجراء " -"الحالي، والأذونات القابلة للتخصيص، وتنسيقات العرض." +"يحدد مجموعة طرق عرض لإدارة العمليات المتعلقة ب Evibes. يرث صنف EvibesViewSet " +"من ModelViewSet ويوفر وظائف للتعامل مع الإجراءات والعمليات على كيانات " +"Evibes. وتتضمن دعمًا لفئات المتسلسلات الديناميكية استنادًا إلى الإجراء الحالي، " +"والأذونات القابلة للتخصيص، وتنسيقات العرض." #: engine/core/viewsets.py:160 msgid "" -"Represents a viewset for managing AttributeGroup objects. Handles operations" -" related to AttributeGroup, including filtering, serialization, and " -"retrieval of data. This class is part of the application's API layer and " -"provides a standardized way to process requests and responses for " -"AttributeGroup data." +"Represents a viewset for managing AttributeGroup objects. Handles operations " +"related to AttributeGroup, including filtering, serialization, and retrieval " +"of data. This class is part of the application's API layer and provides a " +"standardized way to process requests and responses for AttributeGroup data." msgstr "" "يمثل مجموعة طرق عرض لإدارة كائنات AttributeGroup. يتعامل مع العمليات " "المتعلقة ب AttributeGroup، بما في ذلك التصفية والتسلسل واسترجاع البيانات. " -"تعد هذه الفئة جزءًا من طبقة واجهة برمجة التطبيقات الخاصة بالتطبيق وتوفر " -"طريقة موحدة لمعالجة الطلبات والاستجابات لبيانات AttributeGroup." +"تعد هذه الفئة جزءًا من طبقة واجهة برمجة التطبيقات الخاصة بالتطبيق وتوفر طريقة " +"موحدة لمعالجة الطلبات والاستجابات لبيانات AttributeGroup." #: engine/core/viewsets.py:179 msgid "" @@ -3200,14 +3214,13 @@ msgid "" "A viewset for managing AttributeValue objects. This viewset provides " "functionality for listing, retrieving, creating, updating, and deleting " "AttributeValue objects. It integrates with Django REST Framework's viewset " -"mechanisms and uses appropriate serializers for different actions. Filtering" -" capabilities are provided through the DjangoFilterBackend." +"mechanisms and uses appropriate serializers for different actions. Filtering " +"capabilities are provided through the DjangoFilterBackend." msgstr "" -"مجموعة طرق عرض لإدارة كائنات AttributeValue. توفر مجموعة طرق العرض هذه وظائف" -" لإدراج كائنات AttributeValue واسترجاعها وإنشائها وتحديثها وحذفها. وهي " -"تتكامل مع آليات مجموعة طرق عرض Django REST Framework وتستخدم المتسلسلات " -"المناسبة للإجراءات المختلفة. يتم توفير إمكانيات التصفية من خلال " -"DjangoFilterBackend." +"مجموعة طرق عرض لإدارة كائنات AttributeValue. توفر مجموعة طرق العرض هذه وظائف " +"لإدراج كائنات AttributeValue واسترجاعها وإنشائها وتحديثها وحذفها. وهي تتكامل " +"مع آليات مجموعة طرق عرض Django REST Framework وتستخدم المتسلسلات المناسبة " +"للإجراءات المختلفة. يتم توفير إمكانيات التصفية من خلال DjangoFilterBackend." #: engine/core/viewsets.py:217 msgid "" @@ -3218,8 +3231,8 @@ msgid "" "can access specific data." msgstr "" "يدير طرق العرض للعمليات المتعلقة بالفئة. فئة CategoryViewSet مسؤولة عن " -"التعامل مع العمليات المتعلقة بنموذج الفئة في النظام. وهي تدعم استرجاع بيانات" -" الفئة وتصفيتها وتسلسلها. تفرض مجموعة طرق العرض أيضًا الأذونات لضمان وصول " +"التعامل مع العمليات المتعلقة بنموذج الفئة في النظام. وهي تدعم استرجاع بيانات " +"الفئة وتصفيتها وتسلسلها. تفرض مجموعة طرق العرض أيضًا الأذونات لضمان وصول " "المستخدمين المصرح لهم فقط إلى بيانات محددة." #: engine/core/viewsets.py:346 @@ -3259,35 +3272,34 @@ msgid "" "Vendor-related resources through the Django REST framework." msgstr "" "يمثل مجموعة طرق عرض لإدارة كائنات المورد. تسمح مجموعة العرض هذه بجلب بيانات " -"البائع وتصفيتها وتسلسلها. وهي تُعرِّف مجموعة الاستعلام، وتكوينات التصفية، " -"وفئات أداة التسلسل المستخدمة للتعامل مع الإجراءات المختلفة. الغرض من هذه " -"الفئة هو توفير وصول مبسط إلى الموارد المتعلقة بالمورد من خلال إطار عمل " -"Django REST." +"البائع وتصفيتها وتسلسلها. وهي تُعرِّف مجموعة الاستعلام، وتكوينات التصفية، وفئات " +"أداة التسلسل المستخدمة للتعامل مع الإجراءات المختلفة. الغرض من هذه الفئة هو " +"توفير وصول مبسط إلى الموارد المتعلقة بالمورد من خلال إطار عمل Django REST." #: engine/core/viewsets.py:625 msgid "" "Representation of a view set handling Feedback objects. This class manages " "operations related to Feedback objects, including listing, filtering, and " "retrieving details. The purpose of this view set is to provide different " -"serializers for different actions and implement permission-based handling of" -" accessible Feedback objects. It extends the base `EvibesViewSet` and makes " +"serializers for different actions and implement permission-based handling of " +"accessible Feedback objects. It extends the base `EvibesViewSet` and makes " "use of Django's filtering system for querying data." msgstr "" "تمثيل مجموعة عرض تتعامل مع كائنات الملاحظات. تدير هذه الفئة العمليات " "المتعلقة بكائنات الملاحظات، بما في ذلك الإدراج والتصفية واسترجاع التفاصيل. " "الغرض من مجموعة العرض هذه هو توفير متسلسلات مختلفة لإجراءات مختلفة وتنفيذ " -"معالجة قائمة على الأذونات لكائنات الملاحظات التي يمكن الوصول إليها. وهي توسع" -" \"مجموعة عرض الملاحظات\" الأساسية وتستفيد من نظام تصفية Django للاستعلام عن" -" البيانات." +"معالجة قائمة على الأذونات لكائنات الملاحظات التي يمكن الوصول إليها. وهي توسع " +"\"مجموعة عرض الملاحظات\" الأساسية وتستفيد من نظام تصفية Django للاستعلام عن " +"البيانات." #: engine/core/viewsets.py:652 msgid "" "ViewSet for managing orders and related operations. This class provides " "functionality to retrieve, modify, and manage order objects. It includes " "various endpoints for handling order operations such as adding or removing " -"products, performing purchases for registered as well as unregistered users," -" and retrieving the current authenticated user's pending orders. The ViewSet" -" uses multiple serializers based on the specific action being performed and " +"products, performing purchases for registered as well as unregistered users, " +"and retrieving the current authenticated user's pending orders. The ViewSet " +"uses multiple serializers based on the specific action being performed and " "enforces permissions accordingly while interacting with order data." msgstr "" "ViewSet لإدارة الطلبات والعمليات ذات الصلة. توفر هذه الفئة وظائف لاسترداد " @@ -3301,8 +3313,8 @@ msgstr "" msgid "" "Provides a viewset for managing OrderProduct entities. This viewset enables " "CRUD operations and custom actions specific to the OrderProduct model. It " -"includes filtering, permission checks, and serializer switching based on the" -" requested action. Additionally, it provides a detailed action for handling " +"includes filtering, permission checks, and serializer switching based on the " +"requested action. Additionally, it provides a detailed action for handling " "feedback on OrderProduct instances" msgstr "" "يوفر مجموعة طرق عرض لإدارة كيانات OrderProduct. تتيح مجموعة طرق العرض هذه " @@ -3334,15 +3346,15 @@ msgstr "يتعامل مع العمليات المتعلقة ببيانات ال msgid "" "ViewSet for managing Wishlist operations. The WishlistViewSet provides " "endpoints for interacting with a user's wish list, allowing for the " -"retrieval, modification, and customization of products within the wish list." -" This ViewSet facilitates functionality such as adding, removing, and bulk " +"retrieval, modification, and customization of products within the wish list. " +"This ViewSet facilitates functionality such as adding, removing, and bulk " "actions for wishlist products. Permission checks are integrated to ensure " "that users can only manage their own wishlists unless explicit permissions " "are granted." msgstr "" -"ViewSet لإدارة عمليات قائمة الرغبات. توفر مجموعة طرق عرض قائمة الأمنيات نقاط" -" نهاية للتفاعل مع قائمة أمنيات المستخدم، مما يسمح باسترجاع المنتجات وتعديلها" -" وتخصيصها ضمن قائمة الأمنيات. تسهل مجموعة العرض هذه وظائف مثل الإضافة " +"ViewSet لإدارة عمليات قائمة الرغبات. توفر مجموعة طرق عرض قائمة الأمنيات نقاط " +"نهاية للتفاعل مع قائمة أمنيات المستخدم، مما يسمح باسترجاع المنتجات وتعديلها " +"وتخصيصها ضمن قائمة الأمنيات. تسهل مجموعة العرض هذه وظائف مثل الإضافة " "والإزالة والإجراءات المجمعة لمنتجات قائمة الرغبات. يتم دمج عمليات التحقق من " "الأذونات للتأكد من أن المستخدمين يمكنهم فقط إدارة قوائم الرغبات الخاصة بهم " "ما لم يتم منح أذونات صريحة." diff --git a/engine/core/locale/cs_CZ/LC_MESSAGES/django.mo b/engine/core/locale/cs_CZ/LC_MESSAGES/django.mo index 153c591254fae4c03161433d6707598a3094da1f..71ef7fb073510bdc540d4dba7fb8b4634dcfba5a 100644 GIT binary patch delta 18 acmZ2-jdjU2)(zdqn9cMIH}@TzwgdoEvIyA# delta 18 acmZ2-jdjU2)(zdqm`(LeHuoKywgdoEya?L> diff --git a/engine/core/locale/cs_CZ/LC_MESSAGES/django.po b/engine/core/locale/cs_CZ/LC_MESSAGES/django.po index c76abc07..3272a778 100644 --- a/engine/core/locale/cs_CZ/LC_MESSAGES/django.po +++ b/engine/core/locale/cs_CZ/LC_MESSAGES/django.po @@ -1,9 +1,9 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-12-21 00:38+0300\n" +"POT-Creation-Date: 2026-01-04 19:25+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" @@ -28,8 +28,7 @@ msgstr "Je aktivní" #: engine/core/abstract.py:22 msgid "" -"if set to false, this object can't be seen by users without needed " -"permission" +"if set to false, this object can't be seen by users without needed permission" msgstr "" "Pokud je nastaveno na false, nemohou tento objekt vidět uživatelé bez " "potřebného oprávnění." @@ -92,8 +91,8 @@ msgstr "Deaktivace vybraných %(verbose_name_plural)s" msgid "selected items have been deactivated." msgstr "Vybrané položky byly deaktivovány!" -#: engine/core/admin.py:196 engine/core/graphene/object_types.py:652 -#: engine/core/graphene/object_types.py:659 engine/core/models.py:825 +#: engine/core/admin.py:196 engine/core/graphene/object_types.py:653 +#: engine/core/graphene/object_types.py:660 engine/core/models.py:825 #: engine/core/models.py:833 msgid "attribute value" msgstr "Hodnota atributu" @@ -107,7 +106,7 @@ msgstr "Hodnoty atributů" msgid "image" msgstr "Obrázek" -#: engine/core/admin.py:209 engine/core/graphene/object_types.py:529 +#: engine/core/admin.py:209 engine/core/graphene/object_types.py:530 msgid "images" msgstr "Obrázky" @@ -115,7 +114,7 @@ msgstr "Obrázky" msgid "stock" msgstr "Stock" -#: engine/core/admin.py:221 engine/core/graphene/object_types.py:712 +#: engine/core/admin.py:221 engine/core/graphene/object_types.py:713 msgid "stocks" msgstr "Zásoby" @@ -123,7 +122,7 @@ msgstr "Zásoby" msgid "order product" msgstr "Objednat produkt" -#: engine/core/admin.py:233 engine/core/graphene/object_types.py:440 +#: engine/core/admin.py:233 engine/core/graphene/object_types.py:441 #: engine/core/models.py:1932 msgid "order products" msgstr "Objednat produkty" @@ -156,8 +155,7 @@ msgstr "Doručeno na" msgid "canceled" msgstr "Zrušeno" -#: engine/core/choices.py:8 engine/core/choices.py:16 -#: engine/core/choices.py:24 +#: engine/core/choices.py:8 engine/core/choices.py:16 engine/core/choices.py:24 msgid "failed" msgstr "Neúspěšný" @@ -274,8 +272,7 @@ msgstr "" "Přepsání existující skupiny atributů s uložením neupravitelných položek" #: engine/core/docs/drf/viewsets.py:107 -msgid "" -"rewrite some fields of an existing attribute group saving non-editables" +msgid "rewrite some fields of an existing attribute group saving non-editables" msgstr "" "Přepsání některých polí existující skupiny atributů s uložením " "neupravitelných položek" @@ -327,8 +324,7 @@ msgid "rewrite an existing attribute value saving non-editables" msgstr "Přepsání existující hodnoty atributu uložením neupravitelných položek" #: engine/core/docs/drf/viewsets.py:208 -msgid "" -"rewrite some fields of an existing attribute value saving non-editables" +msgid "rewrite some fields of an existing attribute value saving non-editables" msgstr "" "Přepsání některých polí existující hodnoty atributu s uložením " "neupravitelných položek" @@ -365,8 +361,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:280 engine/core/docs/drf/viewsets.py:757 #: engine/core/docs/drf/viewsets.py:1046 #: engine/core/graphene/object_types.py:119 -#: engine/core/graphene/object_types.py:238 -#: engine/core/graphene/object_types.py:539 +#: engine/core/graphene/object_types.py:239 +#: engine/core/graphene/object_types.py:540 msgid "SEO Meta snapshot" msgstr "Meta snímek SEO" @@ -386,12 +382,12 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:309 msgid "" -"Case-insensitive substring search across human_readable_id, " -"order_products.product.name, and order_products.product.partnumber" +"Case-insensitive substring search across human_readable_id, order_products." +"product.name, and order_products.product.partnumber" msgstr "" "Vyhledávání podřetězců bez ohledu na velikost písmen v položkách " -"human_readable_id, order_products.product.name a " -"order_products.product.partnumber" +"human_readable_id, order_products.product.name a order_products.product." +"partnumber" #: engine/core/docs/drf/viewsets.py:316 msgid "Filter orders with buy_time >= this ISO 8601 datetime" @@ -427,9 +423,9 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:354 msgid "" -"Order by one of: uuid, human_readable_id, user_email, user, status, created," -" modified, buy_time, random. Prefix with '-' for descending (e.g. " -"'-buy_time')." +"Order by one of: uuid, human_readable_id, user_email, user, status, created, " +"modified, buy_time, random. Prefix with '-' for descending (e.g. '-" +"buy_time')." msgstr "" "Řazení podle jedné z následujících možností: uuid, human_readable_id, " "user_email, user, status, created, modified, buy_time, random. Pro sestupné " @@ -474,8 +470,8 @@ msgid "" "completed using the user's balance; if `force_payment` is used, a " "transaction is initiated." msgstr "" -"Dokončí nákup objednávky. Pokud je použito `force_balance`, nákup se dokončí" -" s použitím zůstatku uživatele; pokud je použito `force_payment`, zahájí se " +"Dokončí nákup objednávky. Pokud je použito `force_balance`, nákup se dokončí " +"s použitím zůstatku uživatele; pokud je použito `force_payment`, zahájí se " "transakce." #: engine/core/docs/drf/viewsets.py:427 @@ -606,8 +602,7 @@ msgstr "Přidání mnoha produktů do seznamu přání" #: engine/core/docs/drf/viewsets.py:579 msgid "adds many products to an wishlist using the provided `product_uuids`" -msgstr "" -"Přidá mnoho produktů do seznamu přání pomocí zadaných `product_uuids`." +msgstr "Přidá mnoho produktů do seznamu přání pomocí zadaných `product_uuids`." #: engine/core/docs/drf/viewsets.py:588 msgid "remove many products from wishlist" @@ -623,18 +618,28 @@ msgstr "" msgid "" "Filter by one or more attribute name/value pairs. \n" "• **Syntax**: `attr_name=method-value[;attr2=method2-value2]…` \n" -"• **Methods** (defaults to `icontains` if omitted): `iexact`, `exact`, `icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, `iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in` \n" -"• **Value typing**: JSON is attempted first (so you can pass lists/dicts), `true`/`false` for booleans, integers, floats; otherwise treated as string. \n" +"• **Methods** (defaults to `icontains` if omitted): `iexact`, `exact`, " +"`icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, " +"`iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in` \n" +"• **Value typing**: JSON is attempted first (so you can pass lists/dicts), " +"`true`/`false` for booleans, integers, floats; otherwise treated as " +"string. \n" "• **Base64**: prefix with `b64-` to URL-safe base64-encode the raw value. \n" "Examples: \n" -"`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\",\"bluetooth\"]`, \n" +"`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\"," +"\"bluetooth\"]`, \n" "`b64-description=icontains-aGVhdC1jb2xk`" msgstr "" "Filtrování podle jedné nebo více dvojic název/hodnota atributu. \n" "- **Syntaxe**: `attr_name=method-value[;attr2=method2-value2]...`\n" -"- **Metody** (pokud je vynecháno, výchozí hodnota je `obsahuje`): `iexact`, `exact`, `icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, `iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in`\n" -"- **Typování hodnot**: Pro booleany, celá čísla, floaty se nejprve zkouší JSON (takže můžete předávat seznamy/dicty), `true`/`false`; jinak se s nimi zachází jako s řetězci. \n" -"- **Base64**: předpona `b64-` pro bezpečné zakódování surové hodnoty do URL base64. \n" +"- **Metody** (pokud je vynecháno, výchozí hodnota je `obsahuje`): `iexact`, " +"`exact`, `icontains`, `contains`, `isnull`, `startswith`, `istartswith`, " +"`endswith`, `iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in`\n" +"- **Typování hodnot**: Pro booleany, celá čísla, floaty se nejprve zkouší " +"JSON (takže můžete předávat seznamy/dicty), `true`/`false`; jinak se s nimi " +"zachází jako s řetězci. \n" +"- **Base64**: předpona `b64-` pro bezpečné zakódování surové hodnoty do URL " +"base64. \n" "Příklady: \n" "`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\", \"bluetooth\"]`,\n" "`b64-description=icontains-aGVhdC1jb2xk`" @@ -649,10 +654,12 @@ msgstr "(přesně) UUID produktu" #: engine/core/docs/drf/viewsets.py:630 msgid "" -"Comma-separated list of fields to sort by. Prefix with `-` for descending. \n" +"Comma-separated list of fields to sort by. Prefix with `-` for " +"descending. \n" "**Allowed:** uuid, rating, name, slug, created, modified, price, random" msgstr "" -"Seznam polí oddělených čárkou, podle kterých se má třídit. Pro sestupné řazení použijte předponu `-`. \n" +"Seznam polí oddělených čárkou, podle kterých se má třídit. Pro sestupné " +"řazení použijte předponu `-`. \n" "**Povolené:** uuid, rating, name, slug, created, modified, price, random" #: engine/core/docs/drf/viewsets.py:647 engine/core/docs/drf/viewsets.py:648 @@ -907,8 +914,7 @@ msgstr "Odstranění povýšení" #: engine/core/docs/drf/viewsets.py:1244 msgid "rewrite an existing promotion saving non-editables" -msgstr "" -"Přepsání existující propagační akce s uložením neupravitelných položek" +msgstr "Přepsání existující propagační akce s uložením neupravitelných položek" #: engine/core/docs/drf/viewsets.py:1251 msgid "rewrite some fields of an existing promotion saving non-editables" @@ -959,8 +965,7 @@ msgstr "Odstranění značky produktu" #: engine/core/docs/drf/viewsets.py:1342 msgid "rewrite an existing product tag saving non-editables" -msgstr "" -"Přepsání existující značky produktu s uložením neupravitelných položek" +msgstr "Přepsání existující značky produktu s uložením neupravitelných položek" #: engine/core/docs/drf/viewsets.py:1350 msgid "rewrite some fields of an existing product tag saving non-editables" @@ -1200,11 +1205,11 @@ msgstr "Koupit objednávku" #: engine/core/graphene/mutations.py:542 msgid "" -"please send the attributes as the string formatted like " -"attr1=value1,attr2=value2" +"please send the attributes as the string formatted like attr1=value1," +"attr2=value2" msgstr "" -"Prosím, pošlete atributy jako řetězec ve formátu " -"attr1=hodnota1,attr2=hodnota2." +"Prosím, pošlete atributy jako řetězec ve formátu attr1=hodnota1," +"attr2=hodnota2." #: engine/core/graphene/mutations.py:580 msgid "add or delete a feedback for orderproduct" @@ -1240,8 +1245,8 @@ msgid "elasticsearch - works like a charm" msgstr "ElasticSearch - funguje jako kouzlo" #: engine/core/graphene/object_types.py:84 -#: engine/core/graphene/object_types.py:419 -#: engine/core/graphene/object_types.py:470 engine/core/models.py:796 +#: engine/core/graphene/object_types.py:420 +#: engine/core/graphene/object_types.py:471 engine/core/models.py:796 #: engine/core/models.py:1290 engine/core/models.py:2022 msgid "attributes" msgstr "Atributy" @@ -1255,8 +1260,8 @@ msgid "groups of attributes" msgstr "Skupiny atributů" #: engine/core/graphene/object_types.py:118 -#: engine/core/graphene/object_types.py:216 -#: engine/core/graphene/object_types.py:254 engine/core/models.py:440 +#: engine/core/graphene/object_types.py:217 +#: engine/core/graphene/object_types.py:255 engine/core/models.py:440 msgid "categories" msgstr "Kategorie" @@ -1264,81 +1269,79 @@ msgstr "Kategorie" msgid "brands" msgstr "Značky" -#: engine/core/graphene/object_types.py:218 +#: engine/core/graphene/object_types.py:219 msgid "category image url" msgstr "Kategorie" -#: engine/core/graphene/object_types.py:219 -#: engine/core/graphene/object_types.py:364 engine/core/models.py:278 +#: engine/core/graphene/object_types.py:220 +#: engine/core/graphene/object_types.py:365 engine/core/models.py:278 msgid "markup percentage" msgstr "Procento přirážky" -#: engine/core/graphene/object_types.py:223 +#: engine/core/graphene/object_types.py:224 msgid "which attributes and values can be used for filtering this category." msgstr "Které atributy a hodnoty lze použít pro filtrování této kategorie." -#: engine/core/graphene/object_types.py:229 -msgid "" -"minimum and maximum prices for products in this category, if available." +#: engine/core/graphene/object_types.py:230 +msgid "minimum and maximum prices for products in this category, if available." msgstr "" -"Minimální a maximální ceny produktů v této kategorii, pokud jsou k " -"dispozici." +"Minimální a maximální ceny produktů v této kategorii, pokud jsou k dispozici." -#: engine/core/graphene/object_types.py:233 +#: engine/core/graphene/object_types.py:234 msgid "tags for this category" msgstr "Štítky pro tuto kategorii" -#: engine/core/graphene/object_types.py:236 +#: engine/core/graphene/object_types.py:237 msgid "products in this category" msgstr "Produkty v této kategorii" -#: engine/core/graphene/object_types.py:371 engine/core/models.py:183 +#: engine/core/graphene/object_types.py:372 engine/core/models.py:183 msgid "vendors" msgstr "Prodejci" -#: engine/core/graphene/object_types.py:375 +#: engine/core/graphene/object_types.py:376 msgid "Latitude (Y coordinate)" msgstr "Zeměpisná šířka (souřadnice Y)" -#: engine/core/graphene/object_types.py:376 +#: engine/core/graphene/object_types.py:377 msgid "Longitude (X coordinate)" msgstr "Zeměpisná délka (souřadnice X)" -#: engine/core/graphene/object_types.py:405 +#: engine/core/graphene/object_types.py:406 msgid "comment" msgstr "Jak na to" -#: engine/core/graphene/object_types.py:407 -#: engine/core/graphene/object_types.py:541 +#: engine/core/graphene/object_types.py:408 +#: engine/core/graphene/object_types.py:542 msgid "rating value from 1 to 10, inclusive, or 0 if not set." msgstr "Hodnota hodnocení od 1 do 10 včetně nebo 0, pokud není nastaveno." -#: engine/core/graphene/object_types.py:415 +#: engine/core/graphene/object_types.py:416 msgid "represents feedback from a user." msgstr "Představuje zpětnou vazbu od uživatele." -#: engine/core/graphene/object_types.py:420 -#: engine/core/graphene/object_types.py:471 engine/core/models.py:1284 +#: engine/core/graphene/object_types.py:421 +#: engine/core/graphene/object_types.py:472 engine/core/models.py:1284 msgid "notifications" msgstr "Oznámení" -#: engine/core/graphene/object_types.py:422 +#: engine/core/graphene/object_types.py:423 msgid "download url for this order product if applicable" msgstr "Stáhněte si url adresu pro tento objednaný produkt, pokud je to možné" -#: engine/core/graphene/object_types.py:424 engine/core/models.py:1849 +#: engine/core/graphene/object_types.py:425 engine/core/models.py:1849 msgid "feedback" msgstr "Zpětná vazba" -#: engine/core/graphene/object_types.py:458 +#: engine/core/graphene/object_types.py:459 msgid "a list of order products in this order" msgstr "Seznam objednaných produktů v tomto pořadí" -#: engine/core/graphene/object_types.py:460 engine/core/models.py:1254 +#: engine/core/graphene/object_types.py:461 engine/core/models.py:1254 msgid "billing address" msgstr "Fakturační adresa" -#: engine/core/graphene/object_types.py:464 +#: engine/core/graphene/object_types.py:465 msgid "" "shipping address for this order, leave blank if same as billing address or " "if not applicable" @@ -1346,53 +1349,53 @@ msgstr "" "Dodací adresa pro tuto objednávku, pokud je stejná jako fakturační adresa " "nebo pokud není použitelná, ponechte prázdné." -#: engine/core/graphene/object_types.py:467 +#: engine/core/graphene/object_types.py:468 msgid "total price of this order" msgstr "Celková cena této objednávky" -#: engine/core/graphene/object_types.py:468 +#: engine/core/graphene/object_types.py:469 msgid "total quantity of products in order" msgstr "Celkové množství objednaných produktů" -#: engine/core/graphene/object_types.py:469 +#: engine/core/graphene/object_types.py:470 msgid "are all products in the order digital" msgstr "Jsou všechny produkty v objednávce digitální" -#: engine/core/graphene/object_types.py:473 +#: engine/core/graphene/object_types.py:474 msgid "transactions for this order" msgstr "Transakce pro tuto objednávku" -#: engine/core/graphene/object_types.py:493 engine/core/models.py:1318 +#: engine/core/graphene/object_types.py:494 engine/core/models.py:1318 msgid "orders" msgstr "Objednávky" -#: engine/core/graphene/object_types.py:514 +#: engine/core/graphene/object_types.py:515 msgid "image url" msgstr "Adresa URL obrázku" -#: engine/core/graphene/object_types.py:521 +#: engine/core/graphene/object_types.py:522 msgid "product's images" msgstr "Obrázky produktu" -#: engine/core/graphene/object_types.py:528 engine/core/models.py:439 +#: engine/core/graphene/object_types.py:529 engine/core/models.py:439 #: engine/core/models.py:596 msgid "category" msgstr "Kategorie" -#: engine/core/graphene/object_types.py:530 engine/core/models.py:1850 +#: engine/core/graphene/object_types.py:531 engine/core/models.py:1850 msgid "feedbacks" msgstr "Zpětná vazba" -#: engine/core/graphene/object_types.py:531 engine/core/models.py:510 +#: engine/core/graphene/object_types.py:532 engine/core/models.py:510 #: engine/core/models.py:605 msgid "brand" msgstr "Značka" -#: engine/core/graphene/object_types.py:533 engine/core/models.py:103 +#: engine/core/graphene/object_types.py:534 engine/core/models.py:103 msgid "attribute groups" msgstr "Skupiny atributů" -#: engine/core/graphene/object_types.py:535 +#: engine/core/graphene/object_types.py:536 #: engine/core/templates/digital_order_created_email.html:111 #: engine/core/templates/digital_order_delivered_email.html:109 #: engine/core/templates/shipped_order_created_email.html:109 @@ -1400,7 +1403,7 @@ msgstr "Skupiny atributů" msgid "price" msgstr "Cena" -#: engine/core/graphene/object_types.py:536 +#: engine/core/graphene/object_types.py:537 #: engine/core/templates/digital_order_created_email.html:110 #: engine/core/templates/digital_order_delivered_email.html:108 #: engine/core/templates/shipped_order_created_email.html:108 @@ -1408,39 +1411,39 @@ msgstr "Cena" msgid "quantity" msgstr "Množství" -#: engine/core/graphene/object_types.py:537 +#: engine/core/graphene/object_types.py:538 msgid "number of feedbacks" msgstr "Počet zpětných vazeb" -#: engine/core/graphene/object_types.py:538 +#: engine/core/graphene/object_types.py:539 msgid "only available for personal orders" msgstr "Produkty jsou k dispozici pouze pro osobní objednávky" -#: engine/core/graphene/object_types.py:543 +#: engine/core/graphene/object_types.py:544 msgid "discount price" msgstr "Cena se slevou" -#: engine/core/graphene/object_types.py:567 engine/core/models.py:677 +#: engine/core/graphene/object_types.py:568 engine/core/models.py:677 msgid "products" msgstr "Produkty" -#: engine/core/graphene/object_types.py:677 +#: engine/core/graphene/object_types.py:678 msgid "promocodes" msgstr "Propagační kódy" -#: engine/core/graphene/object_types.py:692 +#: engine/core/graphene/object_types.py:693 msgid "products on sale" msgstr "Produkty v prodeji" -#: engine/core/graphene/object_types.py:700 engine/core/models.py:928 +#: engine/core/graphene/object_types.py:701 engine/core/models.py:928 msgid "promotions" msgstr "Propagační akce" -#: engine/core/graphene/object_types.py:704 engine/core/models.py:182 +#: engine/core/graphene/object_types.py:705 engine/core/models.py:182 msgid "vendor" msgstr "Prodejce" -#: engine/core/graphene/object_types.py:705 engine/core/models.py:676 +#: engine/core/graphene/object_types.py:706 engine/core/models.py:676 #: engine/core/templates/digital_order_created_email.html:109 #: engine/core/templates/digital_order_delivered_email.html:107 #: engine/core/templates/shipped_order_created_email.html:107 @@ -1448,99 +1451,99 @@ msgstr "Prodejce" msgid "product" msgstr "Produkt" -#: engine/core/graphene/object_types.py:717 engine/core/models.py:951 +#: engine/core/graphene/object_types.py:718 engine/core/models.py:951 msgid "wishlisted products" msgstr "Produkty uvedené na seznamu přání" -#: engine/core/graphene/object_types.py:724 engine/core/models.py:968 +#: engine/core/graphene/object_types.py:725 engine/core/models.py:968 msgid "wishlists" msgstr "Seznamy přání" -#: engine/core/graphene/object_types.py:729 +#: engine/core/graphene/object_types.py:730 msgid "tagged products" msgstr "Produkty s příznakem" -#: engine/core/graphene/object_types.py:737 engine/core/models.py:219 +#: engine/core/graphene/object_types.py:738 engine/core/models.py:219 #: engine/core/models.py:611 msgid "product tags" msgstr "Štítky produktu" -#: engine/core/graphene/object_types.py:742 +#: engine/core/graphene/object_types.py:743 msgid "tagged categories" msgstr "Kategorie s příznakem" -#: engine/core/graphene/object_types.py:750 +#: engine/core/graphene/object_types.py:751 msgid "categories tags" msgstr "Štítky kategorií" -#: engine/core/graphene/object_types.py:754 +#: engine/core/graphene/object_types.py:755 msgid "project name" msgstr "Název projektu" -#: engine/core/graphene/object_types.py:755 +#: engine/core/graphene/object_types.py:756 msgid "company name" msgstr "Název společnosti" -#: engine/core/graphene/object_types.py:756 +#: engine/core/graphene/object_types.py:757 msgid "company address" msgstr "Adresa společnosti" -#: engine/core/graphene/object_types.py:757 +#: engine/core/graphene/object_types.py:758 msgid "company phone number" msgstr "Telefonní číslo společnosti" -#: engine/core/graphene/object_types.py:760 +#: engine/core/graphene/object_types.py:761 msgid "email from, sometimes it must be used instead of host user value" msgstr "" "'email from', někdy se musí použít místo hodnoty hostitelského uživatele." -#: engine/core/graphene/object_types.py:763 +#: engine/core/graphene/object_types.py:764 msgid "email host user" msgstr "Uživatel hostitelského e-mailu" -#: engine/core/graphene/object_types.py:764 +#: engine/core/graphene/object_types.py:765 msgid "maximum amount for payment" msgstr "Maximální částka pro platbu" -#: engine/core/graphene/object_types.py:765 +#: engine/core/graphene/object_types.py:766 msgid "minimum amount for payment" msgstr "Minimální částka pro platbu" -#: engine/core/graphene/object_types.py:766 +#: engine/core/graphene/object_types.py:767 msgid "analytics data" msgstr "Analytická data" -#: engine/core/graphene/object_types.py:767 +#: engine/core/graphene/object_types.py:768 msgid "advertisement data" msgstr "Reklamní údaje" -#: engine/core/graphene/object_types.py:770 +#: engine/core/graphene/object_types.py:771 msgid "company configuration" msgstr "Konfigurace" -#: engine/core/graphene/object_types.py:774 +#: engine/core/graphene/object_types.py:775 msgid "language code" msgstr "Kód jazyka" -#: engine/core/graphene/object_types.py:775 +#: engine/core/graphene/object_types.py:776 msgid "language name" msgstr "Název jazyka" -#: engine/core/graphene/object_types.py:776 +#: engine/core/graphene/object_types.py:777 msgid "language flag, if exists :)" msgstr "Příznak jazyka, pokud existuje :)" -#: engine/core/graphene/object_types.py:779 +#: engine/core/graphene/object_types.py:780 msgid "supported languages" msgstr "Získat seznam podporovaných jazyků" -#: engine/core/graphene/object_types.py:811 -#: engine/core/graphene/object_types.py:814 -#: engine/core/graphene/object_types.py:817 +#: engine/core/graphene/object_types.py:812 +#: engine/core/graphene/object_types.py:815 +#: engine/core/graphene/object_types.py:818 msgid "products search results" msgstr "Výsledky vyhledávání produktů" -#: engine/core/graphene/object_types.py:819 +#: engine/core/graphene/object_types.py:820 msgid "posts search results" msgstr "Výsledky vyhledávání produktů" @@ -1587,8 +1590,8 @@ msgstr "" "dodavatelích a jejich požadavcích na interakci. Třída Vendor se používá k " "definování a správě informací týkajících se externího dodavatele. Uchovává " "jméno prodejce, údaje o ověření požadované pro komunikaci a procentuální " -"přirážku použitou na produkty získané od prodejce. Tento model také uchovává" -" další metadata a omezení, takže je vhodný pro použití v systémech, které " +"přirážku použitou na produkty získané od prodejce. Tento model také uchovává " +"další metadata a omezení, takže je vhodný pro použití v systémech, které " "komunikují s prodejci třetích stran." #: engine/core/models.py:122 @@ -1703,8 +1706,8 @@ msgstr "" "jinými kategoriemi a podporovat vztahy rodič-dítě. Třída obsahuje pole pro " "metadata a vizuální zobrazení, která slouží jako základ pro funkce " "související s kategoriemi. Tato třída se obvykle používá k definování a " -"správě kategorií produktů nebo jiných podobných seskupení v rámci aplikace a" -" umožňuje uživatelům nebo správcům zadávat název, popis a hierarchii " +"správě kategorií produktů nebo jiných podobných seskupení v rámci aplikace a " +"umožňuje uživatelům nebo správcům zadávat název, popis a hierarchii " "kategorií a také přiřazovat atributy, jako jsou obrázky, značky nebo " "priorita." @@ -1757,8 +1760,7 @@ msgid "" "Represents a Brand object in the system. This class handles information and " "attributes related to a brand, including its name, logos, description, " "associated categories, a unique slug, and priority order. It allows for the " -"organization and representation of brand-related data within the " -"application." +"organization and representation of brand-related data within the application." msgstr "" "Reprezentuje objekt značky v systému. Tato třída zpracovává informace a " "atributy související se značkou, včetně jejího názvu, loga, popisu, " @@ -1807,8 +1809,8 @@ msgstr "Kategorie" #: engine/core/models.py:516 msgid "" -"Represents the stock of a product managed in the system. This class provides" -" details about the relationship between vendors, products, and their stock " +"Represents the stock of a product managed in the system. This class provides " +"details about the relationship between vendors, products, and their stock " "information, as well as inventory-related properties like price, purchase " "price, quantity, SKU, and digital assets. It is part of the inventory " "management system to allow tracking and evaluation of products available " @@ -1901,10 +1903,10 @@ msgstr "" "digitální stav, název, popis, číslo dílu a přípona. Poskytuje související " "užitečné vlastnosti pro získání hodnocení, počtu zpětných vazeb, ceny, " "množství a celkového počtu objednávek. Určeno pro použití v systému, který " -"zpracovává elektronické obchodování nebo správu zásob. Tato třída komunikuje" -" se souvisejícími modely (například Category, Brand a ProductTag) a spravuje" -" ukládání často přistupovaných vlastností do mezipaměti pro zlepšení výkonu." -" Používá se k definování a manipulaci s údaji o produktu a souvisejícími " +"zpracovává elektronické obchodování nebo správu zásob. Tato třída komunikuje " +"se souvisejícími modely (například Category, Brand a ProductTag) a spravuje " +"ukládání často přistupovaných vlastností do mezipaměti pro zlepšení výkonu. " +"Používá se k definování a manipulaci s údaji o produktu a souvisejícími " "informacemi v rámci aplikace." #: engine/core/models.py:595 @@ -1968,8 +1970,8 @@ msgid "" "Represents an attribute in the system. This class is used to define and " "manage attributes, which are customizable pieces of data that can be " "associated with other entities. Attributes have associated categories, " -"groups, value types, and names. The model supports multiple types of values," -" including string, integer, float, boolean, array, and object. This allows " +"groups, value types, and names. The model supports multiple types of values, " +"including string, integer, float, boolean, array, and object. This allows " "for dynamic and flexible data structuring." msgstr "" "Reprezentuje atribut v systému. Tato třída slouží k definování a správě " @@ -2038,12 +2040,12 @@ msgstr "Atribut" #: engine/core/models.py:801 msgid "" -"Represents a specific value for an attribute that is linked to a product. It" -" links the 'attribute' to a unique 'value', allowing better organization and" -" dynamic representation of product characteristics." +"Represents a specific value for an attribute that is linked to a product. It " +"links the 'attribute' to a unique 'value', allowing better organization and " +"dynamic representation of product characteristics." msgstr "" -"Představuje konkrétní hodnotu atributu, který je spojen s produktem. Spojuje" -" \"atribut\" s jedinečnou \"hodnotou\", což umožňuje lepší organizaci a " +"Představuje konkrétní hodnotu atributu, který je spojen s produktem. Spojuje " +"\"atribut\" s jedinečnou \"hodnotou\", což umožňuje lepší organizaci a " "dynamickou reprezentaci vlastností produktu." #: engine/core/models.py:812 @@ -2061,15 +2063,15 @@ msgstr "Konkrétní hodnota tohoto atributu" #: engine/core/models.py:839 msgid "" "Represents a product image associated with a product in the system. This " -"class is designed to manage images for products, including functionality for" -" uploading image files, associating them with specific products, and " +"class is designed to manage images for products, including functionality for " +"uploading image files, associating them with specific products, and " "determining their display order. It also includes an accessibility feature " "with alternative text for the images." msgstr "" "Představuje obrázek produktu spojený s produktem v systému. Tato třída je " "určena ke správě obrázků produktů, včetně funkcí pro nahrávání souborů s " -"obrázky, jejich přiřazování ke konkrétním produktům a určování pořadí jejich" -" zobrazení. Obsahuje také funkci pro zpřístupnění alternativního textu pro " +"obrázky, jejich přiřazování ke konkrétním produktům a určování pořadí jejich " +"zobrazení. Obsahuje také funkci pro zpřístupnění alternativního textu pro " "obrázky." #: engine/core/models.py:850 @@ -2110,13 +2112,13 @@ msgid "" "is used to define and manage promotional campaigns that offer a percentage-" "based discount for products. The class includes attributes for setting the " "discount rate, providing details about the promotion, and linking it to the " -"applicable products. It integrates with the product catalog to determine the" -" affected items in the campaign." +"applicable products. It integrates with the product catalog to determine the " +"affected items in the campaign." msgstr "" -"Představuje propagační kampaň na produkty se slevou. Tato třída se používá k" -" definici a správě propagačních kampaní, které nabízejí procentuální slevu " -"na produkty. Třída obsahuje atributy pro nastavení slevové sazby, poskytnutí" -" podrobností o akci a její propojení s příslušnými produkty. Integruje se s " +"Představuje propagační kampaň na produkty se slevou. Tato třída se používá k " +"definici a správě propagačních kampaní, které nabízejí procentuální slevu na " +"produkty. Třída obsahuje atributy pro nastavení slevové sazby, poskytnutí " +"podrobností o akci a její propojení s příslušnými produkty. Integruje se s " "katalogem produktů, aby bylo možné určit položky, kterých se kampaň týká." #: engine/core/models.py:904 @@ -2185,8 +2187,8 @@ msgid "" "store information about documentaries related to specific products, " "including file uploads and their metadata. It contains methods and " "properties to handle the file type and storage path for the documentary " -"files. It extends functionality from specific mixins and provides additional" -" custom features." +"files. It extends functionality from specific mixins and provides additional " +"custom features." msgstr "" "Představuje dokumentační záznam vázaný na produkt. Tato třída se používá k " "ukládání informací o dokumentech souvisejících s konkrétními produkty, " @@ -2208,22 +2210,22 @@ msgstr "Nevyřešené" #: engine/core/models.py:1040 msgid "" -"Represents an address entity that includes location details and associations" -" with a user. Provides functionality for geographic and address data " -"storage, as well as integration with geocoding services. This class is " -"designed to store detailed address information including components like " -"street, city, region, country, and geolocation (longitude and latitude). It " -"supports integration with geocoding APIs, enabling the storage of raw API " -"responses for further processing or inspection. The class also allows " -"associating an address with a user, facilitating personalized data handling." +"Represents an address entity that includes location details and associations " +"with a user. Provides functionality for geographic and address data storage, " +"as well as integration with geocoding services. This class is designed to " +"store detailed address information including components like street, city, " +"region, country, and geolocation (longitude and latitude). It supports " +"integration with geocoding APIs, enabling the storage of raw API responses " +"for further processing or inspection. The class also allows associating an " +"address with a user, facilitating personalized data handling." msgstr "" "Reprezentuje entitu adresy, která obsahuje údaje o umístění a asociace s " "uživatelem. Poskytuje funkce pro ukládání geografických a adresních dat a " "integraci se službami geokódování. Tato třída je určena k ukládání " "podrobných informací o adrese včetně komponent, jako je ulice, město, " "region, země a geolokace (zeměpisná délka a šířka). Podporuje integraci se " -"službami API pro geokódování a umožňuje ukládání nezpracovaných odpovědí API" -" pro další zpracování nebo kontrolu. Třída také umožňuje přiřadit adresu k " +"službami API pro geokódování a umožňuje ukládání nezpracovaných odpovědí API " +"pro další zpracování nebo kontrolu. Třída také umožňuje přiřadit adresu k " "uživateli, což usnadňuje personalizované zpracování dat." #: engine/core/models.py:1055 @@ -2379,8 +2381,8 @@ msgstr "Neplatný typ slevy pro promokód {self.uuid}!" msgid "" "Represents an order placed by a user. This class models an order within the " "application, including its various attributes such as billing and shipping " -"information, status, associated user, notifications, and related operations." -" Orders can have associated products, promotions can be applied, addresses " +"information, status, associated user, notifications, and related operations. " +"Orders can have associated products, promotions can be applied, addresses " "set, and shipping or billing details updated. Equally, functionality " "supports managing the products in the order lifecycle." msgstr "" @@ -2464,8 +2466,7 @@ msgstr "Uživatel smí mít vždy pouze jednu čekající objednávku!" #: engine/core/models.py:1397 msgid "you cannot add products to an order that is not a pending one" -msgstr "" -"Do objednávky, která není v procesu vyřizování, nelze přidat produkty." +msgstr "Do objednávky, která není v procesu vyřizování, nelze přidat produkty." #: engine/core/models.py:1403 msgid "you cannot add inactive products to order" @@ -2546,8 +2547,8 @@ msgid "" "fields to effectively model and manage feedback data." msgstr "" "spravuje zpětnou vazbu uživatelů k produktům. Tato třída je určena k " -"zachycování a ukládání zpětné vazby uživatelů ke konkrétním produktům, které" -" si zakoupili. Obsahuje atributy pro ukládání komentářů uživatelů, odkaz na " +"zachycování a ukládání zpětné vazby uživatelů ke konkrétním produktům, které " +"si zakoupili. Obsahuje atributy pro ukládání komentářů uživatelů, odkaz na " "související produkt v objednávce a hodnocení přiřazené uživatelem. Třída " "využívá databázová pole k efektivnímu modelování a správě dat zpětné vazby." @@ -2560,8 +2561,7 @@ msgid "feedback comments" msgstr "Zpětná vazba" #: engine/core/models.py:1827 -msgid "" -"references the specific product in an order that this feedback is about" +msgid "references the specific product in an order that this feedback is about" msgstr "" "Odkazuje na konkrétní produkt v objednávce, kterého se tato zpětná vazba " "týká." @@ -2706,9 +2706,9 @@ msgid "" "Represents the downloading functionality for digital assets associated with " "orders. The DigitalAssetDownload class provides the ability to manage and " "access downloads related to order products. It maintains information about " -"the associated order product, the number of downloads, and whether the asset" -" is publicly visible. It includes a method to generate a URL for downloading" -" the asset when the associated order is in a completed status." +"the associated order product, the number of downloads, and whether the asset " +"is publicly visible. It includes a method to generate a URL for downloading " +"the asset when the associated order is in a completed status." msgstr "" "Představuje funkci stahování digitálních aktiv spojených s objednávkami. " "Třída DigitalAssetDownload poskytuje možnost spravovat a zpřístupňovat " @@ -2921,7 +2921,8 @@ msgstr "Ahoj %(order.user.first_name)s," #, python-format msgid "" "thank you for your order #%(order.pk)s! we are pleased to inform you that\n" -" we have taken your order into work. below are the details of your\n" +" we have taken your order into work. below are " +"the details of your\n" " order:" msgstr "" "Děkujeme vám za vaši objednávku #%(order.pk)s! S potěšením Vám oznamujeme, " @@ -3036,7 +3037,8 @@ msgstr "" #: engine/core/templates/shipped_order_created_email.html:101 #: engine/core/templates/shipped_order_delivered_email.html:101 msgid "" -"thank you for your order! we are pleased to confirm your purchase. below are\n" +"thank you for your order! we are pleased to confirm your purchase. below " +"are\n" " the details of your order:" msgstr "" "Děkujeme vám za vaši objednávku! S potěšením potvrzujeme váš nákup. Níže " @@ -3141,8 +3143,8 @@ msgid "" "Handles cache operations such as reading and setting cache data with a " "specified key and timeout." msgstr "" -"Zpracovává operace mezipaměti, jako je čtení a nastavování dat mezipaměti se" -" zadaným klíčem a časovým limitem." +"Zpracovává operace mezipaměti, jako je čtení a nastavování dat mezipaměti se " +"zadaným klíčem a časovým limitem." #: engine/core/views.py:220 msgid "Handles `contact us` form submissions." @@ -3167,10 +3169,14 @@ msgstr "Řeší logiku nákupu jako firmy bez registrace." #: engine/core/views.py:337 msgid "" "Handles the downloading of a digital asset associated with an order.\n" -"This function attempts to serve the digital asset file located in the storage directory of the project. If the file is not found, an HTTP 404 error is raised to indicate the resource is unavailable." +"This function attempts to serve the digital asset file located in the " +"storage directory of the project. If the file is not found, an HTTP 404 " +"error is raised to indicate the resource is unavailable." msgstr "" "Zpracovává stahování digitálního aktiva spojeného s objednávkou.\n" -"Tato funkce se pokusí obsloužit soubor digitálního aktiva umístěný v adresáři úložiště projektu. Pokud soubor není nalezen, je vyvolána chyba HTTP 404, která označuje, že zdroj není k dispozici." +"Tato funkce se pokusí obsloužit soubor digitálního aktiva umístěný v " +"adresáři úložiště projektu. Pokud soubor není nalezen, je vyvolána chyba " +"HTTP 404, která označuje, že zdroj není k dispozici." #: engine/core/views.py:348 msgid "order_product_uuid is required" @@ -3199,21 +3205,25 @@ msgstr "favicon nebyl nalezen" #: engine/core/views.py:418 msgid "" "Handles requests for the favicon of a website.\n" -"This function attempts to serve the favicon file located in the static directory of the project. If the favicon file is not found, an HTTP 404 error is raised to indicate the resource is unavailable." +"This function attempts to serve the favicon file located in the static " +"directory of the project. If the favicon file is not found, an HTTP 404 " +"error is raised to indicate the resource is unavailable." msgstr "" "Zpracovává požadavky na favicon webové stránky.\n" -"Tato funkce se pokusí obsloužit soubor favicon umístěný ve statickém adresáři projektu. Pokud soubor favicon není nalezen, je vyvolána chyba HTTP 404, která označuje, že zdroj není k dispozici." +"Tato funkce se pokusí obsloužit soubor favicon umístěný ve statickém " +"adresáři projektu. Pokud soubor favicon není nalezen, je vyvolána chyba HTTP " +"404, která označuje, že zdroj není k dispozici." #: engine/core/views.py:432 msgid "" -"Redirects the request to the admin index page. The function handles incoming" -" HTTP requests and redirects them to the Django admin interface index page. " +"Redirects the request to the admin index page. The function handles incoming " +"HTTP requests and redirects them to the Django admin interface index page. " "It uses Django's `redirect` function for handling the HTTP redirection." msgstr "" "Přesměruje požadavek na indexovou stránku správce. Funkce zpracovává " "příchozí požadavky HTTP a přesměrovává je na indexovou stránku " -"administrátorského rozhraní Django. Pro zpracování přesměrování HTTP používá" -" funkci `redirect` Djanga." +"administrátorského rozhraní Django. Pro zpracování přesměrování HTTP používá " +"funkci `redirect` Djanga." #: engine/core/views.py:445 msgid "Returns current version of the eVibes. " @@ -3239,16 +3249,14 @@ msgstr "" "Definuje sadu pohledů pro správu operací souvisejících s Evibes. Třída " "EvibesViewSet dědí z ModelViewSet a poskytuje funkce pro zpracování akcí a " "operací s entitami Evibes. Zahrnuje podporu dynamických tříd serializátorů " -"na základě aktuální akce, přizpůsobitelných oprávnění a formátů " -"vykreslování." +"na základě aktuální akce, přizpůsobitelných oprávnění a formátů vykreslování." #: engine/core/viewsets.py:160 msgid "" -"Represents a viewset for managing AttributeGroup objects. Handles operations" -" related to AttributeGroup, including filtering, serialization, and " -"retrieval of data. This class is part of the application's API layer and " -"provides a standardized way to process requests and responses for " -"AttributeGroup data." +"Represents a viewset for managing AttributeGroup objects. Handles operations " +"related to AttributeGroup, including filtering, serialization, and retrieval " +"of data. This class is part of the application's API layer and provides a " +"standardized way to process requests and responses for AttributeGroup data." msgstr "" "Představuje sadu pohledů pro správu objektů AttributeGroup. Zpracovává " "operace související s AttributeGroup, včetně filtrování, serializace a " @@ -3277,8 +3285,8 @@ msgid "" "A viewset for managing AttributeValue objects. This viewset provides " "functionality for listing, retrieving, creating, updating, and deleting " "AttributeValue objects. It integrates with Django REST Framework's viewset " -"mechanisms and uses appropriate serializers for different actions. Filtering" -" capabilities are provided through the DjangoFilterBackend." +"mechanisms and uses appropriate serializers for different actions. Filtering " +"capabilities are provided through the DjangoFilterBackend." msgstr "" "Sada pohledů pro správu objektů AttributeValue. Tato sada pohledů poskytuje " "funkce pro výpis, načítání, vytváření, aktualizaci a mazání objektů " @@ -3327,8 +3335,8 @@ msgstr "" "serializace a operací s konkrétními instancemi. Rozšiřuje se z " "`EvibesViewSet`, aby využívala společné funkce, a integruje se s rámcem " "Django REST pro operace RESTful API. Obsahuje metody pro načítání " -"podrobností o produktu, uplatňování oprávnění a přístup k související zpětné" -" vazbě produktu." +"podrobností o produktu, uplatňování oprávnění a přístup k související zpětné " +"vazbě produktu." #: engine/core/viewsets.py:605 msgid "" @@ -3349,8 +3357,8 @@ msgid "" "Representation of a view set handling Feedback objects. This class manages " "operations related to Feedback objects, including listing, filtering, and " "retrieving details. The purpose of this view set is to provide different " -"serializers for different actions and implement permission-based handling of" -" accessible Feedback objects. It extends the base `EvibesViewSet` and makes " +"serializers for different actions and implement permission-based handling of " +"accessible Feedback objects. It extends the base `EvibesViewSet` and makes " "use of Django's filtering system for querying data." msgstr "" "Reprezentace sady zobrazení, která zpracovává objekty zpětné vazby. Tato " @@ -3365,31 +3373,31 @@ msgid "" "ViewSet for managing orders and related operations. This class provides " "functionality to retrieve, modify, and manage order objects. It includes " "various endpoints for handling order operations such as adding or removing " -"products, performing purchases for registered as well as unregistered users," -" and retrieving the current authenticated user's pending orders. The ViewSet" -" uses multiple serializers based on the specific action being performed and " +"products, performing purchases for registered as well as unregistered users, " +"and retrieving the current authenticated user's pending orders. The ViewSet " +"uses multiple serializers based on the specific action being performed and " "enforces permissions accordingly while interacting with order data." msgstr "" "ViewSet pro správu objednávek a souvisejících operací. Tato třída poskytuje " "funkce pro načítání, úpravu a správu objektů objednávek. Obsahuje různé " "koncové body pro zpracování operací s objednávkami, jako je přidávání nebo " "odebírání produktů, provádění nákupů pro registrované i neregistrované " -"uživatele a načítání nevyřízených objednávek aktuálního ověřeného uživatele." -" Sada ViewSet používá několik serializátorů podle konkrétní prováděné akce a" -" podle toho vynucuje oprávnění při interakci s daty objednávek." +"uživatele a načítání nevyřízených objednávek aktuálního ověřeného uživatele. " +"Sada ViewSet používá několik serializátorů podle konkrétní prováděné akce a " +"podle toho vynucuje oprávnění při interakci s daty objednávek." #: engine/core/viewsets.py:914 msgid "" "Provides a viewset for managing OrderProduct entities. This viewset enables " "CRUD operations and custom actions specific to the OrderProduct model. It " -"includes filtering, permission checks, and serializer switching based on the" -" requested action. Additionally, it provides a detailed action for handling " +"includes filtering, permission checks, and serializer switching based on the " +"requested action. Additionally, it provides a detailed action for handling " "feedback on OrderProduct instances" msgstr "" "Poskytuje sadu pohledů pro správu entit OrderProduct. Tato sada pohledů " "umožňuje operace CRUD a vlastní akce specifické pro model OrderProduct. " -"Zahrnuje filtrování, kontroly oprávnění a přepínání serializátoru na základě" -" požadované akce. Kromě toho poskytuje podrobnou akci pro zpracování zpětné " +"Zahrnuje filtrování, kontroly oprávnění a přepínání serializátoru na základě " +"požadované akce. Kromě toho poskytuje podrobnou akci pro zpracování zpětné " "vazby na instance OrderProduct" #: engine/core/viewsets.py:974 @@ -3416,8 +3424,8 @@ msgstr "Zpracovává operace související s údaji o zásobách v systému." msgid "" "ViewSet for managing Wishlist operations. The WishlistViewSet provides " "endpoints for interacting with a user's wish list, allowing for the " -"retrieval, modification, and customization of products within the wish list." -" This ViewSet facilitates functionality such as adding, removing, and bulk " +"retrieval, modification, and customization of products within the wish list. " +"This ViewSet facilitates functionality such as adding, removing, and bulk " "actions for wishlist products. Permission checks are integrated to ensure " "that users can only manage their own wishlists unless explicit permissions " "are granted." @@ -3438,9 +3446,9 @@ msgid "" "different HTTP methods, serializer overrides, and permission handling based " "on the request context." msgstr "" -"Tato třída poskytuje funkce sady pohledů pro správu objektů `Address`. Třída" -" AddressViewSet umožňuje operace CRUD, filtrování a vlastní akce související" -" s entitami adres. Obsahuje specializované chování pro různé metody HTTP, " +"Tato třída poskytuje funkce sady pohledů pro správu objektů `Address`. Třída " +"AddressViewSet umožňuje operace CRUD, filtrování a vlastní akce související " +"s entitami adres. Obsahuje specializované chování pro různé metody HTTP, " "přepisování serializátoru a zpracování oprávnění na základě kontextu " "požadavku." @@ -3460,5 +3468,5 @@ msgstr "" "Zpracovává operace související se značkami produktů v rámci aplikace. Tato " "třída poskytuje funkce pro načítání, filtrování a serializaci objektů " "Product Tag. Podporuje flexibilní filtrování podle konkrétních atributů " -"pomocí zadaného filtru backend a dynamicky používá různé serializátory podle" -" prováděné akce." +"pomocí zadaného filtru backend a dynamicky používá různé serializátory podle " +"prováděné akce." diff --git a/engine/core/locale/da_DK/LC_MESSAGES/django.mo b/engine/core/locale/da_DK/LC_MESSAGES/django.mo index e6617767cc610fd62b981271ba61ab0342b2933d..70d017afe46e015f17efe0b0885c23eaddf64b96 100644 GIT binary patch delta 18 acmX?eg!Rl3)(zdqn9cMIH}@UeHyZ#}^9dvX delta 18 acmX?eg!Rl3)(zdqm`(LeHuoLdHyZ#}{Rt)j diff --git a/engine/core/locale/da_DK/LC_MESSAGES/django.po b/engine/core/locale/da_DK/LC_MESSAGES/django.po index bc8ab940..66d3e9d7 100644 --- a/engine/core/locale/da_DK/LC_MESSAGES/django.po +++ b/engine/core/locale/da_DK/LC_MESSAGES/django.po @@ -1,9 +1,9 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-12-21 00:38+0300\n" +"POT-Creation-Date: 2026-01-04 19:25+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" @@ -27,8 +27,7 @@ msgstr "Er aktiv" #: engine/core/abstract.py:22 msgid "" -"if set to false, this object can't be seen by users without needed " -"permission" +"if set to false, this object can't be seen by users without needed permission" msgstr "" "Hvis det er sat til false, kan dette objekt ikke ses af brugere uden den " "nødvendige tilladelse." @@ -91,8 +90,8 @@ msgstr "Deaktiver valgte %(verbose_name_plural)s." msgid "selected items have been deactivated." msgstr "Udvalgte varer er blevet deaktiveret!" -#: engine/core/admin.py:196 engine/core/graphene/object_types.py:652 -#: engine/core/graphene/object_types.py:659 engine/core/models.py:825 +#: engine/core/admin.py:196 engine/core/graphene/object_types.py:653 +#: engine/core/graphene/object_types.py:660 engine/core/models.py:825 #: engine/core/models.py:833 msgid "attribute value" msgstr "Attributværdi" @@ -106,7 +105,7 @@ msgstr "Attributværdier" msgid "image" msgstr "Billede" -#: engine/core/admin.py:209 engine/core/graphene/object_types.py:529 +#: engine/core/admin.py:209 engine/core/graphene/object_types.py:530 msgid "images" msgstr "Billeder" @@ -114,7 +113,7 @@ msgstr "Billeder" msgid "stock" msgstr "Lager" -#: engine/core/admin.py:221 engine/core/graphene/object_types.py:712 +#: engine/core/admin.py:221 engine/core/graphene/object_types.py:713 msgid "stocks" msgstr "Aktier" @@ -122,7 +121,7 @@ msgstr "Aktier" msgid "order product" msgstr "Bestil produkt" -#: engine/core/admin.py:233 engine/core/graphene/object_types.py:440 +#: engine/core/admin.py:233 engine/core/graphene/object_types.py:441 #: engine/core/models.py:1932 msgid "order products" msgstr "Bestil produkter" @@ -155,8 +154,7 @@ msgstr "Leveret" msgid "canceled" msgstr "Annulleret" -#: engine/core/choices.py:8 engine/core/choices.py:16 -#: engine/core/choices.py:24 +#: engine/core/choices.py:8 engine/core/choices.py:16 engine/core/choices.py:24 msgid "failed" msgstr "Mislykket" @@ -207,7 +205,8 @@ msgid "" "apply key, data and timeout with authentication to write data to cache." msgstr "" "Anvend kun en nøgle til at læse tilladte data fra cachen.\n" -"Anvend nøgle, data og timeout med autentificering for at skrive data til cachen." +"Anvend nøgle, data og timeout med autentificering for at skrive data til " +"cachen." #: engine/core/docs/drf/views.py:66 msgid "get a list of supported languages" @@ -272,8 +271,7 @@ msgstr "" "attributter" #: engine/core/docs/drf/viewsets.py:107 -msgid "" -"rewrite some fields of an existing attribute group saving non-editables" +msgid "rewrite some fields of an existing attribute group saving non-editables" msgstr "" "Omskriv nogle felter i en eksisterende attributgruppe og gem ikke-" "redigerbare felter" @@ -326,11 +324,10 @@ msgstr "" "Omskriv en eksisterende attributværdi, der gemmer ikke-redigerbare filer" #: engine/core/docs/drf/viewsets.py:208 -msgid "" -"rewrite some fields of an existing attribute value saving non-editables" +msgid "rewrite some fields of an existing attribute value saving non-editables" msgstr "" -"Omskriv nogle felter i en eksisterende attributværdi og gem ikke-redigerbare" -" felter" +"Omskriv nogle felter i en eksisterende attributværdi og gem ikke-redigerbare " +"felter" #: engine/core/docs/drf/viewsets.py:219 engine/core/docs/drf/viewsets.py:220 msgid "list all categories (simple view)" @@ -365,8 +362,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:280 engine/core/docs/drf/viewsets.py:757 #: engine/core/docs/drf/viewsets.py:1046 #: engine/core/graphene/object_types.py:119 -#: engine/core/graphene/object_types.py:238 -#: engine/core/graphene/object_types.py:539 +#: engine/core/graphene/object_types.py:239 +#: engine/core/graphene/object_types.py:540 msgid "SEO Meta snapshot" msgstr "SEO-meta-snapshot" @@ -380,17 +377,16 @@ msgstr "Liste over alle kategorier (enkel visning)" #: engine/core/docs/drf/viewsets.py:303 msgid "for non-staff users, only their own orders are returned." -msgstr "" -"For ikke-ansatte brugere er det kun deres egne ordrer, der returneres." +msgstr "For ikke-ansatte brugere er det kun deres egne ordrer, der returneres." #: engine/core/docs/drf/viewsets.py:309 msgid "" -"Case-insensitive substring search across human_readable_id, " -"order_products.product.name, and order_products.product.partnumber" +"Case-insensitive substring search across human_readable_id, order_products." +"product.name, and order_products.product.partnumber" msgstr "" "Substringsøgning uden brug af store og små bogstaver på tværs af " -"human_readable_id, order_products.product.name og " -"order_products.product.partnumber" +"human_readable_id, order_products.product.name og order_products.product." +"partnumber" #: engine/core/docs/drf/viewsets.py:316 msgid "Filter orders with buy_time >= this ISO 8601 datetime" @@ -422,13 +418,13 @@ msgstr "Filtrer efter ordrestatus (case-insensitive substring match)" #: engine/core/docs/drf/viewsets.py:354 msgid "" -"Order by one of: uuid, human_readable_id, user_email, user, status, created," -" modified, buy_time, random. Prefix with '-' for descending (e.g. " -"'-buy_time')." +"Order by one of: uuid, human_readable_id, user_email, user, status, created, " +"modified, buy_time, random. Prefix with '-' for descending (e.g. '-" +"buy_time')." msgstr "" "Bestil efter en af: uuid, human_readable_id, user_email, user, status, " -"created, modified, buy_time, random. Præfiks med '-' for faldende rækkefølge" -" (f.eks. '-buy_time')." +"created, modified, buy_time, random. Præfiks med '-' for faldende rækkefølge " +"(f.eks. '-buy_time')." #: engine/core/docs/drf/viewsets.py:366 msgid "retrieve a single order (detailed view)" @@ -598,8 +594,7 @@ msgstr "Fjern et produkt fra ønskelisten" #: engine/core/docs/drf/viewsets.py:568 msgid "removes a product from an wishlist using the provided `product_uuid`" msgstr "" -"Fjerner et produkt fra en ønskeliste ved hjælp af den angivne " -"`product_uuid`." +"Fjerner et produkt fra en ønskeliste ved hjælp af den angivne `product_uuid`." #: engine/core/docs/drf/viewsets.py:577 msgid "add many products to wishlist" @@ -626,18 +621,28 @@ msgstr "" msgid "" "Filter by one or more attribute name/value pairs. \n" "• **Syntax**: `attr_name=method-value[;attr2=method2-value2]…` \n" -"• **Methods** (defaults to `icontains` if omitted): `iexact`, `exact`, `icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, `iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in` \n" -"• **Value typing**: JSON is attempted first (so you can pass lists/dicts), `true`/`false` for booleans, integers, floats; otherwise treated as string. \n" +"• **Methods** (defaults to `icontains` if omitted): `iexact`, `exact`, " +"`icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, " +"`iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in` \n" +"• **Value typing**: JSON is attempted first (so you can pass lists/dicts), " +"`true`/`false` for booleans, integers, floats; otherwise treated as " +"string. \n" "• **Base64**: prefix with `b64-` to URL-safe base64-encode the raw value. \n" "Examples: \n" -"`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\",\"bluetooth\"]`, \n" +"`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\"," +"\"bluetooth\"]`, \n" "`b64-description=icontains-aGVhdC1jb2xk`" msgstr "" "Filtrer efter et eller flere attributnavn/værdipar. \n" "- **Syntaks**: `attr_name=method-value[;attr2=method2-value2]...`.\n" -"- **Metoder** (standard er `icontains`, hvis udeladt): `iexact`, `exact`, `icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, `iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in`.\n" -"- Værdiindtastning**: JSON forsøges først (så du kan sende lister/dikter), `true`/`false` for booleans, heltal, floats; ellers behandles de som strenge. \n" -"- **Base64**: præfiks med `b64-` for URL-sikker base64-kodning af den rå værdi. \n" +"- **Metoder** (standard er `icontains`, hvis udeladt): `iexact`, `exact`, " +"`icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, " +"`iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in`.\n" +"- Værdiindtastning**: JSON forsøges først (så du kan sende lister/dikter), " +"`true`/`false` for booleans, heltal, floats; ellers behandles de som " +"strenge. \n" +"- **Base64**: præfiks med `b64-` for URL-sikker base64-kodning af den rå " +"værdi. \n" "Eksempler på dette: \n" "`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\",\"bluetooth\"]`,\n" "`b64-description=icontains-aGVhdC1jb2xk`." @@ -652,10 +657,12 @@ msgstr "(præcis) Produkt-UUID" #: engine/core/docs/drf/viewsets.py:630 msgid "" -"Comma-separated list of fields to sort by. Prefix with `-` for descending. \n" +"Comma-separated list of fields to sort by. Prefix with `-` for " +"descending. \n" "**Allowed:** uuid, rating, name, slug, created, modified, price, random" msgstr "" -"Kommasepareret liste over felter, der skal sorteres efter. Præfiks med `-` for faldende. \n" +"Kommasepareret liste over felter, der skal sorteres efter. Præfiks med `-` " +"for faldende. \n" "**Tilladt:** uuid, vurdering, navn, slug, oprettet, ændret, pris, tilfældig" #: engine/core/docs/drf/viewsets.py:647 engine/core/docs/drf/viewsets.py:648 @@ -1205,11 +1212,11 @@ msgstr "Køb en ordre" #: engine/core/graphene/mutations.py:542 msgid "" -"please send the attributes as the string formatted like " -"attr1=value1,attr2=value2" +"please send the attributes as the string formatted like attr1=value1," +"attr2=value2" msgstr "" -"Send venligst attributterne som en streng formateret som " -"attr1=værdi1,attr2=værdi2" +"Send venligst attributterne som en streng formateret som attr1=værdi1," +"attr2=værdi2" #: engine/core/graphene/mutations.py:580 msgid "add or delete a feedback for orderproduct" @@ -1245,8 +1252,8 @@ msgid "elasticsearch - works like a charm" msgstr "ElasticSearch - fungerer som en charme" #: engine/core/graphene/object_types.py:84 -#: engine/core/graphene/object_types.py:419 -#: engine/core/graphene/object_types.py:470 engine/core/models.py:796 +#: engine/core/graphene/object_types.py:420 +#: engine/core/graphene/object_types.py:471 engine/core/models.py:796 #: engine/core/models.py:1290 engine/core/models.py:2022 msgid "attributes" msgstr "Egenskaber" @@ -1260,8 +1267,8 @@ msgid "groups of attributes" msgstr "Grupper af attributter" #: engine/core/graphene/object_types.py:118 -#: engine/core/graphene/object_types.py:216 -#: engine/core/graphene/object_types.py:254 engine/core/models.py:440 +#: engine/core/graphene/object_types.py:217 +#: engine/core/graphene/object_types.py:255 engine/core/models.py:440 msgid "categories" msgstr "Kategorier" @@ -1269,85 +1276,83 @@ msgstr "Kategorier" msgid "brands" msgstr "Mærker" -#: engine/core/graphene/object_types.py:218 +#: engine/core/graphene/object_types.py:219 msgid "category image url" msgstr "Kategorier" -#: engine/core/graphene/object_types.py:219 -#: engine/core/graphene/object_types.py:364 engine/core/models.py:278 +#: engine/core/graphene/object_types.py:220 +#: engine/core/graphene/object_types.py:365 engine/core/models.py:278 msgid "markup percentage" msgstr "Markup-procentdel" -#: engine/core/graphene/object_types.py:223 +#: engine/core/graphene/object_types.py:224 msgid "which attributes and values can be used for filtering this category." msgstr "" -"Hvilke attributter og værdier, der kan bruges til at filtrere denne " -"kategori." +"Hvilke attributter og værdier, der kan bruges til at filtrere denne kategori." -#: engine/core/graphene/object_types.py:229 -msgid "" -"minimum and maximum prices for products in this category, if available." +#: engine/core/graphene/object_types.py:230 +msgid "minimum and maximum prices for products in this category, if available." msgstr "" "Minimums- og maksimumspriser for produkter i denne kategori, hvis de er " "tilgængelige." -#: engine/core/graphene/object_types.py:233 +#: engine/core/graphene/object_types.py:234 msgid "tags for this category" msgstr "Tags for denne kategori" -#: engine/core/graphene/object_types.py:236 +#: engine/core/graphene/object_types.py:237 msgid "products in this category" msgstr "Produkter i denne kategori" -#: engine/core/graphene/object_types.py:371 engine/core/models.py:183 +#: engine/core/graphene/object_types.py:372 engine/core/models.py:183 msgid "vendors" msgstr "Leverandører" -#: engine/core/graphene/object_types.py:375 +#: engine/core/graphene/object_types.py:376 msgid "Latitude (Y coordinate)" msgstr "Breddegrad (Y-koordinat)" -#: engine/core/graphene/object_types.py:376 +#: engine/core/graphene/object_types.py:377 msgid "Longitude (X coordinate)" msgstr "Længdegrad (X-koordinat)" -#: engine/core/graphene/object_types.py:405 +#: engine/core/graphene/object_types.py:406 msgid "comment" msgstr "Sådan gør du" -#: engine/core/graphene/object_types.py:407 -#: engine/core/graphene/object_types.py:541 +#: engine/core/graphene/object_types.py:408 +#: engine/core/graphene/object_types.py:542 msgid "rating value from 1 to 10, inclusive, or 0 if not set." msgstr "" "Vurderingsværdi fra 1 til 10, inklusive, eller 0, hvis den ikke er " "indstillet." -#: engine/core/graphene/object_types.py:415 +#: engine/core/graphene/object_types.py:416 msgid "represents feedback from a user." msgstr "Repræsenterer feedback fra en bruger." -#: engine/core/graphene/object_types.py:420 -#: engine/core/graphene/object_types.py:471 engine/core/models.py:1284 +#: engine/core/graphene/object_types.py:421 +#: engine/core/graphene/object_types.py:472 engine/core/models.py:1284 msgid "notifications" msgstr "Meddelelser" -#: engine/core/graphene/object_types.py:422 +#: engine/core/graphene/object_types.py:423 msgid "download url for this order product if applicable" msgstr "Download url for dette ordreprodukt, hvis det er relevant" -#: engine/core/graphene/object_types.py:424 engine/core/models.py:1849 +#: engine/core/graphene/object_types.py:425 engine/core/models.py:1849 msgid "feedback" msgstr "Feedback" -#: engine/core/graphene/object_types.py:458 +#: engine/core/graphene/object_types.py:459 msgid "a list of order products in this order" msgstr "En liste over bestillingsprodukter i denne ordre" -#: engine/core/graphene/object_types.py:460 engine/core/models.py:1254 +#: engine/core/graphene/object_types.py:461 engine/core/models.py:1254 msgid "billing address" msgstr "Faktureringsadresse" -#: engine/core/graphene/object_types.py:464 +#: engine/core/graphene/object_types.py:465 msgid "" "shipping address for this order, leave blank if same as billing address or " "if not applicable" @@ -1355,53 +1360,53 @@ msgstr "" "Leveringsadresse for denne ordre, lad den være tom, hvis den er den samme " "som faktureringsadressen, eller hvis den ikke er relevant" -#: engine/core/graphene/object_types.py:467 +#: engine/core/graphene/object_types.py:468 msgid "total price of this order" msgstr "Samlet pris for denne ordre" -#: engine/core/graphene/object_types.py:468 +#: engine/core/graphene/object_types.py:469 msgid "total quantity of products in order" msgstr "Samlet antal produkter i ordren" -#: engine/core/graphene/object_types.py:469 +#: engine/core/graphene/object_types.py:470 msgid "are all products in the order digital" msgstr "Er alle produkterne i ordren digitale?" -#: engine/core/graphene/object_types.py:473 +#: engine/core/graphene/object_types.py:474 msgid "transactions for this order" msgstr "Transaktioner for denne ordre" -#: engine/core/graphene/object_types.py:493 engine/core/models.py:1318 +#: engine/core/graphene/object_types.py:494 engine/core/models.py:1318 msgid "orders" msgstr "Bestillinger" -#: engine/core/graphene/object_types.py:514 +#: engine/core/graphene/object_types.py:515 msgid "image url" msgstr "Billed-URL" -#: engine/core/graphene/object_types.py:521 +#: engine/core/graphene/object_types.py:522 msgid "product's images" msgstr "Produktets billeder" -#: engine/core/graphene/object_types.py:528 engine/core/models.py:439 +#: engine/core/graphene/object_types.py:529 engine/core/models.py:439 #: engine/core/models.py:596 msgid "category" msgstr "Kategori" -#: engine/core/graphene/object_types.py:530 engine/core/models.py:1850 +#: engine/core/graphene/object_types.py:531 engine/core/models.py:1850 msgid "feedbacks" msgstr "Tilbagemeldinger" -#: engine/core/graphene/object_types.py:531 engine/core/models.py:510 +#: engine/core/graphene/object_types.py:532 engine/core/models.py:510 #: engine/core/models.py:605 msgid "brand" msgstr "Brand" -#: engine/core/graphene/object_types.py:533 engine/core/models.py:103 +#: engine/core/graphene/object_types.py:534 engine/core/models.py:103 msgid "attribute groups" msgstr "Attributgrupper" -#: engine/core/graphene/object_types.py:535 +#: engine/core/graphene/object_types.py:536 #: engine/core/templates/digital_order_created_email.html:111 #: engine/core/templates/digital_order_delivered_email.html:109 #: engine/core/templates/shipped_order_created_email.html:109 @@ -1409,7 +1414,7 @@ msgstr "Attributgrupper" msgid "price" msgstr "Pris" -#: engine/core/graphene/object_types.py:536 +#: engine/core/graphene/object_types.py:537 #: engine/core/templates/digital_order_created_email.html:110 #: engine/core/templates/digital_order_delivered_email.html:108 #: engine/core/templates/shipped_order_created_email.html:108 @@ -1417,39 +1422,39 @@ msgstr "Pris" msgid "quantity" msgstr "Mængde" -#: engine/core/graphene/object_types.py:537 +#: engine/core/graphene/object_types.py:538 msgid "number of feedbacks" msgstr "Antal tilbagemeldinger" -#: engine/core/graphene/object_types.py:538 +#: engine/core/graphene/object_types.py:539 msgid "only available for personal orders" msgstr "Produkter kun tilgængelige for personlige bestillinger" -#: engine/core/graphene/object_types.py:543 +#: engine/core/graphene/object_types.py:544 msgid "discount price" msgstr "Rabatpris" -#: engine/core/graphene/object_types.py:567 engine/core/models.py:677 +#: engine/core/graphene/object_types.py:568 engine/core/models.py:677 msgid "products" msgstr "Produkter" -#: engine/core/graphene/object_types.py:677 +#: engine/core/graphene/object_types.py:678 msgid "promocodes" msgstr "Promokoder" -#: engine/core/graphene/object_types.py:692 +#: engine/core/graphene/object_types.py:693 msgid "products on sale" msgstr "Produkter til salg" -#: engine/core/graphene/object_types.py:700 engine/core/models.py:928 +#: engine/core/graphene/object_types.py:701 engine/core/models.py:928 msgid "promotions" msgstr "Kampagner" -#: engine/core/graphene/object_types.py:704 engine/core/models.py:182 +#: engine/core/graphene/object_types.py:705 engine/core/models.py:182 msgid "vendor" msgstr "Leverandør" -#: engine/core/graphene/object_types.py:705 engine/core/models.py:676 +#: engine/core/graphene/object_types.py:706 engine/core/models.py:676 #: engine/core/templates/digital_order_created_email.html:109 #: engine/core/templates/digital_order_delivered_email.html:107 #: engine/core/templates/shipped_order_created_email.html:107 @@ -1457,99 +1462,99 @@ msgstr "Leverandør" msgid "product" msgstr "Produkt" -#: engine/core/graphene/object_types.py:717 engine/core/models.py:951 +#: engine/core/graphene/object_types.py:718 engine/core/models.py:951 msgid "wishlisted products" msgstr "Produkter på ønskelisten" -#: engine/core/graphene/object_types.py:724 engine/core/models.py:968 +#: engine/core/graphene/object_types.py:725 engine/core/models.py:968 msgid "wishlists" msgstr "Ønskelister" -#: engine/core/graphene/object_types.py:729 +#: engine/core/graphene/object_types.py:730 msgid "tagged products" msgstr "Mærkede produkter" -#: engine/core/graphene/object_types.py:737 engine/core/models.py:219 +#: engine/core/graphene/object_types.py:738 engine/core/models.py:219 #: engine/core/models.py:611 msgid "product tags" msgstr "Produktmærker" -#: engine/core/graphene/object_types.py:742 +#: engine/core/graphene/object_types.py:743 msgid "tagged categories" msgstr "Tagged kategorier" -#: engine/core/graphene/object_types.py:750 +#: engine/core/graphene/object_types.py:751 msgid "categories tags" msgstr "Kategoriernes tags" -#: engine/core/graphene/object_types.py:754 +#: engine/core/graphene/object_types.py:755 msgid "project name" msgstr "Projektets navn" -#: engine/core/graphene/object_types.py:755 +#: engine/core/graphene/object_types.py:756 msgid "company name" msgstr "Virksomhedens navn" -#: engine/core/graphene/object_types.py:756 +#: engine/core/graphene/object_types.py:757 msgid "company address" msgstr "Virksomhedens adresse" -#: engine/core/graphene/object_types.py:757 +#: engine/core/graphene/object_types.py:758 msgid "company phone number" msgstr "Virksomhedens telefonnummer" -#: engine/core/graphene/object_types.py:760 +#: engine/core/graphene/object_types.py:761 msgid "email from, sometimes it must be used instead of host user value" msgstr "" "'e-mail fra', nogle gange skal den bruges i stedet for værtsbrugerværdien" -#: engine/core/graphene/object_types.py:763 +#: engine/core/graphene/object_types.py:764 msgid "email host user" msgstr "E-mail-værtsbruger" -#: engine/core/graphene/object_types.py:764 +#: engine/core/graphene/object_types.py:765 msgid "maximum amount for payment" msgstr "Maksimalt beløb til betaling" -#: engine/core/graphene/object_types.py:765 +#: engine/core/graphene/object_types.py:766 msgid "minimum amount for payment" msgstr "Minimumsbeløb for betaling" -#: engine/core/graphene/object_types.py:766 +#: engine/core/graphene/object_types.py:767 msgid "analytics data" msgstr "Analytiske data" -#: engine/core/graphene/object_types.py:767 +#: engine/core/graphene/object_types.py:768 msgid "advertisement data" msgstr "Data om reklamer" -#: engine/core/graphene/object_types.py:770 +#: engine/core/graphene/object_types.py:771 msgid "company configuration" msgstr "Konfiguration" -#: engine/core/graphene/object_types.py:774 +#: engine/core/graphene/object_types.py:775 msgid "language code" msgstr "Sprogkode" -#: engine/core/graphene/object_types.py:775 +#: engine/core/graphene/object_types.py:776 msgid "language name" msgstr "Sprogets navn" -#: engine/core/graphene/object_types.py:776 +#: engine/core/graphene/object_types.py:777 msgid "language flag, if exists :)" msgstr "Sprogflag, hvis det findes :)" -#: engine/core/graphene/object_types.py:779 +#: engine/core/graphene/object_types.py:780 msgid "supported languages" msgstr "Få en liste over understøttede sprog" -#: engine/core/graphene/object_types.py:811 -#: engine/core/graphene/object_types.py:814 -#: engine/core/graphene/object_types.py:817 +#: engine/core/graphene/object_types.py:812 +#: engine/core/graphene/object_types.py:815 +#: engine/core/graphene/object_types.py:818 msgid "products search results" msgstr "Søgeresultater for produkter" -#: engine/core/graphene/object_types.py:819 +#: engine/core/graphene/object_types.py:820 msgid "posts search results" msgstr "Søgeresultater for produkter" @@ -1594,12 +1599,12 @@ msgid "" msgstr "" "Repræsenterer en vendor-enhed, der er i stand til at lagre oplysninger om " "eksterne leverandører og deres interaktionskrav. Vendor-klassen bruges til " -"at definere og administrere oplysninger om en ekstern leverandør. Den gemmer" -" leverandørens navn, godkendelsesoplysninger, der kræves til kommunikation, " +"at definere og administrere oplysninger om en ekstern leverandør. Den gemmer " +"leverandørens navn, godkendelsesoplysninger, der kræves til kommunikation, " "og den procentvise markering, der anvendes på produkter, der hentes fra " "leverandøren. Denne model vedligeholder også yderligere metadata og " -"begrænsninger, hvilket gør den velegnet til brug i systemer, der interagerer" -" med tredjepartsleverandører." +"begrænsninger, hvilket gør den velegnet til brug i systemer, der interagerer " +"med tredjepartsleverandører." #: engine/core/models.py:122 msgid "stores credentials and endpoints required for vendor communication" @@ -1655,8 +1660,8 @@ msgstr "" "identificere produkter. ProductTag-klassen er designet til entydigt at " "identificere og klassificere produkter gennem en kombination af en intern " "tag-identifikator og et brugervenligt visningsnavn. Den understøtter " -"operationer, der eksporteres gennem mixins, og giver mulighed for tilpasning" -" af metadata til administrative formål." +"operationer, der eksporteres gennem mixins, og giver mulighed for tilpasning " +"af metadata til administrative formål." #: engine/core/models.py:204 engine/core/models.py:235 msgid "internal tag identifier for the product tag" @@ -1715,9 +1720,9 @@ msgstr "" "Klassen indeholder felter til metadata og visuel repræsentation, som " "fungerer som et fundament for kategorirelaterede funktioner. Denne klasse " "bruges typisk til at definere og administrere produktkategorier eller andre " -"lignende grupperinger i en applikation, så brugere eller administratorer kan" -" angive navn, beskrivelse og hierarki for kategorier samt tildele " -"attributter som billeder, tags eller prioritet." +"lignende grupperinger i en applikation, så brugere eller administratorer kan " +"angive navn, beskrivelse og hierarki for kategorier samt tildele attributter " +"som billeder, tags eller prioritet." #: engine/core/models.py:269 msgid "upload an image representing this category" @@ -1768,13 +1773,12 @@ msgid "" "Represents a Brand object in the system. This class handles information and " "attributes related to a brand, including its name, logos, description, " "associated categories, a unique slug, and priority order. It allows for the " -"organization and representation of brand-related data within the " -"application." +"organization and representation of brand-related data within the application." msgstr "" -"Repræsenterer et brand-objekt i systemet. Denne klasse håndterer oplysninger" -" og attributter relateret til et brand, herunder dets navn, logoer, " -"beskrivelse, tilknyttede kategorier, en unik slug og prioriteret rækkefølge." -" Den gør det muligt at organisere og repræsentere brand-relaterede data i " +"Repræsenterer et brand-objekt i systemet. Denne klasse håndterer oplysninger " +"og attributter relateret til et brand, herunder dets navn, logoer, " +"beskrivelse, tilknyttede kategorier, en unik slug og prioriteret rækkefølge. " +"Den gør det muligt at organisere og repræsentere brand-relaterede data i " "applikationen." #: engine/core/models.py:456 @@ -1819,8 +1823,8 @@ msgstr "Kategorier" #: engine/core/models.py:516 msgid "" -"Represents the stock of a product managed in the system. This class provides" -" details about the relationship between vendors, products, and their stock " +"Represents the stock of a product managed in the system. This class provides " +"details about the relationship between vendors, products, and their stock " "information, as well as inventory-related properties like price, purchase " "price, quantity, SKU, and digital assets. It is part of the inventory " "management system to allow tracking and evaluation of products available " @@ -1828,8 +1832,8 @@ msgid "" msgstr "" "Repræsenterer lageret af et produkt, der administreres i systemet. Denne " "klasse giver detaljer om forholdet mellem leverandører, produkter og deres " -"lageroplysninger samt lagerrelaterede egenskaber som pris, købspris, mængde," -" SKU og digitale aktiver. Den er en del af lagerstyringssystemet for at " +"lageroplysninger samt lagerrelaterede egenskaber som pris, købspris, mængde, " +"SKU og digitale aktiver. Den er en del af lagerstyringssystemet for at " "muliggøre sporing og evaluering af produkter, der er tilgængelige fra " "forskellige leverandører." @@ -1914,8 +1918,8 @@ msgstr "" "egenskaber til at hente vurderinger, antal tilbagemeldinger, pris, antal og " "samlede ordrer. Designet til brug i et system, der håndterer e-handel eller " "lagerstyring. Denne klasse interagerer med relaterede modeller (såsom " -"Category, Brand og ProductTag) og administrerer caching for hyppigt anvendte" -" egenskaber for at forbedre ydeevnen. Den bruges til at definere og " +"Category, Brand og ProductTag) og administrerer caching for hyppigt anvendte " +"egenskaber for at forbedre ydeevnen. Den bruges til at definere og " "manipulere produktdata og tilhørende oplysninger i en applikation." #: engine/core/models.py:595 @@ -1979,13 +1983,13 @@ msgid "" "Represents an attribute in the system. This class is used to define and " "manage attributes, which are customizable pieces of data that can be " "associated with other entities. Attributes have associated categories, " -"groups, value types, and names. The model supports multiple types of values," -" including string, integer, float, boolean, array, and object. This allows " +"groups, value types, and names. The model supports multiple types of values, " +"including string, integer, float, boolean, array, and object. This allows " "for dynamic and flexible data structuring." msgstr "" -"Repræsenterer en attribut i systemet. Denne klasse bruges til at definere og" -" administrere attributter, som er data, der kan tilpasses, og som kan " -"knyttes til andre enheder. Attributter har tilknyttede kategorier, grupper, " +"Repræsenterer en attribut i systemet. Denne klasse bruges til at definere og " +"administrere attributter, som er data, der kan tilpasses, og som kan knyttes " +"til andre enheder. Attributter har tilknyttede kategorier, grupper, " "værdityper og navne. Modellen understøtter flere typer værdier, herunder " "string, integer, float, boolean, array og object. Det giver mulighed for " "dynamisk og fleksibel datastrukturering." @@ -2041,8 +2045,7 @@ msgstr "er filtrerbar" #: engine/core/models.py:782 msgid "designates whether this attribute can be used for filtering or not" msgstr "" -"Hvilke attributter og værdier, der kan bruges til at filtrere denne " -"kategori." +"Hvilke attributter og værdier, der kan bruges til at filtrere denne kategori." #: engine/core/models.py:795 engine/core/models.py:813 #: engine/core/templates/digital_order_delivered_email.html:134 @@ -2051,9 +2054,9 @@ msgstr "Attribut" #: engine/core/models.py:801 msgid "" -"Represents a specific value for an attribute that is linked to a product. It" -" links the 'attribute' to a unique 'value', allowing better organization and" -" dynamic representation of product characteristics." +"Represents a specific value for an attribute that is linked to a product. It " +"links the 'attribute' to a unique 'value', allowing better organization and " +"dynamic representation of product characteristics." msgstr "" "Repræsenterer en specifik værdi for en attribut, der er knyttet til et " "produkt. Den forbinder 'attributten' med en unik 'værdi', hvilket giver " @@ -2075,8 +2078,8 @@ msgstr "Den specifikke værdi for denne attribut" #: engine/core/models.py:839 msgid "" "Represents a product image associated with a product in the system. This " -"class is designed to manage images for products, including functionality for" -" uploading image files, associating them with specific products, and " +"class is designed to manage images for products, including functionality for " +"uploading image files, associating them with specific products, and " "determining their display order. It also includes an accessibility feature " "with alternative text for the images." msgstr "" @@ -2124,8 +2127,8 @@ msgid "" "is used to define and manage promotional campaigns that offer a percentage-" "based discount for products. The class includes attributes for setting the " "discount rate, providing details about the promotion, and linking it to the " -"applicable products. It integrates with the product catalog to determine the" -" affected items in the campaign." +"applicable products. It integrates with the product catalog to determine the " +"affected items in the campaign." msgstr "" "Repræsenterer en reklamekampagne for produkter med rabat. Denne klasse " "bruges til at definere og administrere kampagner, der tilbyder en " @@ -2201,8 +2204,8 @@ msgid "" "store information about documentaries related to specific products, " "including file uploads and their metadata. It contains methods and " "properties to handle the file type and storage path for the documentary " -"files. It extends functionality from specific mixins and provides additional" -" custom features." +"files. It extends functionality from specific mixins and provides additional " +"custom features." msgstr "" "Repræsenterer en dokumentarisk post, der er knyttet til et produkt. Denne " "klasse bruges til at gemme oplysninger om dokumentarfilm relateret til " @@ -2225,14 +2228,14 @@ msgstr "Uafklaret" #: engine/core/models.py:1040 msgid "" -"Represents an address entity that includes location details and associations" -" with a user. Provides functionality for geographic and address data " -"storage, as well as integration with geocoding services. This class is " -"designed to store detailed address information including components like " -"street, city, region, country, and geolocation (longitude and latitude). It " -"supports integration with geocoding APIs, enabling the storage of raw API " -"responses for further processing or inspection. The class also allows " -"associating an address with a user, facilitating personalized data handling." +"Represents an address entity that includes location details and associations " +"with a user. Provides functionality for geographic and address data storage, " +"as well as integration with geocoding services. This class is designed to " +"store detailed address information including components like street, city, " +"region, country, and geolocation (longitude and latitude). It supports " +"integration with geocoding APIs, enabling the storage of raw API responses " +"for further processing or inspection. The class also allows associating an " +"address with a user, facilitating personalized data handling." msgstr "" "Repræsenterer en adresseenhed, der indeholder placeringsoplysninger og " "tilknytninger til en bruger. Indeholder funktionalitet til lagring af " @@ -2307,9 +2310,9 @@ msgid "" msgstr "" "Repræsenterer en kampagnekode, der kan bruges til rabatter, og styrer dens " "gyldighed, rabattype og anvendelse. PromoCode-klassen gemmer oplysninger om " -"en kampagnekode, herunder dens unikke identifikator, rabattegenskaber (beløb" -" eller procent), gyldighedsperiode, tilknyttet bruger (hvis nogen) og status" -" for dens brug. Den indeholder funktionalitet til at validere og anvende " +"en kampagnekode, herunder dens unikke identifikator, rabattegenskaber (beløb " +"eller procent), gyldighedsperiode, tilknyttet bruger (hvis nogen) og status " +"for dens brug. Den indeholder funktionalitet til at validere og anvende " "kampagnekoden på en ordre og samtidig sikre, at begrænsningerne er opfyldt." #: engine/core/models.py:1119 @@ -2398,8 +2401,8 @@ msgstr "Ugyldig rabattype for promokode {self.uuid}!" msgid "" "Represents an order placed by a user. This class models an order within the " "application, including its various attributes such as billing and shipping " -"information, status, associated user, notifications, and related operations." -" Orders can have associated products, promotions can be applied, addresses " +"information, status, associated user, notifications, and related operations. " +"Orders can have associated products, promotions can be applied, addresses " "set, and shipping or billing details updated. Equally, functionality " "supports managing the products in the order lifecycle." msgstr "" @@ -2407,8 +2410,8 @@ msgstr "" "ordre i applikationen, herunder dens forskellige attributter såsom " "fakturerings- og forsendelsesoplysninger, status, tilknyttet bruger, " "notifikationer og relaterede operationer. Ordrer kan have tilknyttede " -"produkter, kampagner kan anvendes, adresser kan indstilles, og forsendelses-" -" eller faktureringsoplysninger kan opdateres. Ligeledes understøtter " +"produkter, kampagner kan anvendes, adresser kan indstilles, og forsendelses- " +"eller faktureringsoplysninger kan opdateres. Ligeledes understøtter " "funktionaliteten håndtering af produkterne i ordrens livscyklus." #: engine/core/models.py:1253 @@ -2442,8 +2445,8 @@ msgstr "Bestillingsstatus" #: engine/core/models.py:1283 engine/core/models.py:1882 msgid "json structure of notifications to display to users" msgstr "" -"JSON-struktur af meddelelser, der skal vises til brugerne, i admin UI bruges" -" tabelvisningen" +"JSON-struktur af meddelelser, der skal vises til brugerne, i admin UI bruges " +"tabelvisningen" #: engine/core/models.py:1289 msgid "json representation of order attributes for this order" @@ -2497,8 +2500,7 @@ msgstr "Du kan ikke tilføje flere produkter, end der er på lager" #: engine/core/models.py:1488 msgid "you cannot remove products from an order that is not a pending one" msgstr "" -"Du kan ikke fjerne produkter fra en ordre, der ikke er en igangværende " -"ordre." +"Du kan ikke fjerne produkter fra en ordre, der ikke er en igangværende ordre." #: engine/core/models.py:1473 #, python-brace-format @@ -2532,8 +2534,7 @@ msgstr "Du kan ikke købe en tom ordre!" #: engine/core/models.py:1603 msgid "you cannot buy an order without a user" msgstr "" -"Du kan ikke fjerne produkter fra en ordre, der ikke er en igangværende " -"ordre." +"Du kan ikke fjerne produkter fra en ordre, der ikke er en igangværende ordre." #: engine/core/models.py:1617 msgid "a user without a balance cannot buy with balance" @@ -2582,11 +2583,9 @@ msgid "feedback comments" msgstr "Kommentarer til feedback" #: engine/core/models.py:1827 -msgid "" -"references the specific product in an order that this feedback is about" +msgid "references the specific product in an order that this feedback is about" msgstr "" -"Henviser til det specifikke produkt i en ordre, som denne feedback handler " -"om" +"Henviser til det specifikke produkt i en ordre, som denne feedback handler om" #: engine/core/models.py:1829 msgid "related order product" @@ -2613,8 +2612,8 @@ msgid "" "Product models and stores a reference to them." msgstr "" "Repræsenterer produkter forbundet med ordrer og deres attributter. " -"OrderProduct-modellen vedligeholder oplysninger om et produkt, der er en del" -" af en ordre, herunder detaljer som købspris, antal, produktattributter og " +"OrderProduct-modellen vedligeholder oplysninger om et produkt, der er en del " +"af en ordre, herunder detaljer som købspris, antal, produktattributter og " "status. Den administrerer notifikationer til brugeren og administratorer og " "håndterer operationer som f.eks. at returnere produktsaldoen eller tilføje " "feedback. Modellen indeholder også metoder og egenskaber, der understøtter " @@ -2690,8 +2689,7 @@ msgstr "Forkert handling angivet for feedback: {action}!" #: engine/core/models.py:2006 msgid "you cannot feedback an order which is not received" msgstr "" -"Du kan ikke fjerne produkter fra en ordre, der ikke er en igangværende " -"ordre." +"Du kan ikke fjerne produkter fra en ordre, der ikke er en igangværende ordre." #: engine/core/models.py:2015 msgid "name" @@ -2730,9 +2728,9 @@ msgid "" "Represents the downloading functionality for digital assets associated with " "orders. The DigitalAssetDownload class provides the ability to manage and " "access downloads related to order products. It maintains information about " -"the associated order product, the number of downloads, and whether the asset" -" is publicly visible. It includes a method to generate a URL for downloading" -" the asset when the associated order is in a completed status." +"the associated order product, the number of downloads, and whether the asset " +"is publicly visible. It includes a method to generate a URL for downloading " +"the asset when the associated order is in a completed status." msgstr "" "Repræsenterer downloadfunktionen for digitale aktiver, der er forbundet med " "ordrer. DigitalAssetDownload-klassen giver mulighed for at administrere og " @@ -2947,7 +2945,8 @@ msgstr "Hej %(order.user.first_name)s," #, python-format msgid "" "thank you for your order #%(order.pk)s! we are pleased to inform you that\n" -" we have taken your order into work. below are the details of your\n" +" we have taken your order into work. below are " +"the details of your\n" " order:" msgstr "" "Tak for din ordre #%(order.pk)s! Vi er glade for at kunne informere dig om, " @@ -3061,7 +3060,8 @@ msgstr "" #: engine/core/templates/shipped_order_created_email.html:101 #: engine/core/templates/shipped_order_delivered_email.html:101 msgid "" -"thank you for your order! we are pleased to confirm your purchase. below are\n" +"thank you for your order! we are pleased to confirm your purchase. below " +"are\n" " the details of your order:" msgstr "" "Tak for din bestilling! Vi er glade for at kunne bekræfte dit køb. Nedenfor " @@ -3132,8 +3132,7 @@ msgstr "Parameteren NOMINATIM_URL skal være konfigureret!" #, python-brace-format msgid "image dimensions should not exceed w{max_width} x h{max_height} pixels" msgstr "" -"Billedets dimensioner bør ikke overstige w{max_width} x h{max_height} " -"pixels." +"Billedets dimensioner bør ikke overstige w{max_width} x h{max_height} pixels." #: engine/core/views.py:104 msgid "" @@ -3194,10 +3193,14 @@ msgstr "Håndterer logikken i at købe som en virksomhed uden registrering." #: engine/core/views.py:337 msgid "" "Handles the downloading of a digital asset associated with an order.\n" -"This function attempts to serve the digital asset file located in the storage directory of the project. If the file is not found, an HTTP 404 error is raised to indicate the resource is unavailable." +"This function attempts to serve the digital asset file located in the " +"storage directory of the project. If the file is not found, an HTTP 404 " +"error is raised to indicate the resource is unavailable." msgstr "" "Håndterer download af et digitalt aktiv, der er knyttet til en ordre.\n" -"Denne funktion forsøger at betjene den digitale aktivfil, der ligger i projektets lagermappe. Hvis filen ikke findes, udløses en HTTP 404-fejl som tegn på, at ressourcen ikke er tilgængelig." +"Denne funktion forsøger at betjene den digitale aktivfil, der ligger i " +"projektets lagermappe. Hvis filen ikke findes, udløses en HTTP 404-fejl som " +"tegn på, at ressourcen ikke er tilgængelig." #: engine/core/views.py:348 msgid "order_product_uuid is required" @@ -3226,15 +3229,19 @@ msgstr "Favicon ikke fundet" #: engine/core/views.py:418 msgid "" "Handles requests for the favicon of a website.\n" -"This function attempts to serve the favicon file located in the static directory of the project. If the favicon file is not found, an HTTP 404 error is raised to indicate the resource is unavailable." +"This function attempts to serve the favicon file located in the static " +"directory of the project. If the favicon file is not found, an HTTP 404 " +"error is raised to indicate the resource is unavailable." msgstr "" "Håndterer anmodninger om et websteds favicon.\n" -"Denne funktion forsøger at servere favicon-filen, der ligger i projektets statiske mappe. Hvis favicon-filen ikke findes, udløses en HTTP 404-fejl for at angive, at ressourcen ikke er tilgængelig." +"Denne funktion forsøger at servere favicon-filen, der ligger i projektets " +"statiske mappe. Hvis favicon-filen ikke findes, udløses en HTTP 404-fejl for " +"at angive, at ressourcen ikke er tilgængelig." #: engine/core/views.py:432 msgid "" -"Redirects the request to the admin index page. The function handles incoming" -" HTTP requests and redirects them to the Django admin interface index page. " +"Redirects the request to the admin index page. The function handles incoming " +"HTTP requests and redirects them to the Django admin interface index page. " "It uses Django's `redirect` function for handling the HTTP redirection." msgstr "" "Omdirigerer anmodningen til administratorens indeksside. Funktionen " @@ -3271,11 +3278,10 @@ msgstr "" #: engine/core/viewsets.py:160 msgid "" -"Represents a viewset for managing AttributeGroup objects. Handles operations" -" related to AttributeGroup, including filtering, serialization, and " -"retrieval of data. This class is part of the application's API layer and " -"provides a standardized way to process requests and responses for " -"AttributeGroup data." +"Represents a viewset for managing AttributeGroup objects. Handles operations " +"related to AttributeGroup, including filtering, serialization, and retrieval " +"of data. This class is part of the application's API layer and provides a " +"standardized way to process requests and responses for AttributeGroup data." msgstr "" "Repræsenterer et visningssæt til håndtering af AttributeGroup-objekter. " "Håndterer operationer relateret til AttributeGroup, herunder filtrering, " @@ -3304,11 +3310,11 @@ msgid "" "A viewset for managing AttributeValue objects. This viewset provides " "functionality for listing, retrieving, creating, updating, and deleting " "AttributeValue objects. It integrates with Django REST Framework's viewset " -"mechanisms and uses appropriate serializers for different actions. Filtering" -" capabilities are provided through the DjangoFilterBackend." +"mechanisms and uses appropriate serializers for different actions. Filtering " +"capabilities are provided through the DjangoFilterBackend." msgstr "" -"Et visningssæt til håndtering af AttributeValue-objekter. Dette viewet giver" -" funktionalitet til at liste, hente, oprette, opdatere og slette " +"Et visningssæt til håndtering af AttributeValue-objekter. Dette viewet giver " +"funktionalitet til at liste, hente, oprette, opdatere og slette " "AttributeValue-objekter. Det integreres med Django REST Framework's viewset-" "mekanismer og bruger passende serializers til forskellige handlinger. " "Filtreringsfunktioner leveres gennem DjangoFilterBackend." @@ -3334,8 +3340,8 @@ msgid "" "uses Django's ViewSet framework to simplify the implementation of API " "endpoints for Brand objects." msgstr "" -"Repræsenterer et visningssæt til håndtering af Brand-instanser. Denne klasse" -" giver funktionalitet til at forespørge, filtrere og serialisere Brand-" +"Repræsenterer et visningssæt til håndtering af Brand-instanser. Denne klasse " +"giver funktionalitet til at forespørge, filtrere og serialisere Brand-" "objekter. Den bruger Djangos ViewSet-rammeværk til at forenkle " "implementeringen af API-slutpunkter for Brand-objekter." @@ -3352,9 +3358,9 @@ msgstr "" "Håndterer operationer relateret til `Product`-modellen i systemet. Denne " "klasse giver et visningssæt til håndtering af produkter, herunder deres " "filtrering, serialisering og operationer på specifikke forekomster. Den " -"udvider fra `EvibesViewSet` for at bruge fælles funktionalitet og integrerer" -" med Django REST-frameworket til RESTful API-operationer. Indeholder metoder" -" til at hente produktoplysninger, anvende tilladelser og få adgang til " +"udvider fra `EvibesViewSet` for at bruge fælles funktionalitet og integrerer " +"med Django REST-frameworket til RESTful API-operationer. Indeholder metoder " +"til at hente produktoplysninger, anvende tilladelser og få adgang til " "relateret feedback om et produkt." #: engine/core/viewsets.py:605 @@ -3365,9 +3371,9 @@ msgid "" "actions. The purpose of this class is to provide streamlined access to " "Vendor-related resources through the Django REST framework." msgstr "" -"Repræsenterer et visningssæt til håndtering af Vendor-objekter. Dette viewet" -" gør det muligt at hente, filtrere og serialisere Vendor-data. Det definerer" -" queryset, filterkonfigurationer og serializer-klasser, der bruges til at " +"Repræsenterer et visningssæt til håndtering af Vendor-objekter. Dette viewet " +"gør det muligt at hente, filtrere og serialisere Vendor-data. Det definerer " +"queryset, filterkonfigurationer og serializer-klasser, der bruges til at " "håndtere forskellige handlinger. Formålet med denne klasse er at give " "strømlinet adgang til Vendor-relaterede ressourcer gennem Django REST-" "frameworket." @@ -3377,16 +3383,16 @@ msgid "" "Representation of a view set handling Feedback objects. This class manages " "operations related to Feedback objects, including listing, filtering, and " "retrieving details. The purpose of this view set is to provide different " -"serializers for different actions and implement permission-based handling of" -" accessible Feedback objects. It extends the base `EvibesViewSet` and makes " +"serializers for different actions and implement permission-based handling of " +"accessible Feedback objects. It extends the base `EvibesViewSet` and makes " "use of Django's filtering system for querying data." msgstr "" "Repræsentation af et visningssæt, der håndterer feedback-objekter. Denne " -"klasse håndterer handlinger relateret til feedback-objekter, herunder liste," -" filtrering og hentning af detaljer. Formålet med dette visningssæt er at " +"klasse håndterer handlinger relateret til feedback-objekter, herunder liste, " +"filtrering og hentning af detaljer. Formålet med dette visningssæt er at " "levere forskellige serializers til forskellige handlinger og implementere " -"tilladelsesbaseret håndtering af tilgængelige feedback-objekter. Det udvider" -" basen `EvibesViewSet` og gør brug af Djangos filtreringssystem til at " +"tilladelsesbaseret håndtering af tilgængelige feedback-objekter. Det udvider " +"basen `EvibesViewSet` og gør brug af Djangos filtreringssystem til at " "forespørge på data." #: engine/core/viewsets.py:652 @@ -3394,14 +3400,14 @@ msgid "" "ViewSet for managing orders and related operations. This class provides " "functionality to retrieve, modify, and manage order objects. It includes " "various endpoints for handling order operations such as adding or removing " -"products, performing purchases for registered as well as unregistered users," -" and retrieving the current authenticated user's pending orders. The ViewSet" -" uses multiple serializers based on the specific action being performed and " +"products, performing purchases for registered as well as unregistered users, " +"and retrieving the current authenticated user's pending orders. The ViewSet " +"uses multiple serializers based on the specific action being performed and " "enforces permissions accordingly while interacting with order data." msgstr "" "ViewSet til håndtering af ordrer og relaterede operationer. Denne klasse " -"indeholder funktionalitet til at hente, ændre og administrere ordreobjekter." -" Den indeholder forskellige endpoints til håndtering af ordreoperationer " +"indeholder funktionalitet til at hente, ændre og administrere ordreobjekter. " +"Den indeholder forskellige endpoints til håndtering af ordreoperationer " "såsom tilføjelse eller fjernelse af produkter, udførelse af køb for " "registrerede såvel som uregistrerede brugere og hentning af den aktuelle " "godkendte brugers afventende ordrer. ViewSet bruger flere serializers " @@ -3412,13 +3418,13 @@ msgstr "" msgid "" "Provides a viewset for managing OrderProduct entities. This viewset enables " "CRUD operations and custom actions specific to the OrderProduct model. It " -"includes filtering, permission checks, and serializer switching based on the" -" requested action. Additionally, it provides a detailed action for handling " +"includes filtering, permission checks, and serializer switching based on the " +"requested action. Additionally, it provides a detailed action for handling " "feedback on OrderProduct instances" msgstr "" "Indeholder et visningssæt til håndtering af OrderProduct-enheder. Dette " -"visningssæt muliggør CRUD-operationer og brugerdefinerede handlinger, der er" -" specifikke for OrderProduct-modellen. Det omfatter filtrering, kontrol af " +"visningssæt muliggør CRUD-operationer og brugerdefinerede handlinger, der er " +"specifikke for OrderProduct-modellen. Det omfatter filtrering, kontrol af " "tilladelser og skift af serializer baseret på den ønskede handling. " "Derudover indeholder det en detaljeret handling til håndtering af feedback " "på OrderProduct-instanser." @@ -3447,8 +3453,8 @@ msgstr "Håndterer operationer relateret til lagerdata i systemet." msgid "" "ViewSet for managing Wishlist operations. The WishlistViewSet provides " "endpoints for interacting with a user's wish list, allowing for the " -"retrieval, modification, and customization of products within the wish list." -" This ViewSet facilitates functionality such as adding, removing, and bulk " +"retrieval, modification, and customization of products within the wish list. " +"This ViewSet facilitates functionality such as adding, removing, and bulk " "actions for wishlist products. Permission checks are integrated to ensure " "that users can only manage their own wishlists unless explicit permissions " "are granted." @@ -3469,11 +3475,11 @@ msgid "" "different HTTP methods, serializer overrides, and permission handling based " "on the request context." msgstr "" -"Denne klasse giver viewset-funktionalitet til håndtering af " -"`Address`-objekter. AddressViewSet-klassen muliggør CRUD-operationer, " -"filtrering og brugerdefinerede handlinger relateret til adresseenheder. Den " -"omfatter specialiseret adfærd for forskellige HTTP-metoder, tilsidesættelse " -"af serializer og håndtering af tilladelser baseret på anmodningskonteksten." +"Denne klasse giver viewset-funktionalitet til håndtering af `Address`-" +"objekter. AddressViewSet-klassen muliggør CRUD-operationer, filtrering og " +"brugerdefinerede handlinger relateret til adresseenheder. Den omfatter " +"specialiseret adfærd for forskellige HTTP-metoder, tilsidesættelse af " +"serializer og håndtering af tilladelser baseret på anmodningskonteksten." #: engine/core/viewsets.py:1254 #, python-brace-format diff --git a/engine/core/locale/de_DE/LC_MESSAGES/django.mo b/engine/core/locale/de_DE/LC_MESSAGES/django.mo index 0c8c764d72f5e030d0e4b2bba5f6cf2ded2af1a6..c227907ef73e6ec244b3e4d3401748dc62ea0c87 100644 GIT binary patch delta 18 acmezNmi60P)(zdqn9cMIH}@UO*Z=@vy$Oi` delta 18 acmezNmi60P)(zdqm`(LeHuoLN*Z=@v#|eu7 diff --git a/engine/core/locale/de_DE/LC_MESSAGES/django.po b/engine/core/locale/de_DE/LC_MESSAGES/django.po index 9e89ddb1..7f727012 100644 --- a/engine/core/locale/de_DE/LC_MESSAGES/django.po +++ b/engine/core/locale/de_DE/LC_MESSAGES/django.po @@ -1,9 +1,9 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-12-21 00:38+0300\n" +"POT-Creation-Date: 2026-01-04 19:25+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" @@ -29,8 +29,7 @@ msgstr "Ist aktiv" #: engine/core/abstract.py:22 msgid "" -"if set to false, this object can't be seen by users without needed " -"permission" +"if set to false, this object can't be seen by users without needed permission" msgstr "" "Wenn auf false gesetzt, kann dieses Objekt von Benutzern ohne die " "erforderliche Berechtigung nicht gesehen werden." @@ -93,8 +92,8 @@ msgstr "Ausgewählte %(verbose_name_plural)s deaktivieren" msgid "selected items have been deactivated." msgstr "Ausgewählte Artikel wurden deaktiviert!" -#: engine/core/admin.py:196 engine/core/graphene/object_types.py:652 -#: engine/core/graphene/object_types.py:659 engine/core/models.py:825 +#: engine/core/admin.py:196 engine/core/graphene/object_types.py:653 +#: engine/core/graphene/object_types.py:660 engine/core/models.py:825 #: engine/core/models.py:833 msgid "attribute value" msgstr "Attribut Wert" @@ -108,7 +107,7 @@ msgstr "Attribut Werte" msgid "image" msgstr "Bild" -#: engine/core/admin.py:209 engine/core/graphene/object_types.py:529 +#: engine/core/admin.py:209 engine/core/graphene/object_types.py:530 msgid "images" msgstr "Bilder" @@ -116,7 +115,7 @@ msgstr "Bilder" msgid "stock" msgstr "Lagerbestand" -#: engine/core/admin.py:221 engine/core/graphene/object_types.py:712 +#: engine/core/admin.py:221 engine/core/graphene/object_types.py:713 msgid "stocks" msgstr "Bestände" @@ -124,7 +123,7 @@ msgstr "Bestände" msgid "order product" msgstr "Produkt bestellen" -#: engine/core/admin.py:233 engine/core/graphene/object_types.py:440 +#: engine/core/admin.py:233 engine/core/graphene/object_types.py:441 #: engine/core/models.py:1932 msgid "order products" msgstr "Produkte bestellen" @@ -157,8 +156,7 @@ msgstr "Geliefert" msgid "canceled" msgstr "Abgesagt" -#: engine/core/choices.py:8 engine/core/choices.py:16 -#: engine/core/choices.py:24 +#: engine/core/choices.py:8 engine/core/choices.py:16 engine/core/choices.py:24 msgid "failed" msgstr "Gescheitert" @@ -209,8 +207,10 @@ msgid "" "apply only a key to read permitted data from cache.\n" "apply key, data and timeout with authentication to write data to cache." msgstr "" -"Wenden Sie nur einen Schlüssel an, um erlaubte Daten aus dem Cache zu lesen.\n" -"Schlüssel, Daten und Timeout mit Authentifizierung anwenden, um Daten in den Cache zu schreiben." +"Wenden Sie nur einen Schlüssel an, um erlaubte Daten aus dem Cache zu " +"lesen.\n" +"Schlüssel, Daten und Timeout mit Authentifizierung anwenden, um Daten in den " +"Cache zu schreiben." #: engine/core/docs/drf/views.py:66 msgid "get a list of supported languages" @@ -276,8 +276,7 @@ msgstr "" "Editierbarkeit" #: engine/core/docs/drf/viewsets.py:107 -msgid "" -"rewrite some fields of an existing attribute group saving non-editables" +msgid "rewrite some fields of an existing attribute group saving non-editables" msgstr "" "Umschreiben einiger Felder einer bestehenden Attributgruppe, wobei nicht " "editierbare Felder gespeichert werden" @@ -307,8 +306,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:156 msgid "rewrite some fields of an existing attribute saving non-editables" msgstr "" -"Umschreiben einiger Felder eines vorhandenen Attributs, um nicht editierbare" -" Daten zu speichern" +"Umschreiben einiger Felder eines vorhandenen Attributs, um nicht editierbare " +"Daten zu speichern" #: engine/core/docs/drf/viewsets.py:166 msgid "list all attribute values (simple view)" @@ -333,8 +332,7 @@ msgstr "" "Editierbarkeit" #: engine/core/docs/drf/viewsets.py:208 -msgid "" -"rewrite some fields of an existing attribute value saving non-editables" +msgid "rewrite some fields of an existing attribute value saving non-editables" msgstr "" "Umschreiben einiger Felder eines vorhandenen Attributwerts, wobei nicht " "bearbeitbare Daten gespeichert werden" @@ -367,14 +365,14 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:270 engine/core/docs/drf/viewsets.py:272 msgid "rewrite some fields of an existing category saving non-editables" msgstr "" -"Umschreiben einiger Felder einer bestehenden Kategorie, um nicht editierbare" -" Daten zu speichern" +"Umschreiben einiger Felder einer bestehenden Kategorie, um nicht editierbare " +"Daten zu speichern" #: engine/core/docs/drf/viewsets.py:280 engine/core/docs/drf/viewsets.py:757 #: engine/core/docs/drf/viewsets.py:1046 #: engine/core/graphene/object_types.py:119 -#: engine/core/graphene/object_types.py:238 -#: engine/core/graphene/object_types.py:539 +#: engine/core/graphene/object_types.py:239 +#: engine/core/graphene/object_types.py:540 msgid "SEO Meta snapshot" msgstr "SEO-Meta-Schnappschuss" @@ -393,12 +391,12 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:309 msgid "" -"Case-insensitive substring search across human_readable_id, " -"order_products.product.name, and order_products.product.partnumber" +"Case-insensitive substring search across human_readable_id, order_products." +"product.name, and order_products.product.partnumber" msgstr "" "Groß- und Kleinschreibung unempfindliche Teilstringsuche über " -"human_readable_id, order_products.product.name und " -"order_products.product.partnumber" +"human_readable_id, order_products.product.name und order_products.product." +"partnumber" #: engine/core/docs/drf/viewsets.py:316 msgid "Filter orders with buy_time >= this ISO 8601 datetime" @@ -434,9 +432,9 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:354 msgid "" -"Order by one of: uuid, human_readable_id, user_email, user, status, created," -" modified, buy_time, random. Prefix with '-' for descending (e.g. " -"'-buy_time')." +"Order by one of: uuid, human_readable_id, user_email, user, status, created, " +"modified, buy_time, random. Prefix with '-' for descending (e.g. '-" +"buy_time')." msgstr "" "Sortierung nach einem von: uuid, human_readable_id, user_email, user, " "status, created, modified, buy_time, random. Präfix mit '-' für absteigend " @@ -470,8 +468,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:403 msgid "rewrite some fields of an existing order saving non-editables" msgstr "" -"Umschreiben einiger Felder einer bestehenden Kategorie, um nicht editierbare" -" Daten zu speichern" +"Umschreiben einiger Felder einer bestehenden Kategorie, um nicht editierbare " +"Daten zu speichern" #: engine/core/docs/drf/viewsets.py:410 msgid "purchase an order" @@ -504,8 +502,7 @@ msgstr "eine Bestellung kaufen, ohne ein Konto anzulegen" #: engine/core/docs/drf/viewsets.py:439 msgid "finalizes the order purchase for a non-registered user." msgstr "" -"schließt den Kauf einer Bestellung für einen nicht registrierten Benutzer " -"ab." +"schließt den Kauf einer Bestellung für einen nicht registrierten Benutzer ab." #: engine/core/docs/drf/viewsets.py:450 msgid "add product to order" @@ -522,8 +519,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:461 msgid "add a list of products to order, quantities will not count" msgstr "" -"Fügen Sie eine Liste der zu bestellenden Produkte hinzu, Mengen werden nicht" -" gezählt" +"Fügen Sie eine Liste der zu bestellenden Produkte hinzu, Mengen werden nicht " +"gezählt" #: engine/core/docs/drf/viewsets.py:463 msgid "" @@ -592,8 +589,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:537 msgid "rewrite some fields of an existing wishlist saving non-editables" msgstr "" -"Umschreiben einiger Felder eines vorhandenen Attributs, um nicht editierbare" -" Daten zu speichern" +"Umschreiben einiger Felder eines vorhandenen Attributs, um nicht editierbare " +"Daten zu speichern" #: engine/core/docs/drf/viewsets.py:544 msgid "retrieve current pending wishlist of a user" @@ -602,8 +599,8 @@ msgstr "Abruf der aktuellen Wunschliste eines Benutzers" #: engine/core/docs/drf/viewsets.py:545 msgid "retrieves a current pending wishlist of an authenticated user" msgstr "" -"ruft eine aktuelle ausstehende Wunschliste eines authentifizierten Benutzers" -" ab" +"ruft eine aktuelle ausstehende Wunschliste eines authentifizierten Benutzers " +"ab" #: engine/core/docs/drf/viewsets.py:555 msgid "add product to wishlist" @@ -650,18 +647,29 @@ msgstr "" msgid "" "Filter by one or more attribute name/value pairs. \n" "• **Syntax**: `attr_name=method-value[;attr2=method2-value2]…` \n" -"• **Methods** (defaults to `icontains` if omitted): `iexact`, `exact`, `icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, `iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in` \n" -"• **Value typing**: JSON is attempted first (so you can pass lists/dicts), `true`/`false` for booleans, integers, floats; otherwise treated as string. \n" +"• **Methods** (defaults to `icontains` if omitted): `iexact`, `exact`, " +"`icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, " +"`iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in` \n" +"• **Value typing**: JSON is attempted first (so you can pass lists/dicts), " +"`true`/`false` for booleans, integers, floats; otherwise treated as " +"string. \n" "• **Base64**: prefix with `b64-` to URL-safe base64-encode the raw value. \n" "Examples: \n" -"`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\",\"bluetooth\"]`, \n" +"`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\"," +"\"bluetooth\"]`, \n" "`b64-description=icontains-aGVhdC1jb2xk`" msgstr "" "Filtern Sie nach einem oder mehreren Attributnamen/Wertpaaren. \n" "- **Syntax**: `attr_name=Methode-Wert[;attr2=Methode2-Wert2]...`\n" -"- **Methoden** (Standardwert ist \"icontains\", wenn nicht angegeben): `iexact`, `exact`, `icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, `iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in`\n" -"- **Wert-Typisierung**: JSON wird zuerst versucht (damit man Listen/Dicts übergeben kann), `true`/`false` für Booleans, Integers, Floats; ansonsten als String behandelt. \n" -"- Base64**: Präfix \"b64-\" für URL-sichere Base64-Kodierung des Rohwertes. \n" +"- **Methoden** (Standardwert ist \"icontains\", wenn nicht angegeben): " +"`iexact`, `exact`, `icontains`, `contains`, `isnull`, `startswith`, " +"`istartswith`, `endswith`, `iendswith`, `regex`, `iregex`, `lt`, `lte`, " +"`gt`, `gte`, `in`\n" +"- **Wert-Typisierung**: JSON wird zuerst versucht (damit man Listen/Dicts " +"übergeben kann), `true`/`false` für Booleans, Integers, Floats; ansonsten " +"als String behandelt. \n" +"- Base64**: Präfix \"b64-\" für URL-sichere Base64-Kodierung des " +"Rohwertes. \n" "Beispiele: \n" "`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\", \"bluetooth\"]`,\n" "`b64-description=icontains-aGVhdC1jb2xk`" @@ -676,10 +684,12 @@ msgstr "(genaue) Produkt-UUID" #: engine/core/docs/drf/viewsets.py:630 msgid "" -"Comma-separated list of fields to sort by. Prefix with `-` for descending. \n" +"Comma-separated list of fields to sort by. Prefix with `-` for " +"descending. \n" "**Allowed:** uuid, rating, name, slug, created, modified, price, random" msgstr "" -"Durch Kommata getrennte Liste der Felder, nach denen sortiert werden soll. Präfix mit \"-\" für absteigend. \n" +"Durch Kommata getrennte Liste der Felder, nach denen sortiert werden soll. " +"Präfix mit \"-\" für absteigend. \n" "**Erlaubt:** uuid, rating, name, slug, created, modified, price, random" #: engine/core/docs/drf/viewsets.py:647 engine/core/docs/drf/viewsets.py:648 @@ -699,8 +709,8 @@ msgstr "Ein Produkt erstellen" #: engine/core/docs/drf/viewsets.py:677 engine/core/docs/drf/viewsets.py:678 msgid "rewrite an existing product, preserving non-editable fields" msgstr "" -"Umschreiben eines bestehenden Produkts unter Beibehaltung nicht editierbarer" -" Felder" +"Umschreiben eines bestehenden Produkts unter Beibehaltung nicht editierbarer " +"Felder" #: engine/core/docs/drf/viewsets.py:697 engine/core/docs/drf/viewsets.py:700 msgid "" @@ -752,10 +762,10 @@ msgstr "Autovervollständigung der Adresseingabe" #: engine/core/docs/drf/viewsets.py:848 msgid "raw data query string, please append with data from geo-IP endpoint" msgstr "" -"docker compose exec app poetry run python manage.py deepl_translate -l en-gb" -" -l ar-ar -l cs-cz -l da-dk -l de-de -l en-us -l es-es -l fr-fr -l hi-in -l " -"it-it -l ja-jp -l kk-kz -l nl-nl -l pl -l pt-br -l ro-ro -l ru-ru -l zh-hans" -" -a core -a geo -a payments -a vibes_auth -a blog" +"docker compose exec app poetry run python manage.py deepl_translate -l en-gb " +"-l ar-ar -l cs-cz -l da-dk -l de-de -l en-us -l es-es -l fr-fr -l hi-in -l " +"it-it -l ja-jp -l kk-kz -l nl-nl -l pl -l pt-br -l ro-ro -l ru-ru -l zh-hans " +"-a core -a geo -a payments -a vibes_auth -a blog" #: engine/core/docs/drf/viewsets.py:855 msgid "limit the results amount, 1 < limit < 10, default: 5" @@ -785,8 +795,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:909 msgid "rewrite some fields of an existing feedback saving non-editables" msgstr "" -"Umschreiben einiger Felder einer bestehenden Kategorie, um nicht editierbare" -" Daten zu speichern" +"Umschreiben einiger Felder einer bestehenden Kategorie, um nicht editierbare " +"Daten zu speichern" #: engine/core/docs/drf/viewsets.py:919 msgid "list all order–product relations (simple view)" @@ -845,8 +855,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:1039 msgid "rewrite some fields of an existing brand saving non-editables" msgstr "" -"Umschreiben einiger Felder einer bestehenden Kategorie, um nicht editierbare" -" Daten zu speichern" +"Umschreiben einiger Felder einer bestehenden Kategorie, um nicht editierbare " +"Daten zu speichern" #: engine/core/docs/drf/viewsets.py:1064 msgid "list all vendors (simple view)" @@ -872,8 +882,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:1102 msgid "rewrite some fields of an existing vendor saving non-editables" msgstr "" -"Umschreiben einiger Felder einer bestehenden Kategorie, um nicht editierbare" -" Daten zu speichern" +"Umschreiben einiger Felder einer bestehenden Kategorie, um nicht editierbare " +"Daten zu speichern" #: engine/core/docs/drf/viewsets.py:1112 msgid "list all product images (simple view)" @@ -899,8 +909,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:1154 msgid "rewrite some fields of an existing product image saving non-editables" msgstr "" -"Umschreiben einiger Felder einer bestehenden Kategorie, um nicht editierbare" -" Daten zu speichern" +"Umschreiben einiger Felder einer bestehenden Kategorie, um nicht editierbare " +"Daten zu speichern" #: engine/core/docs/drf/viewsets.py:1165 msgid "list all promo codes (simple view)" @@ -926,8 +936,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:1203 msgid "rewrite some fields of an existing promo code saving non-editables" msgstr "" -"Umschreiben einiger Felder einer bestehenden Kategorie, um nicht editierbare" -" Daten zu speichern" +"Umschreiben einiger Felder einer bestehenden Kategorie, um nicht editierbare " +"Daten zu speichern" #: engine/core/docs/drf/viewsets.py:1213 msgid "list all promotions (simple view)" @@ -953,8 +963,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:1251 msgid "rewrite some fields of an existing promotion saving non-editables" msgstr "" -"Umschreiben einiger Felder einer bestehenden Kategorie, um nicht editierbare" -" Daten zu speichern" +"Umschreiben einiger Felder einer bestehenden Kategorie, um nicht editierbare " +"Daten zu speichern" #: engine/core/docs/drf/viewsets.py:1261 msgid "list all stocks (simple view)" @@ -980,8 +990,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:1297 msgid "rewrite some fields of an existing stock record saving non-editables" msgstr "" -"Umschreiben einiger Felder einer bestehenden Kategorie, um nicht editierbare" -" Daten zu speichern" +"Umschreiben einiger Felder einer bestehenden Kategorie, um nicht editierbare " +"Daten zu speichern" #: engine/core/docs/drf/viewsets.py:1308 msgid "list all product tags (simple view)" @@ -1007,8 +1017,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:1350 msgid "rewrite some fields of an existing product tag saving non-editables" msgstr "" -"Umschreiben einiger Felder einer bestehenden Kategorie, um nicht editierbare" -" Daten zu speichern" +"Umschreiben einiger Felder einer bestehenden Kategorie, um nicht editierbare " +"Daten zu speichern" #: engine/core/elasticsearch/__init__.py:128 #: engine/core/elasticsearch/__init__.py:629 @@ -1091,8 +1101,8 @@ msgstr "SKU" #: engine/core/filters.py:212 msgid "there must be a category_uuid to use include_subcategories flag" msgstr "" -"Es muss eine category_uuid vorhanden sein, um das Flag include_subcategories" -" zu verwenden" +"Es muss eine category_uuid vorhanden sein, um das Flag include_subcategories " +"zu verwenden" #: engine/core/filters.py:398 msgid "Search (ID, product name or part number)" @@ -1211,8 +1221,7 @@ msgstr "Aktion muss entweder \"Hinzufügen\" oder \"Entfernen\" sein!" #: engine/core/graphene/mutations.py:312 msgid "perform an action on a list of products in the wishlist" -msgstr "" -"Ausführen einer Aktion für eine Liste von Produkten in der Wunschliste" +msgstr "Ausführen einer Aktion für eine Liste von Produkten in der Wunschliste" #: engine/core/graphene/mutations.py:330 msgid "please provide wishlist_uuid value" @@ -1247,8 +1256,8 @@ msgstr "Eine Bestellung kaufen" #: engine/core/graphene/mutations.py:542 msgid "" -"please send the attributes as the string formatted like " -"attr1=value1,attr2=value2" +"please send the attributes as the string formatted like attr1=value1," +"attr2=value2" msgstr "" "Bitte senden Sie die Attribute als String im Format attr1=wert1,attr2=wert2" @@ -1287,8 +1296,8 @@ msgid "elasticsearch - works like a charm" msgstr "ElasticSearch - funktioniert wie ein Zauber" #: engine/core/graphene/object_types.py:84 -#: engine/core/graphene/object_types.py:419 -#: engine/core/graphene/object_types.py:470 engine/core/models.py:796 +#: engine/core/graphene/object_types.py:420 +#: engine/core/graphene/object_types.py:471 engine/core/models.py:796 #: engine/core/models.py:1290 engine/core/models.py:2022 msgid "attributes" msgstr "Attribute" @@ -1302,8 +1311,8 @@ msgid "groups of attributes" msgstr "Gruppen von Attributen" #: engine/core/graphene/object_types.py:118 -#: engine/core/graphene/object_types.py:216 -#: engine/core/graphene/object_types.py:254 engine/core/models.py:440 +#: engine/core/graphene/object_types.py:217 +#: engine/core/graphene/object_types.py:255 engine/core/models.py:440 msgid "categories" msgstr "Kategorien" @@ -1311,84 +1320,82 @@ msgstr "Kategorien" msgid "brands" msgstr "Marken" -#: engine/core/graphene/object_types.py:218 +#: engine/core/graphene/object_types.py:219 msgid "category image url" msgstr "Kategorien" -#: engine/core/graphene/object_types.py:219 -#: engine/core/graphene/object_types.py:364 engine/core/models.py:278 +#: engine/core/graphene/object_types.py:220 +#: engine/core/graphene/object_types.py:365 engine/core/models.py:278 msgid "markup percentage" msgstr "Markup Percentage" -#: engine/core/graphene/object_types.py:223 +#: engine/core/graphene/object_types.py:224 msgid "which attributes and values can be used for filtering this category." msgstr "" "Welche Attribute und Werte können für die Filterung dieser Kategorie " "verwendet werden." -#: engine/core/graphene/object_types.py:229 -msgid "" -"minimum and maximum prices for products in this category, if available." +#: engine/core/graphene/object_types.py:230 +msgid "minimum and maximum prices for products in this category, if available." msgstr "" -"Mindest- und Höchstpreise für Produkte in dieser Kategorie, sofern " -"verfügbar." +"Mindest- und Höchstpreise für Produkte in dieser Kategorie, sofern verfügbar." -#: engine/core/graphene/object_types.py:233 +#: engine/core/graphene/object_types.py:234 msgid "tags for this category" msgstr "Tags für diese Kategorie" -#: engine/core/graphene/object_types.py:236 +#: engine/core/graphene/object_types.py:237 msgid "products in this category" msgstr "Produkte in dieser Kategorie" -#: engine/core/graphene/object_types.py:371 engine/core/models.py:183 +#: engine/core/graphene/object_types.py:372 engine/core/models.py:183 msgid "vendors" msgstr "Anbieter" -#: engine/core/graphene/object_types.py:375 +#: engine/core/graphene/object_types.py:376 msgid "Latitude (Y coordinate)" msgstr "Breitengrad (Y-Koordinate)" -#: engine/core/graphene/object_types.py:376 +#: engine/core/graphene/object_types.py:377 msgid "Longitude (X coordinate)" msgstr "Längengrad (X-Koordinate)" -#: engine/core/graphene/object_types.py:405 +#: engine/core/graphene/object_types.py:406 msgid "comment" msgstr "Wie" -#: engine/core/graphene/object_types.py:407 -#: engine/core/graphene/object_types.py:541 +#: engine/core/graphene/object_types.py:408 +#: engine/core/graphene/object_types.py:542 msgid "rating value from 1 to 10, inclusive, or 0 if not set." msgstr "" "Bewertungswert von 1 bis einschließlich 10 oder 0, wenn nicht festgelegt." -#: engine/core/graphene/object_types.py:415 +#: engine/core/graphene/object_types.py:416 msgid "represents feedback from a user." msgstr "Stellt das Feedback eines Benutzers dar." -#: engine/core/graphene/object_types.py:420 -#: engine/core/graphene/object_types.py:471 engine/core/models.py:1284 +#: engine/core/graphene/object_types.py:421 +#: engine/core/graphene/object_types.py:472 engine/core/models.py:1284 msgid "notifications" msgstr "Benachrichtigungen" -#: engine/core/graphene/object_types.py:422 +#: engine/core/graphene/object_types.py:423 msgid "download url for this order product if applicable" msgstr "Download-Url für dieses Bestellprodukt, falls zutreffend" -#: engine/core/graphene/object_types.py:424 engine/core/models.py:1849 +#: engine/core/graphene/object_types.py:425 engine/core/models.py:1849 msgid "feedback" msgstr "Rückmeldung" -#: engine/core/graphene/object_types.py:458 +#: engine/core/graphene/object_types.py:459 msgid "a list of order products in this order" msgstr "Eine Liste der bestellten Produkte in dieser Reihenfolge" -#: engine/core/graphene/object_types.py:460 engine/core/models.py:1254 +#: engine/core/graphene/object_types.py:461 engine/core/models.py:1254 msgid "billing address" msgstr "Rechnungsadresse" -#: engine/core/graphene/object_types.py:464 +#: engine/core/graphene/object_types.py:465 msgid "" "shipping address for this order, leave blank if same as billing address or " "if not applicable" @@ -1396,53 +1403,53 @@ msgstr "" "Lieferadresse für diese Bestellung, leer lassen, wenn sie mit der " "Rechnungsadresse übereinstimmt oder nicht zutrifft" -#: engine/core/graphene/object_types.py:467 +#: engine/core/graphene/object_types.py:468 msgid "total price of this order" msgstr "Gesamtpreis für diese Bestellung" -#: engine/core/graphene/object_types.py:468 +#: engine/core/graphene/object_types.py:469 msgid "total quantity of products in order" msgstr "Gesamtmenge der bestellten Produkte" -#: engine/core/graphene/object_types.py:469 +#: engine/core/graphene/object_types.py:470 msgid "are all products in the order digital" msgstr "Sind alle Produkte in der Bestellung digital" -#: engine/core/graphene/object_types.py:473 +#: engine/core/graphene/object_types.py:474 msgid "transactions for this order" msgstr "Vorgänge für diesen Auftrag" -#: engine/core/graphene/object_types.py:493 engine/core/models.py:1318 +#: engine/core/graphene/object_types.py:494 engine/core/models.py:1318 msgid "orders" msgstr "Bestellungen" -#: engine/core/graphene/object_types.py:514 +#: engine/core/graphene/object_types.py:515 msgid "image url" msgstr "Bild URL" -#: engine/core/graphene/object_types.py:521 +#: engine/core/graphene/object_types.py:522 msgid "product's images" msgstr "Bilder des Produkts" -#: engine/core/graphene/object_types.py:528 engine/core/models.py:439 +#: engine/core/graphene/object_types.py:529 engine/core/models.py:439 #: engine/core/models.py:596 msgid "category" msgstr "Kategorie" -#: engine/core/graphene/object_types.py:530 engine/core/models.py:1850 +#: engine/core/graphene/object_types.py:531 engine/core/models.py:1850 msgid "feedbacks" msgstr "Rückmeldungen" -#: engine/core/graphene/object_types.py:531 engine/core/models.py:510 +#: engine/core/graphene/object_types.py:532 engine/core/models.py:510 #: engine/core/models.py:605 msgid "brand" msgstr "Marke" -#: engine/core/graphene/object_types.py:533 engine/core/models.py:103 +#: engine/core/graphene/object_types.py:534 engine/core/models.py:103 msgid "attribute groups" msgstr "Attribut-Gruppen" -#: engine/core/graphene/object_types.py:535 +#: engine/core/graphene/object_types.py:536 #: engine/core/templates/digital_order_created_email.html:111 #: engine/core/templates/digital_order_delivered_email.html:109 #: engine/core/templates/shipped_order_created_email.html:109 @@ -1450,7 +1457,7 @@ msgstr "Attribut-Gruppen" msgid "price" msgstr "Preis" -#: engine/core/graphene/object_types.py:536 +#: engine/core/graphene/object_types.py:537 #: engine/core/templates/digital_order_created_email.html:110 #: engine/core/templates/digital_order_delivered_email.html:108 #: engine/core/templates/shipped_order_created_email.html:108 @@ -1458,39 +1465,39 @@ msgstr "Preis" msgid "quantity" msgstr "Menge" -#: engine/core/graphene/object_types.py:537 +#: engine/core/graphene/object_types.py:538 msgid "number of feedbacks" msgstr "Anzahl der Rückmeldungen" -#: engine/core/graphene/object_types.py:538 +#: engine/core/graphene/object_types.py:539 msgid "only available for personal orders" msgstr "Produkte nur für persönliche Bestellungen verfügbar" -#: engine/core/graphene/object_types.py:543 +#: engine/core/graphene/object_types.py:544 msgid "discount price" msgstr "Rabattierter Preis" -#: engine/core/graphene/object_types.py:567 engine/core/models.py:677 +#: engine/core/graphene/object_types.py:568 engine/core/models.py:677 msgid "products" msgstr "Produkte" -#: engine/core/graphene/object_types.py:677 +#: engine/core/graphene/object_types.py:678 msgid "promocodes" msgstr "Promocodes" -#: engine/core/graphene/object_types.py:692 +#: engine/core/graphene/object_types.py:693 msgid "products on sale" msgstr "Zum Verkauf stehende Produkte" -#: engine/core/graphene/object_types.py:700 engine/core/models.py:928 +#: engine/core/graphene/object_types.py:701 engine/core/models.py:928 msgid "promotions" msgstr "Werbeaktionen" -#: engine/core/graphene/object_types.py:704 engine/core/models.py:182 +#: engine/core/graphene/object_types.py:705 engine/core/models.py:182 msgid "vendor" msgstr "Anbieter" -#: engine/core/graphene/object_types.py:705 engine/core/models.py:676 +#: engine/core/graphene/object_types.py:706 engine/core/models.py:676 #: engine/core/templates/digital_order_created_email.html:109 #: engine/core/templates/digital_order_delivered_email.html:107 #: engine/core/templates/shipped_order_created_email.html:107 @@ -1498,99 +1505,99 @@ msgstr "Anbieter" msgid "product" msgstr "Produkt" -#: engine/core/graphene/object_types.py:717 engine/core/models.py:951 +#: engine/core/graphene/object_types.py:718 engine/core/models.py:951 msgid "wishlisted products" msgstr "Auf dem Wunschzettel stehende Produkte" -#: engine/core/graphene/object_types.py:724 engine/core/models.py:968 +#: engine/core/graphene/object_types.py:725 engine/core/models.py:968 msgid "wishlists" msgstr "Wunschzettel" -#: engine/core/graphene/object_types.py:729 +#: engine/core/graphene/object_types.py:730 msgid "tagged products" msgstr "Markierte Produkte" -#: engine/core/graphene/object_types.py:737 engine/core/models.py:219 +#: engine/core/graphene/object_types.py:738 engine/core/models.py:219 #: engine/core/models.py:611 msgid "product tags" msgstr "Produkt-Tags" -#: engine/core/graphene/object_types.py:742 +#: engine/core/graphene/object_types.py:743 msgid "tagged categories" msgstr "Markierte Kategorien" -#: engine/core/graphene/object_types.py:750 +#: engine/core/graphene/object_types.py:751 msgid "categories tags" msgstr "Kategorien'-Tags" -#: engine/core/graphene/object_types.py:754 +#: engine/core/graphene/object_types.py:755 msgid "project name" msgstr "Name des Projekts" -#: engine/core/graphene/object_types.py:755 +#: engine/core/graphene/object_types.py:756 msgid "company name" msgstr "Name des Unternehmens" -#: engine/core/graphene/object_types.py:756 +#: engine/core/graphene/object_types.py:757 msgid "company address" msgstr "Adresse des Unternehmens" -#: engine/core/graphene/object_types.py:757 +#: engine/core/graphene/object_types.py:758 msgid "company phone number" msgstr "Telefonnummer des Unternehmens" -#: engine/core/graphene/object_types.py:760 +#: engine/core/graphene/object_types.py:761 msgid "email from, sometimes it must be used instead of host user value" msgstr "" "E-Mail von\", muss manchmal anstelle des Host-Benutzerwerts verwendet werden" -#: engine/core/graphene/object_types.py:763 +#: engine/core/graphene/object_types.py:764 msgid "email host user" msgstr "E-Mail-Host-Benutzer" -#: engine/core/graphene/object_types.py:764 +#: engine/core/graphene/object_types.py:765 msgid "maximum amount for payment" msgstr "Höchstbetrag für die Zahlung" -#: engine/core/graphene/object_types.py:765 +#: engine/core/graphene/object_types.py:766 msgid "minimum amount for payment" msgstr "Mindestbetrag für die Zahlung" -#: engine/core/graphene/object_types.py:766 +#: engine/core/graphene/object_types.py:767 msgid "analytics data" msgstr "Analytische Daten" -#: engine/core/graphene/object_types.py:767 +#: engine/core/graphene/object_types.py:768 msgid "advertisement data" msgstr "Advertisement data" -#: engine/core/graphene/object_types.py:770 +#: engine/core/graphene/object_types.py:771 msgid "company configuration" msgstr "Konfiguration" -#: engine/core/graphene/object_types.py:774 +#: engine/core/graphene/object_types.py:775 msgid "language code" msgstr "Sprachcode" -#: engine/core/graphene/object_types.py:775 +#: engine/core/graphene/object_types.py:776 msgid "language name" msgstr "Name der Sprache" -#: engine/core/graphene/object_types.py:776 +#: engine/core/graphene/object_types.py:777 msgid "language flag, if exists :)" msgstr "Sprachflagge, falls vorhanden :)" -#: engine/core/graphene/object_types.py:779 +#: engine/core/graphene/object_types.py:780 msgid "supported languages" msgstr "Eine Liste der unterstützten Sprachen abrufen" -#: engine/core/graphene/object_types.py:811 -#: engine/core/graphene/object_types.py:814 -#: engine/core/graphene/object_types.py:817 +#: engine/core/graphene/object_types.py:812 +#: engine/core/graphene/object_types.py:815 +#: engine/core/graphene/object_types.py:818 msgid "products search results" msgstr "Suchergebnisse für Produkte" -#: engine/core/graphene/object_types.py:819 +#: engine/core/graphene/object_types.py:820 msgid "posts search results" msgstr "Suchergebnisse für Produkte" @@ -1601,11 +1608,11 @@ msgid "" "parent group, forming a hierarchical structure. This can be useful for " "categorizing and managing attributes more effectively in acomplex system." msgstr "" -"Stellt eine Gruppe von Attributen dar, die hierarchisch aufgebaut sein kann." -" Diese Klasse wird verwendet, um Attributgruppen zu verwalten und zu " +"Stellt eine Gruppe von Attributen dar, die hierarchisch aufgebaut sein kann. " +"Diese Klasse wird verwendet, um Attributgruppen zu verwalten und zu " "organisieren. Eine Attributgruppe kann eine übergeordnete Gruppe haben, die " -"eine hierarchische Struktur bildet. Dies kann nützlich sein, um Attribute in" -" einem komplexen System effektiver zu kategorisieren und zu verwalten." +"eine hierarchische Struktur bildet. Dies kann nützlich sein, um Attribute in " +"einem komplexen System effektiver zu kategorisieren und zu verwalten." #: engine/core/models.py:88 msgid "parent of this group" @@ -1635,9 +1642,9 @@ msgid "" msgstr "" "Stellt eine Verkäuferentität dar, die Informationen über externe Verkäufer " "und deren Interaktionsanforderungen speichern kann. Die Klasse Vendor wird " -"zur Definition und Verwaltung von Informationen über einen externen Anbieter" -" verwendet. Sie speichert den Namen des Anbieters, die für die Kommunikation" -" erforderlichen Authentifizierungsdaten und den prozentualen Aufschlag, der " +"zur Definition und Verwaltung von Informationen über einen externen Anbieter " +"verwendet. Sie speichert den Namen des Anbieters, die für die Kommunikation " +"erforderlichen Authentifizierungsdaten und den prozentualen Aufschlag, der " "auf die vom Anbieter abgerufenen Produkte angewendet wird. Dieses Modell " "verwaltet auch zusätzliche Metadaten und Einschränkungen, wodurch es sich " "für die Verwendung in Systemen eignet, die mit Drittanbietern interagieren." @@ -1694,10 +1701,10 @@ msgid "" "display name. It supports operations exported through mixins and provides " "metadata customization for administrative purposes." msgstr "" -"Stellt ein Produkt-Tag dar, das zur Klassifizierung oder Identifizierung von" -" Produkten verwendet wird. Die Klasse ProductTag dient der eindeutigen " -"Identifizierung und Klassifizierung von Produkten durch eine Kombination aus" -" einem internen Tag-Bezeichner und einem benutzerfreundlichen Anzeigenamen. " +"Stellt ein Produkt-Tag dar, das zur Klassifizierung oder Identifizierung von " +"Produkten verwendet wird. Die Klasse ProductTag dient der eindeutigen " +"Identifizierung und Klassifizierung von Produkten durch eine Kombination aus " +"einem internen Tag-Bezeichner und einem benutzerfreundlichen Anzeigenamen. " "Sie unterstützt Operationen, die über Mixins exportiert werden, und " "ermöglicht die Anpassung von Metadaten für Verwaltungszwecke." @@ -1758,9 +1765,9 @@ msgstr "" "Beziehungen unterstützen. Die Klasse enthält Felder für Metadaten und " "visuelle Darstellung, die als Grundlage für kategoriebezogene Funktionen " "dienen. Diese Klasse wird in der Regel verwendet, um Produktkategorien oder " -"andere ähnliche Gruppierungen innerhalb einer Anwendung zu definieren und zu" -" verwalten. Sie ermöglicht es Benutzern oder Administratoren, den Namen, die" -" Beschreibung und die Hierarchie von Kategorien festzulegen sowie Attribute " +"andere ähnliche Gruppierungen innerhalb einer Anwendung zu definieren und zu " +"verwalten. Sie ermöglicht es Benutzern oder Administratoren, den Namen, die " +"Beschreibung und die Hierarchie von Kategorien festzulegen sowie Attribute " "wie Bilder, Tags oder Priorität zuzuweisen." #: engine/core/models.py:269 @@ -1814,8 +1821,7 @@ msgid "" "Represents a Brand object in the system. This class handles information and " "attributes related to a brand, including its name, logos, description, " "associated categories, a unique slug, and priority order. It allows for the " -"organization and representation of brand-related data within the " -"application." +"organization and representation of brand-related data within the application." msgstr "" "Stellt ein Markenobjekt im System dar. Diese Klasse verwaltet Informationen " "und Attribute in Bezug auf eine Marke, einschließlich ihres Namens, Logos, " @@ -1866,16 +1872,16 @@ msgstr "Kategorien" #: engine/core/models.py:516 msgid "" -"Represents the stock of a product managed in the system. This class provides" -" details about the relationship between vendors, products, and their stock " +"Represents the stock of a product managed in the system. This class provides " +"details about the relationship between vendors, products, and their stock " "information, as well as inventory-related properties like price, purchase " "price, quantity, SKU, and digital assets. It is part of the inventory " "management system to allow tracking and evaluation of products available " "from various vendors." msgstr "" "Stellt den Bestand eines im System verwalteten Produkts dar. Diese Klasse " -"liefert Details über die Beziehung zwischen Lieferanten, Produkten und deren" -" Bestandsinformationen sowie bestandsbezogene Eigenschaften wie Preis, " +"liefert Details über die Beziehung zwischen Lieferanten, Produkten und deren " +"Bestandsinformationen sowie bestandsbezogene Eigenschaften wie Preis, " "Einkaufspreis, Menge, SKU und digitale Assets. Sie ist Teil des " "Bestandsverwaltungssystems, um die Nachverfolgung und Bewertung der von " "verschiedenen Anbietern verfügbaren Produkte zu ermöglichen." @@ -1931,8 +1937,7 @@ msgstr "SKU des Verkäufers" #: engine/core/models.py:564 msgid "digital file associated with this stock if applicable" -msgstr "" -"Digitale Datei, die mit diesem Bestand verbunden ist, falls zutreffend" +msgstr "Digitale Datei, die mit diesem Bestand verbunden ist, falls zutreffend" #: engine/core/models.py:565 msgid "digital file" @@ -1960,12 +1965,12 @@ msgstr "" "Stellt ein Produkt mit Attributen wie Kategorie, Marke, Tags, digitalem " "Status, Name, Beschreibung, Teilenummer und Slug dar. Bietet verwandte " "Hilfseigenschaften zum Abrufen von Bewertungen, Feedback-Zahlen, Preis, " -"Menge und Gesamtbestellungen. Konzipiert für die Verwendung in einem System," -" das den elektronischen Handel oder die Bestandsverwaltung verwaltet. Diese " +"Menge und Gesamtbestellungen. Konzipiert für die Verwendung in einem System, " +"das den elektronischen Handel oder die Bestandsverwaltung verwaltet. Diese " "Klasse interagiert mit verwandten Modellen (wie Category, Brand und " -"ProductTag) und verwaltet die Zwischenspeicherung von Eigenschaften, auf die" -" häufig zugegriffen wird, um die Leistung zu verbessern. Sie wird verwendet," -" um Produktdaten und die damit verbundenen Informationen innerhalb einer " +"ProductTag) und verwaltet die Zwischenspeicherung von Eigenschaften, auf die " +"häufig zugegriffen wird, um die Leistung zu verbessern. Sie wird verwendet, " +"um Produktdaten und die damit verbundenen Informationen innerhalb einer " "Anwendung zu definieren und zu manipulieren." #: engine/core/models.py:595 @@ -2000,8 +2005,7 @@ msgstr "ist das Produkt aktualisierbar" #: engine/core/models.py:631 msgid "provide a clear identifying name for the product" -msgstr "" -"Geben Sie einen eindeutigen Namen zur Identifizierung des Produkts an." +msgstr "Geben Sie einen eindeutigen Namen zur Identifizierung des Produkts an." #: engine/core/models.py:632 msgid "product name" @@ -2032,12 +2036,12 @@ msgid "" "Represents an attribute in the system. This class is used to define and " "manage attributes, which are customizable pieces of data that can be " "associated with other entities. Attributes have associated categories, " -"groups, value types, and names. The model supports multiple types of values," -" including string, integer, float, boolean, array, and object. This allows " +"groups, value types, and names. The model supports multiple types of values, " +"including string, integer, float, boolean, array, and object. This allows " "for dynamic and flexible data structuring." msgstr "" -"Stellt ein Attribut im System dar. Diese Klasse wird verwendet, um Attribute" -" zu definieren und zu verwalten. Dabei handelt es sich um anpassbare " +"Stellt ein Attribut im System dar. Diese Klasse wird verwendet, um Attribute " +"zu definieren und zu verwalten. Dabei handelt es sich um anpassbare " "Datenelemente, die mit anderen Entitäten verknüpft werden können. Attribute " "haben zugehörige Kategorien, Gruppen, Werttypen und Namen. Das Modell " "unterstützt mehrere Wertetypen, darunter String, Integer, Float, Boolean, " @@ -2105,9 +2109,9 @@ msgstr "Attribut" #: engine/core/models.py:801 msgid "" -"Represents a specific value for an attribute that is linked to a product. It" -" links the 'attribute' to a unique 'value', allowing better organization and" -" dynamic representation of product characteristics." +"Represents a specific value for an attribute that is linked to a product. It " +"links the 'attribute' to a unique 'value', allowing better organization and " +"dynamic representation of product characteristics." msgstr "" "Stellt einen spezifischen Wert für ein Attribut dar, das mit einem Produkt " "verknüpft ist. Es verknüpft das \"Attribut\" mit einem eindeutigen \"Wert\" " @@ -2130,16 +2134,16 @@ msgstr "Der spezifische Wert für dieses Attribut" #: engine/core/models.py:839 msgid "" "Represents a product image associated with a product in the system. This " -"class is designed to manage images for products, including functionality for" -" uploading image files, associating them with specific products, and " +"class is designed to manage images for products, including functionality for " +"uploading image files, associating them with specific products, and " "determining their display order. It also includes an accessibility feature " "with alternative text for the images." msgstr "" "Stellt ein Produktbild dar, das mit einem Produkt im System verbunden ist. " "Diese Klasse dient der Verwaltung von Bildern für Produkte, einschließlich " "der Funktionen zum Hochladen von Bilddateien, der Zuordnung zu bestimmten " -"Produkten und der Festlegung ihrer Anzeigereihenfolge. Sie enthält auch eine" -" Funktion zur Barrierefreiheit mit alternativem Text für die Bilder." +"Produkten und der Festlegung ihrer Anzeigereihenfolge. Sie enthält auch eine " +"Funktion zur Barrierefreiheit mit alternativem Text für die Bilder." #: engine/core/models.py:850 msgid "provide alternative text for the image for accessibility" @@ -2181,16 +2185,16 @@ msgid "" "is used to define and manage promotional campaigns that offer a percentage-" "based discount for products. The class includes attributes for setting the " "discount rate, providing details about the promotion, and linking it to the " -"applicable products. It integrates with the product catalog to determine the" -" affected items in the campaign." +"applicable products. It integrates with the product catalog to determine the " +"affected items in the campaign." msgstr "" -"Repräsentiert eine Werbekampagne für Produkte mit einem Rabatt. Diese Klasse" -" wird verwendet, um Werbekampagnen zu definieren und zu verwalten, die einen" -" prozentualen Rabatt für Produkte anbieten. Die Klasse enthält Attribute zum" -" Festlegen des Rabattsatzes, zum Bereitstellen von Details über die " +"Repräsentiert eine Werbekampagne für Produkte mit einem Rabatt. Diese Klasse " +"wird verwendet, um Werbekampagnen zu definieren und zu verwalten, die einen " +"prozentualen Rabatt für Produkte anbieten. Die Klasse enthält Attribute zum " +"Festlegen des Rabattsatzes, zum Bereitstellen von Details über die " "Werbeaktion und zum Verknüpfen der Aktion mit den entsprechenden Produkten. " -"Sie ist mit dem Produktkatalog integriert, um die betroffenen Artikel in der" -" Kampagne zu bestimmen." +"Sie ist mit dem Produktkatalog integriert, um die betroffenen Artikel in der " +"Kampagne zu bestimmen." #: engine/core/models.py:904 msgid "percentage discount for the selected products" @@ -2234,8 +2238,8 @@ msgstr "" "Stellt die Wunschliste eines Benutzers zum Speichern und Verwalten " "gewünschter Produkte dar. Die Klasse bietet Funktionen zur Verwaltung einer " "Sammlung von Produkten und unterstützt Vorgänge wie das Hinzufügen und " -"Entfernen von Produkten sowie das Hinzufügen und Entfernen mehrerer Produkte" -" gleichzeitig." +"Entfernen von Produkten sowie das Hinzufügen und Entfernen mehrerer Produkte " +"gleichzeitig." #: engine/core/models.py:950 msgid "products that the user has marked as wanted" @@ -2259,15 +2263,15 @@ msgid "" "store information about documentaries related to specific products, " "including file uploads and their metadata. It contains methods and " "properties to handle the file type and storage path for the documentary " -"files. It extends functionality from specific mixins and provides additional" -" custom features." +"files. It extends functionality from specific mixins and provides additional " +"custom features." msgstr "" "Stellt einen dokumentarischen Datensatz dar, der an ein Produkt gebunden " "ist. Diese Klasse wird verwendet, um Informationen über Dokumentationen zu " "bestimmten Produkten zu speichern, einschließlich Datei-Uploads und deren " "Metadaten. Sie enthält Methoden und Eigenschaften zur Handhabung des " -"Dateityps und des Speicherpfads für die Dokumentationsdateien. Sie erweitert" -" die Funktionalität von bestimmten Mixins und bietet zusätzliche " +"Dateityps und des Speicherpfads für die Dokumentationsdateien. Sie erweitert " +"die Funktionalität von bestimmten Mixins und bietet zusätzliche " "benutzerdefinierte Funktionen." #: engine/core/models.py:1024 @@ -2284,14 +2288,14 @@ msgstr "Ungelöst" #: engine/core/models.py:1040 msgid "" -"Represents an address entity that includes location details and associations" -" with a user. Provides functionality for geographic and address data " -"storage, as well as integration with geocoding services. This class is " -"designed to store detailed address information including components like " -"street, city, region, country, and geolocation (longitude and latitude). It " -"supports integration with geocoding APIs, enabling the storage of raw API " -"responses for further processing or inspection. The class also allows " -"associating an address with a user, facilitating personalized data handling." +"Represents an address entity that includes location details and associations " +"with a user. Provides functionality for geographic and address data storage, " +"as well as integration with geocoding services. This class is designed to " +"store detailed address information including components like street, city, " +"region, country, and geolocation (longitude and latitude). It supports " +"integration with geocoding APIs, enabling the storage of raw API responses " +"for further processing or inspection. The class also allows associating an " +"address with a user, facilitating personalized data handling." msgstr "" "Stellt eine Adresseinheit dar, die Standortdetails und Assoziationen mit " "einem Benutzer enthält. Bietet Funktionen für die Speicherung von " @@ -2386,8 +2390,7 @@ msgstr "Kennung des Promo-Codes" #: engine/core/models.py:1127 msgid "fixed discount amount applied if percent is not used" msgstr "" -"Fester Rabattbetrag, der angewandt wird, wenn kein Prozentsatz verwendet " -"wird" +"Fester Rabattbetrag, der angewandt wird, wenn kein Prozentsatz verwendet wird" #: engine/core/models.py:1128 msgid "fixed discount amount" @@ -2464,8 +2467,8 @@ msgstr "Ungültiger Rabatttyp für den Promocode {self.uuid}!" msgid "" "Represents an order placed by a user. This class models an order within the " "application, including its various attributes such as billing and shipping " -"information, status, associated user, notifications, and related operations." -" Orders can have associated products, promotions can be applied, addresses " +"information, status, associated user, notifications, and related operations. " +"Orders can have associated products, promotions can be applied, addresses " "set, and shipping or billing details updated. Equally, functionality " "supports managing the products in the order lifecycle." msgstr "" @@ -2639,8 +2642,8 @@ msgid "" "fields to effectively model and manage feedback data." msgstr "" "Verwaltet Benutzerfeedback für Produkte. Diese Klasse dient der Erfassung " -"und Speicherung von Benutzerfeedback für bestimmte Produkte, die sie gekauft" -" haben. Sie enthält Attribute zum Speichern von Benutzerkommentaren, einen " +"und Speicherung von Benutzerfeedback für bestimmte Produkte, die sie gekauft " +"haben. Sie enthält Attribute zum Speichern von Benutzerkommentaren, einen " "Verweis auf das entsprechende Produkt in der Bestellung und eine vom " "Benutzer zugewiesene Bewertung. Die Klasse verwendet Datenbankfelder, um " "Feedbackdaten effektiv zu modellieren und zu verwalten." @@ -2654,11 +2657,10 @@ msgid "feedback comments" msgstr "Kommentare zum Feedback" #: engine/core/models.py:1827 -msgid "" -"references the specific product in an order that this feedback is about" +msgid "references the specific product in an order that this feedback is about" msgstr "" -"Verweist auf das spezifische Produkt in einer Bestellung, auf das sich diese" -" Rückmeldung bezieht" +"Verweist auf das spezifische Produkt in einer Bestellung, auf das sich diese " +"Rückmeldung bezieht" #: engine/core/models.py:1829 msgid "related order product" @@ -2684,14 +2686,14 @@ msgid "" "download URL for digital products. The model integrates with the Order and " "Product models and stores a reference to them." msgstr "" -"Stellt die mit Bestellungen verbundenen Produkte und ihre Attribute dar. Das" -" OrderProduct-Modell verwaltet Informationen über ein Produkt, das Teil " -"einer Bestellung ist, einschließlich Details wie Kaufpreis, Menge, " +"Stellt die mit Bestellungen verbundenen Produkte und ihre Attribute dar. Das " +"OrderProduct-Modell verwaltet Informationen über ein Produkt, das Teil einer " +"Bestellung ist, einschließlich Details wie Kaufpreis, Menge, " "Produktattribute und Status. Es verwaltet Benachrichtigungen für Benutzer " "und Administratoren und führt Vorgänge wie die Rückgabe des Produktsaldos " "oder das Hinzufügen von Feedback durch. Dieses Modell bietet auch Methoden " -"und Eigenschaften, die die Geschäftslogik unterstützen, z. B. die Berechnung" -" des Gesamtpreises oder die Generierung einer Download-URL für digitale " +"und Eigenschaften, die die Geschäftslogik unterstützen, z. B. die Berechnung " +"des Gesamtpreises oder die Generierung einer Download-URL für digitale " "Produkte. Das Modell ist mit den Modellen \"Order\" und \"Product\" " "integriert und speichert einen Verweis auf diese." @@ -2805,16 +2807,16 @@ msgid "" "Represents the downloading functionality for digital assets associated with " "orders. The DigitalAssetDownload class provides the ability to manage and " "access downloads related to order products. It maintains information about " -"the associated order product, the number of downloads, and whether the asset" -" is publicly visible. It includes a method to generate a URL for downloading" -" the asset when the associated order is in a completed status." +"the associated order product, the number of downloads, and whether the asset " +"is publicly visible. It includes a method to generate a URL for downloading " +"the asset when the associated order is in a completed status." msgstr "" "Stellt die Download-Funktionalität für digitale Assets in Verbindung mit " "Bestellungen dar. Die Klasse DigitalAssetDownload ermöglicht die Verwaltung " "und den Zugriff auf Downloads im Zusammenhang mit Auftragsprodukten. Sie " "verwaltet Informationen über das zugehörige Auftragsprodukt, die Anzahl der " -"Downloads und ob das Asset öffentlich sichtbar ist. Sie enthält eine Methode" -" zur Generierung einer URL für das Herunterladen des Assets, wenn sich die " +"Downloads und ob das Asset öffentlich sichtbar ist. Sie enthält eine Methode " +"zur Generierung einer URL für das Herunterladen des Assets, wenn sich die " "zugehörige Bestellung in einem abgeschlossenen Status befindet." #: engine/core/models.py:2092 @@ -3022,7 +3024,8 @@ msgstr "Hallo %(order.user.first_name)s," #, python-format msgid "" "thank you for your order #%(order.pk)s! we are pleased to inform you that\n" -" we have taken your order into work. below are the details of your\n" +" we have taken your order into work. below are " +"the details of your\n" " order:" msgstr "" "Vielen Dank für Ihre Bestellung #%(order.pk)s! Wir freuen uns, Ihnen " @@ -3137,7 +3140,8 @@ msgstr "" #: engine/core/templates/shipped_order_created_email.html:101 #: engine/core/templates/shipped_order_delivered_email.html:101 msgid "" -"thank you for your order! we are pleased to confirm your purchase. below are\n" +"thank you for your order! we are pleased to confirm your purchase. below " +"are\n" " the details of your order:" msgstr "" "Vielen Dank für Ihre Bestellung! Wir freuen uns, Ihren Kauf zu bestätigen. " @@ -3174,8 +3178,7 @@ msgstr "Sowohl Daten als auch Timeout sind erforderlich" #: engine/core/utils/caching.py:52 msgid "invalid timeout value, it must be between 0 and 216000 seconds" -msgstr "" -"Ungültiger Timeout-Wert, er muss zwischen 0 und 216000 Sekunden liegen" +msgstr "Ungültiger Timeout-Wert, er muss zwischen 0 und 216000 Sekunden liegen" #: engine/core/utils/emailing.py:27 #, python-brace-format @@ -3273,10 +3276,16 @@ msgstr "Behandelt die Logik des Kaufs als Unternehmen ohne Registrierung." #: engine/core/views.py:337 msgid "" "Handles the downloading of a digital asset associated with an order.\n" -"This function attempts to serve the digital asset file located in the storage directory of the project. If the file is not found, an HTTP 404 error is raised to indicate the resource is unavailable." +"This function attempts to serve the digital asset file located in the " +"storage directory of the project. If the file is not found, an HTTP 404 " +"error is raised to indicate the resource is unavailable." msgstr "" -"Bearbeitet das Herunterladen eines digitalen Assets, das mit einem Auftrag verbunden ist.\n" -"Diese Funktion versucht, die Datei des digitalen Assets, die sich im Speicherverzeichnis des Projekts befindet, bereitzustellen. Wenn die Datei nicht gefunden wird, wird ein HTTP 404-Fehler ausgelöst, um anzuzeigen, dass die Ressource nicht verfügbar ist." +"Bearbeitet das Herunterladen eines digitalen Assets, das mit einem Auftrag " +"verbunden ist.\n" +"Diese Funktion versucht, die Datei des digitalen Assets, die sich im " +"Speicherverzeichnis des Projekts befindet, bereitzustellen. Wenn die Datei " +"nicht gefunden wird, wird ein HTTP 404-Fehler ausgelöst, um anzuzeigen, dass " +"die Ressource nicht verfügbar ist." #: engine/core/views.py:348 msgid "order_product_uuid is required" @@ -3293,8 +3302,7 @@ msgstr "Sie können das digitale Asset nur einmal herunterladen" #: engine/core/views.py:362 msgid "the order must be paid before downloading the digital asset" msgstr "" -"die Bestellung muss vor dem Herunterladen des digitalen Assets bezahlt " -"werden" +"die Bestellung muss vor dem Herunterladen des digitalen Assets bezahlt werden" #: engine/core/views.py:369 msgid "the order product does not have a product" @@ -3307,15 +3315,20 @@ msgstr "Favicon nicht gefunden" #: engine/core/views.py:418 msgid "" "Handles requests for the favicon of a website.\n" -"This function attempts to serve the favicon file located in the static directory of the project. If the favicon file is not found, an HTTP 404 error is raised to indicate the resource is unavailable." +"This function attempts to serve the favicon file located in the static " +"directory of the project. If the favicon file is not found, an HTTP 404 " +"error is raised to indicate the resource is unavailable." msgstr "" "Bearbeitet Anfragen nach dem Favicon einer Website.\n" -"Diese Funktion versucht, die Favicon-Datei, die sich im statischen Verzeichnis des Projekts befindet, bereitzustellen. Wenn die Favicon-Datei nicht gefunden wird, wird ein HTTP 404-Fehler ausgegeben, um anzuzeigen, dass die Ressource nicht verfügbar ist." +"Diese Funktion versucht, die Favicon-Datei, die sich im statischen " +"Verzeichnis des Projekts befindet, bereitzustellen. Wenn die Favicon-Datei " +"nicht gefunden wird, wird ein HTTP 404-Fehler ausgegeben, um anzuzeigen, " +"dass die Ressource nicht verfügbar ist." #: engine/core/views.py:432 msgid "" -"Redirects the request to the admin index page. The function handles incoming" -" HTTP requests and redirects them to the Django admin interface index page. " +"Redirects the request to the admin index page. The function handles incoming " +"HTTP requests and redirects them to the Django admin interface index page. " "It uses Django's `redirect` function for handling the HTTP redirection." msgstr "" "Leitet die Anfrage auf die Admin-Indexseite um. Die Funktion verarbeitet " @@ -3345,23 +3358,22 @@ msgid "" "and rendering formats." msgstr "" "Definiert ein Viewset für die Verwaltung von Evibes-bezogenen Operationen. " -"Die Klasse EvibesViewSet erbt von ModelViewSet und bietet Funktionalität für" -" die Handhabung von Aktionen und Operationen auf Evibes-Entitäten. Sie " +"Die Klasse EvibesViewSet erbt von ModelViewSet und bietet Funktionalität für " +"die Handhabung von Aktionen und Operationen auf Evibes-Entitäten. Sie " "enthält Unterstützung für dynamische Serialisiererklassen auf der Grundlage " "der aktuellen Aktion, anpassbare Berechtigungen und Rendering-Formate." #: engine/core/viewsets.py:160 msgid "" -"Represents a viewset for managing AttributeGroup objects. Handles operations" -" related to AttributeGroup, including filtering, serialization, and " -"retrieval of data. This class is part of the application's API layer and " -"provides a standardized way to process requests and responses for " -"AttributeGroup data." +"Represents a viewset for managing AttributeGroup objects. Handles operations " +"related to AttributeGroup, including filtering, serialization, and retrieval " +"of data. This class is part of the application's API layer and provides a " +"standardized way to process requests and responses for AttributeGroup data." msgstr "" "Stellt ein Viewset für die Verwaltung von AttributeGroup-Objekten dar. " "Bearbeitet Vorgänge im Zusammenhang mit AttributeGroup, einschließlich " -"Filterung, Serialisierung und Abruf von Daten. Diese Klasse ist Teil der " -"API-Schicht der Anwendung und bietet eine standardisierte Methode zur " +"Filterung, Serialisierung und Abruf von Daten. Diese Klasse ist Teil der API-" +"Schicht der Anwendung und bietet eine standardisierte Methode zur " "Verarbeitung von Anfragen und Antworten für AttributeGroup-Daten." #: engine/core/viewsets.py:179 @@ -3386,14 +3398,14 @@ msgid "" "A viewset for managing AttributeValue objects. This viewset provides " "functionality for listing, retrieving, creating, updating, and deleting " "AttributeValue objects. It integrates with Django REST Framework's viewset " -"mechanisms and uses appropriate serializers for different actions. Filtering" -" capabilities are provided through the DjangoFilterBackend." +"mechanisms and uses appropriate serializers for different actions. Filtering " +"capabilities are provided through the DjangoFilterBackend." msgstr "" "Ein Viewset für die Verwaltung von AttributeValue-Objekten. Dieses Viewset " "bietet Funktionen zum Auflisten, Abrufen, Erstellen, Aktualisieren und " "Löschen von AttributeValue-Objekten. Es integriert sich in die Viewset-" -"Mechanismen des Django REST Frameworks und verwendet geeignete Serialisierer" -" für verschiedene Aktionen. Filterfunktionen werden über das " +"Mechanismen des Django REST Frameworks und verwendet geeignete Serialisierer " +"für verschiedene Aktionen. Filterfunktionen werden über das " "DjangoFilterBackend bereitgestellt." #: engine/core/viewsets.py:217 @@ -3405,8 +3417,8 @@ msgid "" "can access specific data." msgstr "" "Verwaltet Ansichten für kategoriebezogene Operationen. Die Klasse " -"CategoryViewSet ist für die Handhabung von Vorgängen im Zusammenhang mit dem" -" Kategoriemodell im System verantwortlich. Sie unterstützt das Abrufen, " +"CategoryViewSet ist für die Handhabung von Vorgängen im Zusammenhang mit dem " +"Kategoriemodell im System verantwortlich. Sie unterstützt das Abrufen, " "Filtern und Serialisieren von Kategoriedaten. Das Viewset erzwingt auch " "Berechtigungen, um sicherzustellen, dass nur autorisierte Benutzer auf " "bestimmte Daten zugreifen können." @@ -3435,8 +3447,8 @@ msgid "" msgstr "" "Verwaltet Vorgänge im Zusammenhang mit dem Modell \"Produkt\" im System. " "Diese Klasse bietet ein Viewset für die Verwaltung von Produkten, " -"einschließlich ihrer Filterung, Serialisierung und Operationen für bestimmte" -" Instanzen. Sie ist eine Erweiterung von `EvibesViewSet`, um gemeinsame " +"einschließlich ihrer Filterung, Serialisierung und Operationen für bestimmte " +"Instanzen. Sie ist eine Erweiterung von `EvibesViewSet`, um gemeinsame " "Funktionen zu nutzen und integriert sich in das Django REST Framework für " "RESTful API Operationen. Enthält Methoden zum Abrufen von Produktdetails, " "zur Anwendung von Berechtigungen und zum Zugriff auf zugehörige " @@ -3462,15 +3474,15 @@ msgid "" "Representation of a view set handling Feedback objects. This class manages " "operations related to Feedback objects, including listing, filtering, and " "retrieving details. The purpose of this view set is to provide different " -"serializers for different actions and implement permission-based handling of" -" accessible Feedback objects. It extends the base `EvibesViewSet` and makes " +"serializers for different actions and implement permission-based handling of " +"accessible Feedback objects. It extends the base `EvibesViewSet` and makes " "use of Django's filtering system for querying data." msgstr "" "Darstellung eines View-Sets, das Feedback-Objekte behandelt. Diese Klasse " "verwaltet Vorgänge im Zusammenhang mit Feedback-Objekten, einschließlich " "Auflistung, Filterung und Abruf von Details. Der Zweck dieses ViewSets ist " -"es, verschiedene Serialisierer für verschiedene Aktionen bereitzustellen und" -" eine erlaubnisbasierte Handhabung von zugänglichen Feedback-Objekten zu " +"es, verschiedene Serialisierer für verschiedene Aktionen bereitzustellen und " +"eine erlaubnisbasierte Handhabung von zugänglichen Feedback-Objekten zu " "implementieren. Es erweitert das Basis `EvibesViewSet` und nutzt das " "Filtersystem von Django zur Abfrage von Daten." @@ -3479,16 +3491,16 @@ msgid "" "ViewSet for managing orders and related operations. This class provides " "functionality to retrieve, modify, and manage order objects. It includes " "various endpoints for handling order operations such as adding or removing " -"products, performing purchases for registered as well as unregistered users," -" and retrieving the current authenticated user's pending orders. The ViewSet" -" uses multiple serializers based on the specific action being performed and " +"products, performing purchases for registered as well as unregistered users, " +"and retrieving the current authenticated user's pending orders. The ViewSet " +"uses multiple serializers based on the specific action being performed and " "enforces permissions accordingly while interacting with order data." msgstr "" -"ViewSet zur Verwaltung von Aufträgen und zugehörigen Vorgängen. Diese Klasse" -" bietet Funktionen zum Abrufen, Ändern und Verwalten von Bestellobjekten. " -"Sie enthält verschiedene Endpunkte für die Handhabung von Bestellvorgängen " -"wie das Hinzufügen oder Entfernen von Produkten, die Durchführung von Käufen" -" für registrierte und nicht registrierte Benutzer und das Abrufen der " +"ViewSet zur Verwaltung von Aufträgen und zugehörigen Vorgängen. Diese Klasse " +"bietet Funktionen zum Abrufen, Ändern und Verwalten von Bestellobjekten. Sie " +"enthält verschiedene Endpunkte für die Handhabung von Bestellvorgängen wie " +"das Hinzufügen oder Entfernen von Produkten, die Durchführung von Käufen für " +"registrierte und nicht registrierte Benutzer und das Abrufen der " "ausstehenden Bestellungen des aktuell authentifizierten Benutzers. Das " "ViewSet verwendet mehrere Serialisierer, die auf der spezifischen Aktion " "basieren, die durchgeführt wird, und erzwingt die entsprechenden " @@ -3498,16 +3510,16 @@ msgstr "" msgid "" "Provides a viewset for managing OrderProduct entities. This viewset enables " "CRUD operations and custom actions specific to the OrderProduct model. It " -"includes filtering, permission checks, and serializer switching based on the" -" requested action. Additionally, it provides a detailed action for handling " +"includes filtering, permission checks, and serializer switching based on the " +"requested action. Additionally, it provides a detailed action for handling " "feedback on OrderProduct instances" msgstr "" "Bietet ein Viewset für die Verwaltung von OrderProduct-Entitäten. Dieses " "Viewset ermöglicht CRUD-Vorgänge und benutzerdefinierte Aktionen speziell " "für das OrderProduct-Modell. Es umfasst Filterung, Berechtigungsprüfungen " "und Serializer-Umschaltung auf der Grundlage der angeforderten Aktion. " -"Außerdem bietet es eine detaillierte Aktion für die Bearbeitung von Feedback" -" zu OrderProduct-Instanzen" +"Außerdem bietet es eine detaillierte Aktion für die Bearbeitung von Feedback " +"zu OrderProduct-Instanzen" #: engine/core/viewsets.py:974 msgid "Manages operations related to Product images in the application. " @@ -3534,15 +3546,15 @@ msgstr "Erledigt Vorgänge im Zusammenhang mit Bestandsdaten im System." msgid "" "ViewSet for managing Wishlist operations. The WishlistViewSet provides " "endpoints for interacting with a user's wish list, allowing for the " -"retrieval, modification, and customization of products within the wish list." -" This ViewSet facilitates functionality such as adding, removing, and bulk " +"retrieval, modification, and customization of products within the wish list. " +"This ViewSet facilitates functionality such as adding, removing, and bulk " "actions for wishlist products. Permission checks are integrated to ensure " "that users can only manage their own wishlists unless explicit permissions " "are granted." msgstr "" "ViewSet für die Verwaltung von Wishlist-Vorgängen. Das WishlistViewSet " -"bietet Endpunkte für die Interaktion mit der Wunschliste eines Benutzers und" -" ermöglicht das Abrufen, Ändern und Anpassen von Produkten innerhalb der " +"bietet Endpunkte für die Interaktion mit der Wunschliste eines Benutzers und " +"ermöglicht das Abrufen, Ändern und Anpassen von Produkten innerhalb der " "Wunschliste. Dieses ViewSet erleichtert Funktionen wie das Hinzufügen, " "Entfernen und Massenaktionen für Produkte auf der Wunschliste. " "Berechtigungsprüfungen sind integriert, um sicherzustellen, dass Benutzer " @@ -3558,8 +3570,8 @@ msgid "" "on the request context." msgstr "" "Diese Klasse bietet Viewset-Funktionalität für die Verwaltung von " -"\"Address\"-Objekten. Die Klasse AddressViewSet ermöglicht CRUD-Operationen," -" Filterung und benutzerdefinierte Aktionen im Zusammenhang mit " +"\"Address\"-Objekten. Die Klasse AddressViewSet ermöglicht CRUD-Operationen, " +"Filterung und benutzerdefinierte Aktionen im Zusammenhang mit " "Adressentitäten. Sie umfasst spezielle Verhaltensweisen für verschiedene " "HTTP-Methoden, Serialisierungsüberschreibungen und die Behandlung von " "Berechtigungen auf der Grundlage des Anfragekontexts." @@ -3580,6 +3592,6 @@ msgstr "" "Bearbeitet Vorgänge im Zusammenhang mit Produkt-Tags innerhalb der " "Anwendung. Diese Klasse bietet Funktionen zum Abrufen, Filtern und " "Serialisieren von Produkt-Tag-Objekten. Sie unterstützt die flexible " -"Filterung nach bestimmten Attributen unter Verwendung des angegebenen " -"Filter-Backends und verwendet dynamisch verschiedene Serialisierer auf der " +"Filterung nach bestimmten Attributen unter Verwendung des angegebenen Filter-" +"Backends und verwendet dynamisch verschiedene Serialisierer auf der " "Grundlage der durchgeführten Aktion." diff --git a/engine/core/locale/en_GB/LC_MESSAGES/django.mo b/engine/core/locale/en_GB/LC_MESSAGES/django.mo index e5cb940769012151ffa6c278195a0f95d1aee6af..509b0aa8210e1ccd5419e4047e1f7bb05f79a75f 100644 GIT binary patch delta 18 acmcb$iuKki)(zdqn9cMIH}@So(+2=mstFAM delta 18 acmcb$iuKki)(zdqm`(LeHuoJn(+2=mv\n" "Language-Team: BRITISH ENGLISH \n" @@ -31,11 +31,9 @@ msgstr "Is Active" #: engine/core/abstract.py:22 msgid "" -"if set to false, this object can't be seen by users without needed " -"permission" +"if set to false, this object can't be seen by users without needed permission" msgstr "" -"If set to false, this object can't be seen by users without needed " -"permission" +"If set to false, this object can't be seen by users without needed permission" #: engine/core/abstract.py:26 engine/core/choices.py:18 msgid "created" @@ -95,8 +93,8 @@ msgstr "Deactivate selected %(verbose_name_plural)s" msgid "selected items have been deactivated." msgstr "Selected items have been deactivated!" -#: engine/core/admin.py:196 engine/core/graphene/object_types.py:652 -#: engine/core/graphene/object_types.py:659 engine/core/models.py:825 +#: engine/core/admin.py:196 engine/core/graphene/object_types.py:653 +#: engine/core/graphene/object_types.py:660 engine/core/models.py:825 #: engine/core/models.py:833 msgid "attribute value" msgstr "Attribute Value" @@ -110,7 +108,7 @@ msgstr "Attribute Values" msgid "image" msgstr "Image" -#: engine/core/admin.py:209 engine/core/graphene/object_types.py:529 +#: engine/core/admin.py:209 engine/core/graphene/object_types.py:530 msgid "images" msgstr "Images" @@ -118,7 +116,7 @@ msgstr "Images" msgid "stock" msgstr "Stock" -#: engine/core/admin.py:221 engine/core/graphene/object_types.py:712 +#: engine/core/admin.py:221 engine/core/graphene/object_types.py:713 msgid "stocks" msgstr "Stocks" @@ -126,7 +124,7 @@ msgstr "Stocks" msgid "order product" msgstr "Order Product" -#: engine/core/admin.py:233 engine/core/graphene/object_types.py:440 +#: engine/core/admin.py:233 engine/core/graphene/object_types.py:441 #: engine/core/models.py:1932 msgid "order products" msgstr "Order Products" @@ -159,8 +157,7 @@ msgstr "Delivered" msgid "canceled" msgstr "Canceled" -#: engine/core/choices.py:8 engine/core/choices.py:16 -#: engine/core/choices.py:24 +#: engine/core/choices.py:8 engine/core/choices.py:16 engine/core/choices.py:24 msgid "failed" msgstr "Failed" @@ -275,8 +272,7 @@ msgid "rewrite an existing attribute group saving non-editables" msgstr "Rewrite an existing attribute group saving non-editables" #: engine/core/docs/drf/viewsets.py:107 -msgid "" -"rewrite some fields of an existing attribute group saving non-editables" +msgid "rewrite some fields of an existing attribute group saving non-editables" msgstr "" "Rewrite some fields of an existing attribute group saving non-editables" @@ -325,8 +321,7 @@ msgid "rewrite an existing attribute value saving non-editables" msgstr "Rewrite an existing attribute value saving non-editables" #: engine/core/docs/drf/viewsets.py:208 -msgid "" -"rewrite some fields of an existing attribute value saving non-editables" +msgid "rewrite some fields of an existing attribute value saving non-editables" msgstr "" "Rewrite some fields of an existing attribute value saving non-editables" @@ -361,8 +356,8 @@ msgstr "Rewrite some fields of an existing category saving non-editables" #: engine/core/docs/drf/viewsets.py:280 engine/core/docs/drf/viewsets.py:757 #: engine/core/docs/drf/viewsets.py:1046 #: engine/core/graphene/object_types.py:119 -#: engine/core/graphene/object_types.py:238 -#: engine/core/graphene/object_types.py:539 +#: engine/core/graphene/object_types.py:239 +#: engine/core/graphene/object_types.py:540 msgid "SEO Meta snapshot" msgstr "SEO Meta snapshot" @@ -380,11 +375,11 @@ msgstr "For non-staff users, only their own orders are returned." #: engine/core/docs/drf/viewsets.py:309 msgid "" -"Case-insensitive substring search across human_readable_id, " -"order_products.product.name, and order_products.product.partnumber" +"Case-insensitive substring search across human_readable_id, order_products." +"product.name, and order_products.product.partnumber" msgstr "" -"Case-insensitive substring search across human_readable_id, " -"order_products.product.name, and order_products.product.partnumber" +"Case-insensitive substring search across human_readable_id, order_products." +"product.name, and order_products.product.partnumber" #: engine/core/docs/drf/viewsets.py:316 msgid "Filter orders with buy_time >= this ISO 8601 datetime" @@ -416,13 +411,13 @@ msgstr "Filter by order status (case-insensitive substring match)" #: engine/core/docs/drf/viewsets.py:354 msgid "" -"Order by one of: uuid, human_readable_id, user_email, user, status, created," -" modified, buy_time, random. Prefix with '-' for descending (e.g. " -"'-buy_time')." +"Order by one of: uuid, human_readable_id, user_email, user, status, created, " +"modified, buy_time, random. Prefix with '-' for descending (e.g. '-" +"buy_time')." msgstr "" -"Order by one of: uuid, human_readable_id, user_email, user, status, created," -" modified, buy_time, random. Prefix with '-' for descending (e.g. " -"'-buy_time')." +"Order by one of: uuid, human_readable_id, user_email, user, status, created, " +"modified, buy_time, random. Prefix with '-' for descending (e.g. '-" +"buy_time')." #: engine/core/docs/drf/viewsets.py:366 msgid "retrieve a single order (detailed view)" @@ -608,20 +603,30 @@ msgstr "" msgid "" "Filter by one or more attribute name/value pairs. \n" "• **Syntax**: `attr_name=method-value[;attr2=method2-value2]…` \n" -"• **Methods** (defaults to `icontains` if omitted): `iexact`, `exact`, `icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, `iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in` \n" -"• **Value typing**: JSON is attempted first (so you can pass lists/dicts), `true`/`false` for booleans, integers, floats; otherwise treated as string. \n" +"• **Methods** (defaults to `icontains` if omitted): `iexact`, `exact`, " +"`icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, " +"`iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in` \n" +"• **Value typing**: JSON is attempted first (so you can pass lists/dicts), " +"`true`/`false` for booleans, integers, floats; otherwise treated as " +"string. \n" "• **Base64**: prefix with `b64-` to URL-safe base64-encode the raw value. \n" "Examples: \n" -"`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\",\"bluetooth\"]`, \n" +"`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\"," +"\"bluetooth\"]`, \n" "`b64-description=icontains-aGVhdC1jb2xk`" msgstr "" "Filter by one or more attribute name/value pairs. \n" "• **Syntax**: `attr_name=method-value[;attr2=method2-value2]…` \n" -"• **Methods** (defaults to `icontains` if omitted): `iexact`, `exact`, `icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, `iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in` \n" -"• **Value typing**: JSON is attempted first (so you can pass lists/dicts), `true`/`false` for booleans, integers, floats; otherwise treated as string. \n" +"• **Methods** (defaults to `icontains` if omitted): `iexact`, `exact`, " +"`icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, " +"`iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in` \n" +"• **Value typing**: JSON is attempted first (so you can pass lists/dicts), " +"`true`/`false` for booleans, integers, floats; otherwise treated as " +"string. \n" "• **Base64**: prefix with `b64-` to URL-safe base64-encode the raw value. \n" "Examples: \n" -"`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\",\"bluetooth\"]`, \n" +"`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\"," +"\"bluetooth\"]`, \n" "`b64-description=icontains-aGVhdC1jb2xk`" #: engine/core/docs/drf/viewsets.py:617 engine/core/docs/drf/viewsets.py:618 @@ -634,10 +639,12 @@ msgstr "(exact) Product UUID" #: engine/core/docs/drf/viewsets.py:630 msgid "" -"Comma-separated list of fields to sort by. Prefix with `-` for descending. \n" +"Comma-separated list of fields to sort by. Prefix with `-` for " +"descending. \n" "**Allowed:** uuid, rating, name, slug, created, modified, price, random" msgstr "" -"Comma-separated list of fields to sort by. Prefix with `-` for descending. \n" +"Comma-separated list of fields to sort by. Prefix with `-` for " +"descending. \n" "**Allowed:** uuid, rating, name, slug, created, modified, price, random" #: engine/core/docs/drf/viewsets.py:647 engine/core/docs/drf/viewsets.py:648 @@ -1168,11 +1175,11 @@ msgstr "Buy an order" #: engine/core/graphene/mutations.py:542 msgid "" -"please send the attributes as the string formatted like " -"attr1=value1,attr2=value2" +"please send the attributes as the string formatted like attr1=value1," +"attr2=value2" msgstr "" -"Please send the attributes as the string formatted like " -"attr1=value1,attr2=value2" +"Please send the attributes as the string formatted like attr1=value1," +"attr2=value2" #: engine/core/graphene/mutations.py:580 msgid "add or delete a feedback for orderproduct" @@ -1208,8 +1215,8 @@ msgid "elasticsearch - works like a charm" msgstr "ElasticSearch - works like a charm" #: engine/core/graphene/object_types.py:84 -#: engine/core/graphene/object_types.py:419 -#: engine/core/graphene/object_types.py:470 engine/core/models.py:796 +#: engine/core/graphene/object_types.py:420 +#: engine/core/graphene/object_types.py:471 engine/core/models.py:796 #: engine/core/models.py:1290 engine/core/models.py:2022 msgid "attributes" msgstr "Attributes" @@ -1223,8 +1230,8 @@ msgid "groups of attributes" msgstr "Groups of attributes" #: engine/core/graphene/object_types.py:118 -#: engine/core/graphene/object_types.py:216 -#: engine/core/graphene/object_types.py:254 engine/core/models.py:440 +#: engine/core/graphene/object_types.py:217 +#: engine/core/graphene/object_types.py:255 engine/core/models.py:440 msgid "categories" msgstr "Categories" @@ -1232,80 +1239,79 @@ msgstr "Categories" msgid "brands" msgstr "Brands" -#: engine/core/graphene/object_types.py:218 +#: engine/core/graphene/object_types.py:219 msgid "category image url" msgstr "Categories" -#: engine/core/graphene/object_types.py:219 -#: engine/core/graphene/object_types.py:364 engine/core/models.py:278 +#: engine/core/graphene/object_types.py:220 +#: engine/core/graphene/object_types.py:365 engine/core/models.py:278 msgid "markup percentage" msgstr "Markup Percentage" -#: engine/core/graphene/object_types.py:223 +#: engine/core/graphene/object_types.py:224 msgid "which attributes and values can be used for filtering this category." msgstr "Which attributes and values can be used for filtering this category." -#: engine/core/graphene/object_types.py:229 -msgid "" -"minimum and maximum prices for products in this category, if available." +#: engine/core/graphene/object_types.py:230 +msgid "minimum and maximum prices for products in this category, if available." msgstr "" "Minimum and maximum prices for products in this category, if available." -#: engine/core/graphene/object_types.py:233 +#: engine/core/graphene/object_types.py:234 msgid "tags for this category" msgstr "Tags for this category" -#: engine/core/graphene/object_types.py:236 +#: engine/core/graphene/object_types.py:237 msgid "products in this category" msgstr "Products in this category" -#: engine/core/graphene/object_types.py:371 engine/core/models.py:183 +#: engine/core/graphene/object_types.py:372 engine/core/models.py:183 msgid "vendors" msgstr "Vendors" -#: engine/core/graphene/object_types.py:375 +#: engine/core/graphene/object_types.py:376 msgid "Latitude (Y coordinate)" msgstr "Latitude (Y coordinate)" -#: engine/core/graphene/object_types.py:376 +#: engine/core/graphene/object_types.py:377 msgid "Longitude (X coordinate)" msgstr "Longitude (X coordinate)" -#: engine/core/graphene/object_types.py:405 +#: engine/core/graphene/object_types.py:406 msgid "comment" msgstr "Comment" -#: engine/core/graphene/object_types.py:407 -#: engine/core/graphene/object_types.py:541 +#: engine/core/graphene/object_types.py:408 +#: engine/core/graphene/object_types.py:542 msgid "rating value from 1 to 10, inclusive, or 0 if not set." msgstr "Rating value from 1 to 10, inclusive, or 0 if not set." -#: engine/core/graphene/object_types.py:415 +#: engine/core/graphene/object_types.py:416 msgid "represents feedback from a user." msgstr "Represents feedback from a user." -#: engine/core/graphene/object_types.py:420 -#: engine/core/graphene/object_types.py:471 engine/core/models.py:1284 +#: engine/core/graphene/object_types.py:421 +#: engine/core/graphene/object_types.py:472 engine/core/models.py:1284 msgid "notifications" msgstr "Notifications" -#: engine/core/graphene/object_types.py:422 +#: engine/core/graphene/object_types.py:423 msgid "download url for this order product if applicable" msgstr "Download url for this order product if applicable" -#: engine/core/graphene/object_types.py:424 engine/core/models.py:1849 +#: engine/core/graphene/object_types.py:425 engine/core/models.py:1849 msgid "feedback" msgstr "Feedback" -#: engine/core/graphene/object_types.py:458 +#: engine/core/graphene/object_types.py:459 msgid "a list of order products in this order" msgstr "A list of order products in this order" -#: engine/core/graphene/object_types.py:460 engine/core/models.py:1254 +#: engine/core/graphene/object_types.py:461 engine/core/models.py:1254 msgid "billing address" msgstr "Billing address" -#: engine/core/graphene/object_types.py:464 +#: engine/core/graphene/object_types.py:465 msgid "" "shipping address for this order, leave blank if same as billing address or " "if not applicable" @@ -1313,53 +1319,53 @@ msgstr "" "Shipping address for this order, leave blank if same as billing address or " "if not applicable" -#: engine/core/graphene/object_types.py:467 +#: engine/core/graphene/object_types.py:468 msgid "total price of this order" msgstr "Total price of this order" -#: engine/core/graphene/object_types.py:468 +#: engine/core/graphene/object_types.py:469 msgid "total quantity of products in order" msgstr "Total quantity of products in order" -#: engine/core/graphene/object_types.py:469 +#: engine/core/graphene/object_types.py:470 msgid "are all products in the order digital" msgstr "Are all of the products in the order digital" -#: engine/core/graphene/object_types.py:473 +#: engine/core/graphene/object_types.py:474 msgid "transactions for this order" msgstr "Transactions for this order" -#: engine/core/graphene/object_types.py:493 engine/core/models.py:1318 +#: engine/core/graphene/object_types.py:494 engine/core/models.py:1318 msgid "orders" msgstr "Orders" -#: engine/core/graphene/object_types.py:514 +#: engine/core/graphene/object_types.py:515 msgid "image url" msgstr "Image URL" -#: engine/core/graphene/object_types.py:521 +#: engine/core/graphene/object_types.py:522 msgid "product's images" msgstr "Product's images" -#: engine/core/graphene/object_types.py:528 engine/core/models.py:439 +#: engine/core/graphene/object_types.py:529 engine/core/models.py:439 #: engine/core/models.py:596 msgid "category" msgstr "Category" -#: engine/core/graphene/object_types.py:530 engine/core/models.py:1850 +#: engine/core/graphene/object_types.py:531 engine/core/models.py:1850 msgid "feedbacks" msgstr "Feedbacks" -#: engine/core/graphene/object_types.py:531 engine/core/models.py:510 +#: engine/core/graphene/object_types.py:532 engine/core/models.py:510 #: engine/core/models.py:605 msgid "brand" msgstr "Brand" -#: engine/core/graphene/object_types.py:533 engine/core/models.py:103 +#: engine/core/graphene/object_types.py:534 engine/core/models.py:103 msgid "attribute groups" msgstr "Attribute groups" -#: engine/core/graphene/object_types.py:535 +#: engine/core/graphene/object_types.py:536 #: engine/core/templates/digital_order_created_email.html:111 #: engine/core/templates/digital_order_delivered_email.html:109 #: engine/core/templates/shipped_order_created_email.html:109 @@ -1367,7 +1373,7 @@ msgstr "Attribute groups" msgid "price" msgstr "Price" -#: engine/core/graphene/object_types.py:536 +#: engine/core/graphene/object_types.py:537 #: engine/core/templates/digital_order_created_email.html:110 #: engine/core/templates/digital_order_delivered_email.html:108 #: engine/core/templates/shipped_order_created_email.html:108 @@ -1375,39 +1381,39 @@ msgstr "Price" msgid "quantity" msgstr "Quantity" -#: engine/core/graphene/object_types.py:537 +#: engine/core/graphene/object_types.py:538 msgid "number of feedbacks" msgstr "Number of feedbacks" -#: engine/core/graphene/object_types.py:538 +#: engine/core/graphene/object_types.py:539 msgid "only available for personal orders" msgstr "Products only available for personal orders" -#: engine/core/graphene/object_types.py:543 +#: engine/core/graphene/object_types.py:544 msgid "discount price" msgstr "Discount price" -#: engine/core/graphene/object_types.py:567 engine/core/models.py:677 +#: engine/core/graphene/object_types.py:568 engine/core/models.py:677 msgid "products" msgstr "Products" -#: engine/core/graphene/object_types.py:677 +#: engine/core/graphene/object_types.py:678 msgid "promocodes" msgstr "Promocodes" -#: engine/core/graphene/object_types.py:692 +#: engine/core/graphene/object_types.py:693 msgid "products on sale" msgstr "Products on sale" -#: engine/core/graphene/object_types.py:700 engine/core/models.py:928 +#: engine/core/graphene/object_types.py:701 engine/core/models.py:928 msgid "promotions" msgstr "Promotions" -#: engine/core/graphene/object_types.py:704 engine/core/models.py:182 +#: engine/core/graphene/object_types.py:705 engine/core/models.py:182 msgid "vendor" msgstr "Vendor" -#: engine/core/graphene/object_types.py:705 engine/core/models.py:676 +#: engine/core/graphene/object_types.py:706 engine/core/models.py:676 #: engine/core/templates/digital_order_created_email.html:109 #: engine/core/templates/digital_order_delivered_email.html:107 #: engine/core/templates/shipped_order_created_email.html:107 @@ -1415,98 +1421,98 @@ msgstr "Vendor" msgid "product" msgstr "Product" -#: engine/core/graphene/object_types.py:717 engine/core/models.py:951 +#: engine/core/graphene/object_types.py:718 engine/core/models.py:951 msgid "wishlisted products" msgstr "Wishlisted products" -#: engine/core/graphene/object_types.py:724 engine/core/models.py:968 +#: engine/core/graphene/object_types.py:725 engine/core/models.py:968 msgid "wishlists" msgstr "Wishlists" -#: engine/core/graphene/object_types.py:729 +#: engine/core/graphene/object_types.py:730 msgid "tagged products" msgstr "Tagged products" -#: engine/core/graphene/object_types.py:737 engine/core/models.py:219 +#: engine/core/graphene/object_types.py:738 engine/core/models.py:219 #: engine/core/models.py:611 msgid "product tags" msgstr "Product tags" -#: engine/core/graphene/object_types.py:742 +#: engine/core/graphene/object_types.py:743 msgid "tagged categories" msgstr "Tagged categories" -#: engine/core/graphene/object_types.py:750 +#: engine/core/graphene/object_types.py:751 msgid "categories tags" msgstr "Categories' tags" -#: engine/core/graphene/object_types.py:754 +#: engine/core/graphene/object_types.py:755 msgid "project name" msgstr "Project name" -#: engine/core/graphene/object_types.py:755 +#: engine/core/graphene/object_types.py:756 msgid "company name" msgstr "Company Name" -#: engine/core/graphene/object_types.py:756 +#: engine/core/graphene/object_types.py:757 msgid "company address" msgstr "Company Address" -#: engine/core/graphene/object_types.py:757 +#: engine/core/graphene/object_types.py:758 msgid "company phone number" msgstr "Company Phone Number" -#: engine/core/graphene/object_types.py:760 +#: engine/core/graphene/object_types.py:761 msgid "email from, sometimes it must be used instead of host user value" msgstr "'email from', sometimes it must be used instead of host user value" -#: engine/core/graphene/object_types.py:763 +#: engine/core/graphene/object_types.py:764 msgid "email host user" msgstr "Email host user" -#: engine/core/graphene/object_types.py:764 +#: engine/core/graphene/object_types.py:765 msgid "maximum amount for payment" msgstr "Maximum amount for payment" -#: engine/core/graphene/object_types.py:765 +#: engine/core/graphene/object_types.py:766 msgid "minimum amount for payment" msgstr "Minimum amount for payment" -#: engine/core/graphene/object_types.py:766 +#: engine/core/graphene/object_types.py:767 msgid "analytics data" msgstr "Analytics data" -#: engine/core/graphene/object_types.py:767 +#: engine/core/graphene/object_types.py:768 msgid "advertisement data" msgstr "Advertisement data" -#: engine/core/graphene/object_types.py:770 +#: engine/core/graphene/object_types.py:771 msgid "company configuration" msgstr "Configuration" -#: engine/core/graphene/object_types.py:774 +#: engine/core/graphene/object_types.py:775 msgid "language code" msgstr "Language code" -#: engine/core/graphene/object_types.py:775 +#: engine/core/graphene/object_types.py:776 msgid "language name" msgstr "Language name" -#: engine/core/graphene/object_types.py:776 +#: engine/core/graphene/object_types.py:777 msgid "language flag, if exists :)" msgstr "Language flag, if exists :)" -#: engine/core/graphene/object_types.py:779 +#: engine/core/graphene/object_types.py:780 msgid "supported languages" msgstr "Get a list of supported languages" -#: engine/core/graphene/object_types.py:811 -#: engine/core/graphene/object_types.py:814 -#: engine/core/graphene/object_types.py:817 +#: engine/core/graphene/object_types.py:812 +#: engine/core/graphene/object_types.py:815 +#: engine/core/graphene/object_types.py:818 msgid "products search results" msgstr "Products search results" -#: engine/core/graphene/object_types.py:819 +#: engine/core/graphene/object_types.py:820 msgid "posts search results" msgstr "Products search results" @@ -1720,14 +1726,12 @@ msgid "" "Represents a Brand object in the system. This class handles information and " "attributes related to a brand, including its name, logos, description, " "associated categories, a unique slug, and priority order. It allows for the " -"organization and representation of brand-related data within the " -"application." +"organization and representation of brand-related data within the application." msgstr "" "Represents a Brand object in the system. This class handles information and " "attributes related to a brand, including its name, logos, description, " "associated categories, a unique slug, and priority order. It allows for the " -"organization and representation of brand-related data within the " -"application." +"organization and representation of brand-related data within the application." #: engine/core/models.py:456 msgid "name of this brand" @@ -1771,15 +1775,15 @@ msgstr "Categories" #: engine/core/models.py:516 msgid "" -"Represents the stock of a product managed in the system. This class provides" -" details about the relationship between vendors, products, and their stock " +"Represents the stock of a product managed in the system. This class provides " +"details about the relationship between vendors, products, and their stock " "information, as well as inventory-related properties like price, purchase " "price, quantity, SKU, and digital assets. It is part of the inventory " "management system to allow tracking and evaluation of products available " "from various vendors." msgstr "" -"Represents the stock of a product managed in the system. This class provides" -" details about the relationship between vendors, products, and their stock " +"Represents the stock of a product managed in the system. This class provides " +"details about the relationship between vendors, products, and their stock " "information, as well as inventory-related properties like price, purchase " "price, quantity, SKU, and digital assets. It is part of the inventory " "management system to allow tracking and evaluation of products available " @@ -1931,15 +1935,15 @@ msgid "" "Represents an attribute in the system. This class is used to define and " "manage attributes, which are customizable pieces of data that can be " "associated with other entities. Attributes have associated categories, " -"groups, value types, and names. The model supports multiple types of values," -" including string, integer, float, boolean, array, and object. This allows " +"groups, value types, and names. The model supports multiple types of values, " +"including string, integer, float, boolean, array, and object. This allows " "for dynamic and flexible data structuring." msgstr "" "Represents an attribute in the system. This class is used to define and " "manage attributes, which are customizable pieces of data that can be " "associated with other entities. Attributes have associated categories, " -"groups, value types, and names. The model supports multiple types of values," -" including string, integer, float, boolean, array, and object. This allows " +"groups, value types, and names. The model supports multiple types of values, " +"including string, integer, float, boolean, array, and object. This allows " "for dynamic and flexible data structuring." #: engine/core/models.py:755 @@ -2001,13 +2005,13 @@ msgstr "Attribute" #: engine/core/models.py:801 msgid "" -"Represents a specific value for an attribute that is linked to a product. It" -" links the 'attribute' to a unique 'value', allowing better organization and" -" dynamic representation of product characteristics." +"Represents a specific value for an attribute that is linked to a product. It " +"links the 'attribute' to a unique 'value', allowing better organization and " +"dynamic representation of product characteristics." msgstr "" -"Represents a specific value for an attribute that is linked to a product. It" -" links the 'attribute' to a unique 'value', allowing better organization and" -" dynamic representation of product characteristics." +"Represents a specific value for an attribute that is linked to a product. It " +"links the 'attribute' to a unique 'value', allowing better organization and " +"dynamic representation of product characteristics." #: engine/core/models.py:812 msgid "attribute of this value" @@ -2024,14 +2028,14 @@ msgstr "The specific value for this attribute" #: engine/core/models.py:839 msgid "" "Represents a product image associated with a product in the system. This " -"class is designed to manage images for products, including functionality for" -" uploading image files, associating them with specific products, and " +"class is designed to manage images for products, including functionality for " +"uploading image files, associating them with specific products, and " "determining their display order. It also includes an accessibility feature " "with alternative text for the images." msgstr "" "Represents a product image associated with a product in the system. This " -"class is designed to manage images for products, including functionality for" -" uploading image files, associating them with specific products, and " +"class is designed to manage images for products, including functionality for " +"uploading image files, associating them with specific products, and " "determining their display order. It also includes an accessibility feature " "with alternative text for the images." @@ -2073,15 +2077,15 @@ msgid "" "is used to define and manage promotional campaigns that offer a percentage-" "based discount for products. The class includes attributes for setting the " "discount rate, providing details about the promotion, and linking it to the " -"applicable products. It integrates with the product catalog to determine the" -" affected items in the campaign." +"applicable products. It integrates with the product catalog to determine the " +"affected items in the campaign." msgstr "" "Represents a promotional campaign for products with a discount. This class " "is used to define and manage promotional campaigns that offer a percentage-" "based discount for products. The class includes attributes for setting the " "discount rate, providing details about the promotion, and linking it to the " -"applicable products. It integrates with the product catalog to determine the" -" affected items in the campaign." +"applicable products. It integrates with the product catalog to determine the " +"affected items in the campaign." #: engine/core/models.py:904 msgid "percentage discount for the selected products" @@ -2149,15 +2153,15 @@ msgid "" "store information about documentaries related to specific products, " "including file uploads and their metadata. It contains methods and " "properties to handle the file type and storage path for the documentary " -"files. It extends functionality from specific mixins and provides additional" -" custom features." +"files. It extends functionality from specific mixins and provides additional " +"custom features." msgstr "" "Represents a documentary record tied to a product. This class is used to " "store information about documentaries related to specific products, " "including file uploads and their metadata. It contains methods and " "properties to handle the file type and storage path for the documentary " -"files. It extends functionality from specific mixins and provides additional" -" custom features." +"files. It extends functionality from specific mixins and provides additional " +"custom features." #: engine/core/models.py:1024 msgid "documentary" @@ -2173,23 +2177,23 @@ msgstr "Unresolved" #: engine/core/models.py:1040 msgid "" -"Represents an address entity that includes location details and associations" -" with a user. Provides functionality for geographic and address data " -"storage, as well as integration with geocoding services. This class is " -"designed to store detailed address information including components like " -"street, city, region, country, and geolocation (longitude and latitude). It " -"supports integration with geocoding APIs, enabling the storage of raw API " -"responses for further processing or inspection. The class also allows " -"associating an address with a user, facilitating personalized data handling." +"Represents an address entity that includes location details and associations " +"with a user. Provides functionality for geographic and address data storage, " +"as well as integration with geocoding services. This class is designed to " +"store detailed address information including components like street, city, " +"region, country, and geolocation (longitude and latitude). It supports " +"integration with geocoding APIs, enabling the storage of raw API responses " +"for further processing or inspection. The class also allows associating an " +"address with a user, facilitating personalized data handling." msgstr "" -"Represents an address entity that includes location details and associations" -" with a user. Provides functionality for geographic and address data " -"storage, as well as integration with geocoding services. This class is " -"designed to store detailed address information including components like " -"street, city, region, country, and geolocation (longitude and latitude). It " -"supports integration with geocoding APIs, enabling the storage of raw API " -"responses for further processing or inspection. The class also allows " -"associating an address with a user, facilitating personalized data handling." +"Represents an address entity that includes location details and associations " +"with a user. Provides functionality for geographic and address data storage, " +"as well as integration with geocoding services. This class is designed to " +"store detailed address information including components like street, city, " +"region, country, and geolocation (longitude and latitude). It supports " +"integration with geocoding APIs, enabling the storage of raw API responses " +"for further processing or inspection. The class also allows associating an " +"address with a user, facilitating personalized data handling." #: engine/core/models.py:1055 msgid "address line for the customer" @@ -2344,15 +2348,15 @@ msgstr "Invalid discount type for promocode {self.uuid}!" msgid "" "Represents an order placed by a user. This class models an order within the " "application, including its various attributes such as billing and shipping " -"information, status, associated user, notifications, and related operations." -" Orders can have associated products, promotions can be applied, addresses " +"information, status, associated user, notifications, and related operations. " +"Orders can have associated products, promotions can be applied, addresses " "set, and shipping or billing details updated. Equally, functionality " "supports managing the products in the order lifecycle." msgstr "" "Represents an order placed by a user. This class models an order within the " "application, including its various attributes such as billing and shipping " -"information, status, associated user, notifications, and related operations." -" Orders can have associated products, promotions can be applied, addresses " +"information, status, associated user, notifications, and related operations. " +"Orders can have associated products, promotions can be applied, addresses " "set, and shipping or billing details updated. Equally, functionality " "supports managing the products in the order lifecycle." @@ -2523,8 +2527,7 @@ msgid "feedback comments" msgstr "Feedback comments" #: engine/core/models.py:1827 -msgid "" -"references the specific product in an order that this feedback is about" +msgid "references the specific product in an order that this feedback is about" msgstr "" "References the specific product in an order that this feedback is about" @@ -2668,16 +2671,16 @@ msgid "" "Represents the downloading functionality for digital assets associated with " "orders. The DigitalAssetDownload class provides the ability to manage and " "access downloads related to order products. It maintains information about " -"the associated order product, the number of downloads, and whether the asset" -" is publicly visible. It includes a method to generate a URL for downloading" -" the asset when the associated order is in a completed status." +"the associated order product, the number of downloads, and whether the asset " +"is publicly visible. It includes a method to generate a URL for downloading " +"the asset when the associated order is in a completed status." msgstr "" "Represents the downloading functionality for digital assets associated with " "orders. The DigitalAssetDownload class provides the ability to manage and " "access downloads related to order products. It maintains information about " -"the associated order product, the number of downloads, and whether the asset" -" is publicly visible. It includes a method to generate a URL for downloading" -" the asset when the associated order is in a completed status." +"the associated order product, the number of downloads, and whether the asset " +"is publicly visible. It includes a method to generate a URL for downloading " +"the asset when the associated order is in a completed status." #: engine/core/models.py:2092 msgid "download" @@ -2883,11 +2886,12 @@ msgstr "Hello %(order.user.first_name)s," #, python-format msgid "" "thank you for your order #%(order.pk)s! we are pleased to inform you that\n" -" we have taken your order into work. below are the details of your\n" +" we have taken your order into work. below are " +"the details of your\n" " order:" msgstr "" -"Thank you for your order #%(order.pk)s! We are pleased to inform you that we" -" have taken your order into work. Below are the details of your order:" +"Thank you for your order #%(order.pk)s! We are pleased to inform you that we " +"have taken your order into work. Below are the details of your order:" #: engine/core/templates/digital_order_created_email.html:112 #: engine/core/templates/digital_order_delivered_email.html:110 @@ -2997,11 +3001,12 @@ msgstr "" #: engine/core/templates/shipped_order_created_email.html:101 #: engine/core/templates/shipped_order_delivered_email.html:101 msgid "" -"thank you for your order! we are pleased to confirm your purchase. below are\n" +"thank you for your order! we are pleased to confirm your purchase. below " +"are\n" " the details of your order:" msgstr "" -"Thank you for your order! We are pleased to confirm your purchase. Below are" -" the details of your order:" +"Thank you for your order! We are pleased to confirm your purchase. Below are " +"the details of your order:" #: engine/core/templates/shipped_order_created_email.html:123 #: engine/core/templates/shipped_order_delivered_email.html:123 @@ -3129,10 +3134,14 @@ msgstr "Handles the logic of buying as a business without registration." #: engine/core/views.py:337 msgid "" "Handles the downloading of a digital asset associated with an order.\n" -"This function attempts to serve the digital asset file located in the storage directory of the project. If the file is not found, an HTTP 404 error is raised to indicate the resource is unavailable." +"This function attempts to serve the digital asset file located in the " +"storage directory of the project. If the file is not found, an HTTP 404 " +"error is raised to indicate the resource is unavailable." msgstr "" "Handles the downloading of a digital asset associated with an order.\n" -"This function attempts to serve the digital asset file located in the storage directory of the project. If the file is not found, an HTTP 404 error is raised to indicate the resource is unavailable." +"This function attempts to serve the digital asset file located in the " +"storage directory of the project. If the file is not found, an HTTP 404 " +"error is raised to indicate the resource is unavailable." #: engine/core/views.py:348 msgid "order_product_uuid is required" @@ -3161,19 +3170,23 @@ msgstr "favicon not found" #: engine/core/views.py:418 msgid "" "Handles requests for the favicon of a website.\n" -"This function attempts to serve the favicon file located in the static directory of the project. If the favicon file is not found, an HTTP 404 error is raised to indicate the resource is unavailable." +"This function attempts to serve the favicon file located in the static " +"directory of the project. If the favicon file is not found, an HTTP 404 " +"error is raised to indicate the resource is unavailable." msgstr "" "Handles requests for the favicon of a website.\n" -"This function attempts to serve the favicon file located in the static directory of the project. If the favicon file is not found, an HTTP 404 error is raised to indicate the resource is unavailable." +"This function attempts to serve the favicon file located in the static " +"directory of the project. If the favicon file is not found, an HTTP 404 " +"error is raised to indicate the resource is unavailable." #: engine/core/views.py:432 msgid "" -"Redirects the request to the admin index page. The function handles incoming" -" HTTP requests and redirects them to the Django admin interface index page. " +"Redirects the request to the admin index page. The function handles incoming " +"HTTP requests and redirects them to the Django admin interface index page. " "It uses Django's `redirect` function for handling the HTTP redirection." msgstr "" -"Redirects the request to the admin index page. The function handles incoming" -" HTTP requests and redirects them to the Django admin interface index page. " +"Redirects the request to the admin index page. The function handles incoming " +"HTTP requests and redirects them to the Django admin interface index page. " "It uses Django's `redirect` function for handling the HTTP redirection." #: engine/core/views.py:445 @@ -3205,17 +3218,15 @@ msgstr "" #: engine/core/viewsets.py:160 msgid "" -"Represents a viewset for managing AttributeGroup objects. Handles operations" -" related to AttributeGroup, including filtering, serialization, and " -"retrieval of data. This class is part of the application's API layer and " -"provides a standardized way to process requests and responses for " -"AttributeGroup data." +"Represents a viewset for managing AttributeGroup objects. Handles operations " +"related to AttributeGroup, including filtering, serialization, and retrieval " +"of data. This class is part of the application's API layer and provides a " +"standardized way to process requests and responses for AttributeGroup data." msgstr "" -"Represents a viewset for managing AttributeGroup objects. Handles operations" -" related to AttributeGroup, including filtering, serialization, and " -"retrieval of data. This class is part of the application's API layer and " -"provides a standardized way to process requests and responses for " -"AttributeGroup data." +"Represents a viewset for managing AttributeGroup objects. Handles operations " +"related to AttributeGroup, including filtering, serialization, and retrieval " +"of data. This class is part of the application's API layer and provides a " +"standardized way to process requests and responses for AttributeGroup data." #: engine/core/viewsets.py:179 msgid "" @@ -3238,14 +3249,14 @@ msgid "" "A viewset for managing AttributeValue objects. This viewset provides " "functionality for listing, retrieving, creating, updating, and deleting " "AttributeValue objects. It integrates with Django REST Framework's viewset " -"mechanisms and uses appropriate serializers for different actions. Filtering" -" capabilities are provided through the DjangoFilterBackend." +"mechanisms and uses appropriate serializers for different actions. Filtering " +"capabilities are provided through the DjangoFilterBackend." msgstr "" "A viewset for managing AttributeValue objects. This viewset provides " "functionality for listing, retrieving, creating, updating, and deleting " "AttributeValue objects. It integrates with Django REST Framework's viewset " -"mechanisms and uses appropriate serializers for different actions. Filtering" -" capabilities are provided through the DjangoFilterBackend." +"mechanisms and uses appropriate serializers for different actions. Filtering " +"capabilities are provided through the DjangoFilterBackend." #: engine/core/viewsets.py:217 msgid "" @@ -3310,15 +3321,15 @@ msgid "" "Representation of a view set handling Feedback objects. This class manages " "operations related to Feedback objects, including listing, filtering, and " "retrieving details. The purpose of this view set is to provide different " -"serializers for different actions and implement permission-based handling of" -" accessible Feedback objects. It extends the base `EvibesViewSet` and makes " +"serializers for different actions and implement permission-based handling of " +"accessible Feedback objects. It extends the base `EvibesViewSet` and makes " "use of Django's filtering system for querying data." msgstr "" "Representation of a view set handling Feedback objects. This class manages " "operations related to Feedback objects, including listing, filtering, and " "retrieving details. The purpose of this view set is to provide different " -"serializers for different actions and implement permission-based handling of" -" accessible Feedback objects. It extends the base `EvibesViewSet` and makes " +"serializers for different actions and implement permission-based handling of " +"accessible Feedback objects. It extends the base `EvibesViewSet` and makes " "use of Django's filtering system for querying data." #: engine/core/viewsets.py:652 @@ -3326,31 +3337,31 @@ msgid "" "ViewSet for managing orders and related operations. This class provides " "functionality to retrieve, modify, and manage order objects. It includes " "various endpoints for handling order operations such as adding or removing " -"products, performing purchases for registered as well as unregistered users," -" and retrieving the current authenticated user's pending orders. The ViewSet" -" uses multiple serializers based on the specific action being performed and " +"products, performing purchases for registered as well as unregistered users, " +"and retrieving the current authenticated user's pending orders. The ViewSet " +"uses multiple serializers based on the specific action being performed and " "enforces permissions accordingly while interacting with order data." msgstr "" "ViewSet for managing orders and related operations. This class provides " "functionality to retrieve, modify, and manage order objects. It includes " "various endpoints for handling order operations such as adding or removing " -"products, performing purchases for registered as well as unregistered users," -" and retrieving the current authenticated user's pending orders. The ViewSet" -" uses multiple serializers based on the specific action being performed and " +"products, performing purchases for registered as well as unregistered users, " +"and retrieving the current authenticated user's pending orders. The ViewSet " +"uses multiple serializers based on the specific action being performed and " "enforces permissions accordingly while interacting with order data." #: engine/core/viewsets.py:914 msgid "" "Provides a viewset for managing OrderProduct entities. This viewset enables " "CRUD operations and custom actions specific to the OrderProduct model. It " -"includes filtering, permission checks, and serializer switching based on the" -" requested action. Additionally, it provides a detailed action for handling " +"includes filtering, permission checks, and serializer switching based on the " +"requested action. Additionally, it provides a detailed action for handling " "feedback on OrderProduct instances" msgstr "" "Provides a viewset for managing OrderProduct entities. This viewset enables " "CRUD operations and custom actions specific to the OrderProduct model. It " -"includes filtering, permission checks, and serializer switching based on the" -" requested action. Additionally, it provides a detailed action for handling " +"includes filtering, permission checks, and serializer switching based on the " +"requested action. Additionally, it provides a detailed action for handling " "feedback on OrderProduct instances" #: engine/core/viewsets.py:974 @@ -3377,16 +3388,16 @@ msgstr "Handles operations related to Stock data in the system." msgid "" "ViewSet for managing Wishlist operations. The WishlistViewSet provides " "endpoints for interacting with a user's wish list, allowing for the " -"retrieval, modification, and customization of products within the wish list." -" This ViewSet facilitates functionality such as adding, removing, and bulk " +"retrieval, modification, and customization of products within the wish list. " +"This ViewSet facilitates functionality such as adding, removing, and bulk " "actions for wishlist products. Permission checks are integrated to ensure " "that users can only manage their own wishlists unless explicit permissions " "are granted." msgstr "" "ViewSet for managing Wishlist operations. The WishlistViewSet provides " "endpoints for interacting with a user's wish list, allowing for the " -"retrieval, modification, and customization of products within the wish list." -" This ViewSet facilitates functionality such as adding, removing, and bulk " +"retrieval, modification, and customization of products within the wish list. " +"This ViewSet facilitates functionality such as adding, removing, and bulk " "actions for wishlist products. Permission checks are integrated to ensure " "that users can only manage their own wishlists unless explicit permissions " "are granted." diff --git a/engine/core/locale/en_US/LC_MESSAGES/django.mo b/engine/core/locale/en_US/LC_MESSAGES/django.mo index 31b39ca2ec3928e7a476b13d690d9da2b93f58ec..920ff3f5f0066e99deba8bfdb8b94d5ec83d1acc 100644 GIT binary patch delta 18 acmcb(iuK|u)(zdqn9cMIH}@So+y?+uZwT@L delta 18 acmcb(iuK|u)(zdqm`(LeHuoJn+y?+uc?k3X diff --git a/engine/core/locale/en_US/LC_MESSAGES/django.po b/engine/core/locale/en_US/LC_MESSAGES/django.po index 309d3c4f..449ff7dd 100644 --- a/engine/core/locale/en_US/LC_MESSAGES/django.po +++ b/engine/core/locale/en_US/LC_MESSAGES/django.po @@ -1,9 +1,9 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-12-21 00:38+0300\n" +"POT-Creation-Date: 2026-01-04 19:25+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" @@ -27,11 +27,9 @@ msgstr "Is Active" #: engine/core/abstract.py:22 msgid "" -"if set to false, this object can't be seen by users without needed " -"permission" +"if set to false, this object can't be seen by users without needed permission" msgstr "" -"If set to false, this object can't be seen by users without needed " -"permission" +"If set to false, this object can't be seen by users without needed permission" #: engine/core/abstract.py:26 engine/core/choices.py:18 msgid "created" @@ -91,8 +89,8 @@ msgstr "Deactivate selected %(verbose_name_plural)s" msgid "selected items have been deactivated." msgstr "Selected items have been deactivated!" -#: engine/core/admin.py:196 engine/core/graphene/object_types.py:652 -#: engine/core/graphene/object_types.py:659 engine/core/models.py:825 +#: engine/core/admin.py:196 engine/core/graphene/object_types.py:653 +#: engine/core/graphene/object_types.py:660 engine/core/models.py:825 #: engine/core/models.py:833 msgid "attribute value" msgstr "Attribute Value" @@ -106,7 +104,7 @@ msgstr "Attribute Values" msgid "image" msgstr "Image" -#: engine/core/admin.py:209 engine/core/graphene/object_types.py:529 +#: engine/core/admin.py:209 engine/core/graphene/object_types.py:530 msgid "images" msgstr "Images" @@ -114,7 +112,7 @@ msgstr "Images" msgid "stock" msgstr "Stock" -#: engine/core/admin.py:221 engine/core/graphene/object_types.py:712 +#: engine/core/admin.py:221 engine/core/graphene/object_types.py:713 msgid "stocks" msgstr "Stocks" @@ -122,7 +120,7 @@ msgstr "Stocks" msgid "order product" msgstr "Order Product" -#: engine/core/admin.py:233 engine/core/graphene/object_types.py:440 +#: engine/core/admin.py:233 engine/core/graphene/object_types.py:441 #: engine/core/models.py:1932 msgid "order products" msgstr "Order Products" @@ -155,8 +153,7 @@ msgstr "Delivered" msgid "canceled" msgstr "Canceled" -#: engine/core/choices.py:8 engine/core/choices.py:16 -#: engine/core/choices.py:24 +#: engine/core/choices.py:8 engine/core/choices.py:16 engine/core/choices.py:24 msgid "failed" msgstr "Failed" @@ -271,8 +268,7 @@ msgid "rewrite an existing attribute group saving non-editables" msgstr "Rewrite an existing attribute group saving non-editables" #: engine/core/docs/drf/viewsets.py:107 -msgid "" -"rewrite some fields of an existing attribute group saving non-editables" +msgid "rewrite some fields of an existing attribute group saving non-editables" msgstr "" "Rewrite some fields of an existing attribute group saving non-editables" @@ -321,8 +317,7 @@ msgid "rewrite an existing attribute value saving non-editables" msgstr "Rewrite an existing attribute value saving non-editables" #: engine/core/docs/drf/viewsets.py:208 -msgid "" -"rewrite some fields of an existing attribute value saving non-editables" +msgid "rewrite some fields of an existing attribute value saving non-editables" msgstr "" "Rewrite some fields of an existing attribute value saving non-editables" @@ -357,8 +352,8 @@ msgstr "Rewrite some fields of an existing category saving non-editables" #: engine/core/docs/drf/viewsets.py:280 engine/core/docs/drf/viewsets.py:757 #: engine/core/docs/drf/viewsets.py:1046 #: engine/core/graphene/object_types.py:119 -#: engine/core/graphene/object_types.py:238 -#: engine/core/graphene/object_types.py:539 +#: engine/core/graphene/object_types.py:239 +#: engine/core/graphene/object_types.py:540 msgid "SEO Meta snapshot" msgstr "SEO Meta snapshot" @@ -376,11 +371,11 @@ msgstr "For non-staff users, only their own orders are returned." #: engine/core/docs/drf/viewsets.py:309 msgid "" -"Case-insensitive substring search across human_readable_id, " -"order_products.product.name, and order_products.product.partnumber" +"Case-insensitive substring search across human_readable_id, order_products." +"product.name, and order_products.product.partnumber" msgstr "" -"Case-insensitive substring search across human_readable_id, " -"order_products.product.name, and order_products.product.partnumber" +"Case-insensitive substring search across human_readable_id, order_products." +"product.name, and order_products.product.partnumber" #: engine/core/docs/drf/viewsets.py:316 msgid "Filter orders with buy_time >= this ISO 8601 datetime" @@ -412,13 +407,13 @@ msgstr "Filter by order status (case-insensitive substring match)" #: engine/core/docs/drf/viewsets.py:354 msgid "" -"Order by one of: uuid, human_readable_id, user_email, user, status, created," -" modified, buy_time, random. Prefix with '-' for descending (e.g. " -"'-buy_time')." +"Order by one of: uuid, human_readable_id, user_email, user, status, created, " +"modified, buy_time, random. Prefix with '-' for descending (e.g. '-" +"buy_time')." msgstr "" -"Order by one of: uuid, human_readable_id, user_email, user, status, created," -" modified, buy_time, random. Prefix with '-' for descending (e.g. " -"'-buy_time')." +"Order by one of: uuid, human_readable_id, user_email, user, status, created, " +"modified, buy_time, random. Prefix with '-' for descending (e.g. '-" +"buy_time')." #: engine/core/docs/drf/viewsets.py:366 msgid "retrieve a single order (detailed view)" @@ -604,17 +599,26 @@ msgstr "" msgid "" "Filter by one or more attribute name/value pairs. \n" "• **Syntax**: `attr_name=method-value[;attr2=method2-value2]…` \n" -"• **Methods** (defaults to `icontains` if omitted): `iexact`, `exact`, `icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, `iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in` \n" -"• **Value typing**: JSON is attempted first (so you can pass lists/dicts), `true`/`false` for booleans, integers, floats; otherwise treated as string. \n" +"• **Methods** (defaults to `icontains` if omitted): `iexact`, `exact`, " +"`icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, " +"`iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in` \n" +"• **Value typing**: JSON is attempted first (so you can pass lists/dicts), " +"`true`/`false` for booleans, integers, floats; otherwise treated as " +"string. \n" "• **Base64**: prefix with `b64-` to URL-safe base64-encode the raw value. \n" "Examples: \n" -"`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\",\"bluetooth\"]`, \n" +"`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\"," +"\"bluetooth\"]`, \n" "`b64-description=icontains-aGVhdC1jb2xk`" msgstr "" "Filter by one or more attribute name/value pairs. \n" "• **Syntax**: `attr_name=method-value[;attr2=method2-value2]…`\n" -"• **Methods** (defaults to `icontains` if omitted): `iexact`, `exact`, `icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, `iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in`\n" -"• **Value typing**: JSON is attempted first (so you can pass lists/dicts), `true`/`false` for booleans, integers, floats; otherwise treated as string. \n" +"• **Methods** (defaults to `icontains` if omitted): `iexact`, `exact`, " +"`icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, " +"`iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in`\n" +"• **Value typing**: JSON is attempted first (so you can pass lists/dicts), " +"`true`/`false` for booleans, integers, floats; otherwise treated as " +"string. \n" "• **Base64**: prefix with `b64-` to URL-safe base64-encode the raw value. \n" "Examples: \n" "`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\",\"bluetooth\"]`,\n" @@ -630,10 +634,12 @@ msgstr "(exact) Product UUID" #: engine/core/docs/drf/viewsets.py:630 msgid "" -"Comma-separated list of fields to sort by. Prefix with `-` for descending. \n" +"Comma-separated list of fields to sort by. Prefix with `-` for " +"descending. \n" "**Allowed:** uuid, rating, name, slug, created, modified, price, random" msgstr "" -"Comma-separated list of fields to sort by. Prefix with `-` for descending. \n" +"Comma-separated list of fields to sort by. Prefix with `-` for " +"descending. \n" "**Allowed:** uuid, rating, name, slug, created, modified, price, random" #: engine/core/docs/drf/viewsets.py:647 engine/core/docs/drf/viewsets.py:648 @@ -1164,11 +1170,11 @@ msgstr "Buy an order" #: engine/core/graphene/mutations.py:542 msgid "" -"please send the attributes as the string formatted like " -"attr1=value1,attr2=value2" +"please send the attributes as the string formatted like attr1=value1," +"attr2=value2" msgstr "" -"Please send the attributes as the string formatted like " -"attr1=value1,attr2=value2" +"Please send the attributes as the string formatted like attr1=value1," +"attr2=value2" #: engine/core/graphene/mutations.py:580 msgid "add or delete a feedback for orderproduct" @@ -1204,8 +1210,8 @@ msgid "elasticsearch - works like a charm" msgstr "ElasticSearch - works like a charm" #: engine/core/graphene/object_types.py:84 -#: engine/core/graphene/object_types.py:419 -#: engine/core/graphene/object_types.py:470 engine/core/models.py:796 +#: engine/core/graphene/object_types.py:420 +#: engine/core/graphene/object_types.py:471 engine/core/models.py:796 #: engine/core/models.py:1290 engine/core/models.py:2022 msgid "attributes" msgstr "Attributes" @@ -1219,8 +1225,8 @@ msgid "groups of attributes" msgstr "Groups of attributes" #: engine/core/graphene/object_types.py:118 -#: engine/core/graphene/object_types.py:216 -#: engine/core/graphene/object_types.py:254 engine/core/models.py:440 +#: engine/core/graphene/object_types.py:217 +#: engine/core/graphene/object_types.py:255 engine/core/models.py:440 msgid "categories" msgstr "Categories" @@ -1228,80 +1234,79 @@ msgstr "Categories" msgid "brands" msgstr "Brands" -#: engine/core/graphene/object_types.py:218 +#: engine/core/graphene/object_types.py:219 msgid "category image url" msgstr "Categories" -#: engine/core/graphene/object_types.py:219 -#: engine/core/graphene/object_types.py:364 engine/core/models.py:278 +#: engine/core/graphene/object_types.py:220 +#: engine/core/graphene/object_types.py:365 engine/core/models.py:278 msgid "markup percentage" msgstr "Markup Percentage" -#: engine/core/graphene/object_types.py:223 +#: engine/core/graphene/object_types.py:224 msgid "which attributes and values can be used for filtering this category." msgstr "Which attributes and values can be used for filtering this category." -#: engine/core/graphene/object_types.py:229 -msgid "" -"minimum and maximum prices for products in this category, if available." +#: engine/core/graphene/object_types.py:230 +msgid "minimum and maximum prices for products in this category, if available." msgstr "" "Minimum and maximum prices for products in this category, if available." -#: engine/core/graphene/object_types.py:233 +#: engine/core/graphene/object_types.py:234 msgid "tags for this category" msgstr "Tags for this category" -#: engine/core/graphene/object_types.py:236 +#: engine/core/graphene/object_types.py:237 msgid "products in this category" msgstr "Products in this category" -#: engine/core/graphene/object_types.py:371 engine/core/models.py:183 +#: engine/core/graphene/object_types.py:372 engine/core/models.py:183 msgid "vendors" msgstr "Vendors" -#: engine/core/graphene/object_types.py:375 +#: engine/core/graphene/object_types.py:376 msgid "Latitude (Y coordinate)" msgstr "Latitude (Y coordinate)" -#: engine/core/graphene/object_types.py:376 +#: engine/core/graphene/object_types.py:377 msgid "Longitude (X coordinate)" msgstr "Longitude (X coordinate)" -#: engine/core/graphene/object_types.py:405 +#: engine/core/graphene/object_types.py:406 msgid "comment" msgstr "How to" -#: engine/core/graphene/object_types.py:407 -#: engine/core/graphene/object_types.py:541 +#: engine/core/graphene/object_types.py:408 +#: engine/core/graphene/object_types.py:542 msgid "rating value from 1 to 10, inclusive, or 0 if not set." msgstr "Rating value from 1 to 10, inclusive, or 0 if not set." -#: engine/core/graphene/object_types.py:415 +#: engine/core/graphene/object_types.py:416 msgid "represents feedback from a user." msgstr "Represents feedback from a user." -#: engine/core/graphene/object_types.py:420 -#: engine/core/graphene/object_types.py:471 engine/core/models.py:1284 +#: engine/core/graphene/object_types.py:421 +#: engine/core/graphene/object_types.py:472 engine/core/models.py:1284 msgid "notifications" msgstr "Notifications" -#: engine/core/graphene/object_types.py:422 +#: engine/core/graphene/object_types.py:423 msgid "download url for this order product if applicable" msgstr "Download url for this order product if applicable" -#: engine/core/graphene/object_types.py:424 engine/core/models.py:1849 +#: engine/core/graphene/object_types.py:425 engine/core/models.py:1849 msgid "feedback" msgstr "Feedback" -#: engine/core/graphene/object_types.py:458 +#: engine/core/graphene/object_types.py:459 msgid "a list of order products in this order" msgstr "A list of order products in this order" -#: engine/core/graphene/object_types.py:460 engine/core/models.py:1254 +#: engine/core/graphene/object_types.py:461 engine/core/models.py:1254 msgid "billing address" msgstr "Billing address" -#: engine/core/graphene/object_types.py:464 +#: engine/core/graphene/object_types.py:465 msgid "" "shipping address for this order, leave blank if same as billing address or " "if not applicable" @@ -1309,53 +1314,53 @@ msgstr "" "Shipping address for this order, leave blank if same as billing address or " "if not applicable" -#: engine/core/graphene/object_types.py:467 +#: engine/core/graphene/object_types.py:468 msgid "total price of this order" msgstr "Total price of this order" -#: engine/core/graphene/object_types.py:468 +#: engine/core/graphene/object_types.py:469 msgid "total quantity of products in order" msgstr "Total quantity of products in order" -#: engine/core/graphene/object_types.py:469 +#: engine/core/graphene/object_types.py:470 msgid "are all products in the order digital" msgstr "Are all of the products in the order digital" -#: engine/core/graphene/object_types.py:473 +#: engine/core/graphene/object_types.py:474 msgid "transactions for this order" msgstr "Transactions for this order" -#: engine/core/graphene/object_types.py:493 engine/core/models.py:1318 +#: engine/core/graphene/object_types.py:494 engine/core/models.py:1318 msgid "orders" msgstr "Orders" -#: engine/core/graphene/object_types.py:514 +#: engine/core/graphene/object_types.py:515 msgid "image url" msgstr "Image URL" -#: engine/core/graphene/object_types.py:521 +#: engine/core/graphene/object_types.py:522 msgid "product's images" msgstr "Product's images" -#: engine/core/graphene/object_types.py:528 engine/core/models.py:439 +#: engine/core/graphene/object_types.py:529 engine/core/models.py:439 #: engine/core/models.py:596 msgid "category" msgstr "Category" -#: engine/core/graphene/object_types.py:530 engine/core/models.py:1850 +#: engine/core/graphene/object_types.py:531 engine/core/models.py:1850 msgid "feedbacks" msgstr "Feedbacks" -#: engine/core/graphene/object_types.py:531 engine/core/models.py:510 +#: engine/core/graphene/object_types.py:532 engine/core/models.py:510 #: engine/core/models.py:605 msgid "brand" msgstr "Brand" -#: engine/core/graphene/object_types.py:533 engine/core/models.py:103 +#: engine/core/graphene/object_types.py:534 engine/core/models.py:103 msgid "attribute groups" msgstr "Attribute groups" -#: engine/core/graphene/object_types.py:535 +#: engine/core/graphene/object_types.py:536 #: engine/core/templates/digital_order_created_email.html:111 #: engine/core/templates/digital_order_delivered_email.html:109 #: engine/core/templates/shipped_order_created_email.html:109 @@ -1363,7 +1368,7 @@ msgstr "Attribute groups" msgid "price" msgstr "Price" -#: engine/core/graphene/object_types.py:536 +#: engine/core/graphene/object_types.py:537 #: engine/core/templates/digital_order_created_email.html:110 #: engine/core/templates/digital_order_delivered_email.html:108 #: engine/core/templates/shipped_order_created_email.html:108 @@ -1371,39 +1376,39 @@ msgstr "Price" msgid "quantity" msgstr "Quantity" -#: engine/core/graphene/object_types.py:537 +#: engine/core/graphene/object_types.py:538 msgid "number of feedbacks" msgstr "Number of feedbacks" -#: engine/core/graphene/object_types.py:538 +#: engine/core/graphene/object_types.py:539 msgid "only available for personal orders" msgstr "Products only available for personal orders" -#: engine/core/graphene/object_types.py:543 +#: engine/core/graphene/object_types.py:544 msgid "discount price" msgstr "Discount price" -#: engine/core/graphene/object_types.py:567 engine/core/models.py:677 +#: engine/core/graphene/object_types.py:568 engine/core/models.py:677 msgid "products" msgstr "Products" -#: engine/core/graphene/object_types.py:677 +#: engine/core/graphene/object_types.py:678 msgid "promocodes" msgstr "Promocodes" -#: engine/core/graphene/object_types.py:692 +#: engine/core/graphene/object_types.py:693 msgid "products on sale" msgstr "Products on sale" -#: engine/core/graphene/object_types.py:700 engine/core/models.py:928 +#: engine/core/graphene/object_types.py:701 engine/core/models.py:928 msgid "promotions" msgstr "Promotions" -#: engine/core/graphene/object_types.py:704 engine/core/models.py:182 +#: engine/core/graphene/object_types.py:705 engine/core/models.py:182 msgid "vendor" msgstr "Vendor" -#: engine/core/graphene/object_types.py:705 engine/core/models.py:676 +#: engine/core/graphene/object_types.py:706 engine/core/models.py:676 #: engine/core/templates/digital_order_created_email.html:109 #: engine/core/templates/digital_order_delivered_email.html:107 #: engine/core/templates/shipped_order_created_email.html:107 @@ -1411,98 +1416,98 @@ msgstr "Vendor" msgid "product" msgstr "Product" -#: engine/core/graphene/object_types.py:717 engine/core/models.py:951 +#: engine/core/graphene/object_types.py:718 engine/core/models.py:951 msgid "wishlisted products" msgstr "Wishlisted products" -#: engine/core/graphene/object_types.py:724 engine/core/models.py:968 +#: engine/core/graphene/object_types.py:725 engine/core/models.py:968 msgid "wishlists" msgstr "Wishlists" -#: engine/core/graphene/object_types.py:729 +#: engine/core/graphene/object_types.py:730 msgid "tagged products" msgstr "Tagged products" -#: engine/core/graphene/object_types.py:737 engine/core/models.py:219 +#: engine/core/graphene/object_types.py:738 engine/core/models.py:219 #: engine/core/models.py:611 msgid "product tags" msgstr "Product tags" -#: engine/core/graphene/object_types.py:742 +#: engine/core/graphene/object_types.py:743 msgid "tagged categories" msgstr "Tagged categories" -#: engine/core/graphene/object_types.py:750 +#: engine/core/graphene/object_types.py:751 msgid "categories tags" msgstr "Categories' tags" -#: engine/core/graphene/object_types.py:754 +#: engine/core/graphene/object_types.py:755 msgid "project name" msgstr "Project name" -#: engine/core/graphene/object_types.py:755 +#: engine/core/graphene/object_types.py:756 msgid "company name" msgstr "Company Name" -#: engine/core/graphene/object_types.py:756 +#: engine/core/graphene/object_types.py:757 msgid "company address" msgstr "Company Address" -#: engine/core/graphene/object_types.py:757 +#: engine/core/graphene/object_types.py:758 msgid "company phone number" msgstr "Company Phone Number" -#: engine/core/graphene/object_types.py:760 +#: engine/core/graphene/object_types.py:761 msgid "email from, sometimes it must be used instead of host user value" msgstr "'email from', sometimes it must be used instead of host user value" -#: engine/core/graphene/object_types.py:763 +#: engine/core/graphene/object_types.py:764 msgid "email host user" msgstr "Email host user" -#: engine/core/graphene/object_types.py:764 +#: engine/core/graphene/object_types.py:765 msgid "maximum amount for payment" msgstr "Maximum amount for payment" -#: engine/core/graphene/object_types.py:765 +#: engine/core/graphene/object_types.py:766 msgid "minimum amount for payment" msgstr "Minimum amount for payment" -#: engine/core/graphene/object_types.py:766 +#: engine/core/graphene/object_types.py:767 msgid "analytics data" msgstr "Analytics data" -#: engine/core/graphene/object_types.py:767 +#: engine/core/graphene/object_types.py:768 msgid "advertisement data" msgstr "Advertisement data" -#: engine/core/graphene/object_types.py:770 +#: engine/core/graphene/object_types.py:771 msgid "company configuration" msgstr "Configuration" -#: engine/core/graphene/object_types.py:774 +#: engine/core/graphene/object_types.py:775 msgid "language code" msgstr "Language code" -#: engine/core/graphene/object_types.py:775 +#: engine/core/graphene/object_types.py:776 msgid "language name" msgstr "Language name" -#: engine/core/graphene/object_types.py:776 +#: engine/core/graphene/object_types.py:777 msgid "language flag, if exists :)" msgstr "Language flag, if exists :)" -#: engine/core/graphene/object_types.py:779 +#: engine/core/graphene/object_types.py:780 msgid "supported languages" msgstr "Get a list of supported languages" -#: engine/core/graphene/object_types.py:811 -#: engine/core/graphene/object_types.py:814 -#: engine/core/graphene/object_types.py:817 +#: engine/core/graphene/object_types.py:812 +#: engine/core/graphene/object_types.py:815 +#: engine/core/graphene/object_types.py:818 msgid "products search results" msgstr "Products search results" -#: engine/core/graphene/object_types.py:819 +#: engine/core/graphene/object_types.py:820 msgid "posts search results" msgstr "Products search results" @@ -1716,14 +1721,12 @@ msgid "" "Represents a Brand object in the system. This class handles information and " "attributes related to a brand, including its name, logos, description, " "associated categories, a unique slug, and priority order. It allows for the " -"organization and representation of brand-related data within the " -"application." +"organization and representation of brand-related data within the application." msgstr "" "Represents a Brand object in the system. This class handles information and " "attributes related to a brand, including its name, logos, description, " "associated categories, a unique slug, and priority order. It allows for the " -"organization and representation of brand-related data within the " -"application." +"organization and representation of brand-related data within the application." #: engine/core/models.py:456 msgid "name of this brand" @@ -1767,15 +1770,15 @@ msgstr "Categories" #: engine/core/models.py:516 msgid "" -"Represents the stock of a product managed in the system. This class provides" -" details about the relationship between vendors, products, and their stock " +"Represents the stock of a product managed in the system. This class provides " +"details about the relationship between vendors, products, and their stock " "information, as well as inventory-related properties like price, purchase " "price, quantity, SKU, and digital assets. It is part of the inventory " "management system to allow tracking and evaluation of products available " "from various vendors." msgstr "" -"Represents the stock of a product managed in the system. This class provides" -" details about the relationship between vendors, products, and their stock " +"Represents the stock of a product managed in the system. This class provides " +"details about the relationship between vendors, products, and their stock " "information, as well as inventory-related properties like price, purchase " "price, quantity, SKU, and digital assets. It is part of the inventory " "management system to allow tracking and evaluation of products available " @@ -1927,15 +1930,15 @@ msgid "" "Represents an attribute in the system. This class is used to define and " "manage attributes, which are customizable pieces of data that can be " "associated with other entities. Attributes have associated categories, " -"groups, value types, and names. The model supports multiple types of values," -" including string, integer, float, boolean, array, and object. This allows " +"groups, value types, and names. The model supports multiple types of values, " +"including string, integer, float, boolean, array, and object. This allows " "for dynamic and flexible data structuring." msgstr "" "Represents an attribute in the system. This class is used to define and " "manage attributes, which are customizable pieces of data that can be " "associated with other entities. Attributes have associated categories, " -"groups, value types, and names. The model supports multiple types of values," -" including string, integer, float, boolean, array, and object. This allows " +"groups, value types, and names. The model supports multiple types of values, " +"including string, integer, float, boolean, array, and object. This allows " "for dynamic and flexible data structuring." #: engine/core/models.py:755 @@ -1997,13 +2000,13 @@ msgstr "Attribute" #: engine/core/models.py:801 msgid "" -"Represents a specific value for an attribute that is linked to a product. It" -" links the 'attribute' to a unique 'value', allowing better organization and" -" dynamic representation of product characteristics." +"Represents a specific value for an attribute that is linked to a product. It " +"links the 'attribute' to a unique 'value', allowing better organization and " +"dynamic representation of product characteristics." msgstr "" -"Represents a specific value for an attribute that is linked to a product. It" -" links the 'attribute' to a unique 'value', allowing better organization and" -" dynamic representation of product characteristics." +"Represents a specific value for an attribute that is linked to a product. It " +"links the 'attribute' to a unique 'value', allowing better organization and " +"dynamic representation of product characteristics." #: engine/core/models.py:812 msgid "attribute of this value" @@ -2020,14 +2023,14 @@ msgstr "The specific value for this attribute" #: engine/core/models.py:839 msgid "" "Represents a product image associated with a product in the system. This " -"class is designed to manage images for products, including functionality for" -" uploading image files, associating them with specific products, and " +"class is designed to manage images for products, including functionality for " +"uploading image files, associating them with specific products, and " "determining their display order. It also includes an accessibility feature " "with alternative text for the images." msgstr "" "Represents a product image associated with a product in the system. This " -"class is designed to manage images for products, including functionality for" -" uploading image files, associating them with specific products, and " +"class is designed to manage images for products, including functionality for " +"uploading image files, associating them with specific products, and " "determining their display order. It also includes an accessibility feature " "with alternative text for the images." @@ -2069,15 +2072,15 @@ msgid "" "is used to define and manage promotional campaigns that offer a percentage-" "based discount for products. The class includes attributes for setting the " "discount rate, providing details about the promotion, and linking it to the " -"applicable products. It integrates with the product catalog to determine the" -" affected items in the campaign." +"applicable products. It integrates with the product catalog to determine the " +"affected items in the campaign." msgstr "" "Represents a promotional campaign for products with a discount. This class " "is used to define and manage promotional campaigns that offer a percentage-" "based discount for products. The class includes attributes for setting the " "discount rate, providing details about the promotion, and linking it to the " -"applicable products. It integrates with the product catalog to determine the" -" affected items in the campaign." +"applicable products. It integrates with the product catalog to determine the " +"affected items in the campaign." #: engine/core/models.py:904 msgid "percentage discount for the selected products" @@ -2145,15 +2148,15 @@ msgid "" "store information about documentaries related to specific products, " "including file uploads and their metadata. It contains methods and " "properties to handle the file type and storage path for the documentary " -"files. It extends functionality from specific mixins and provides additional" -" custom features." +"files. It extends functionality from specific mixins and provides additional " +"custom features." msgstr "" "Represents a documentary record tied to a product. This class is used to " "store information about documentaries related to specific products, " "including file uploads and their metadata. It contains methods and " "properties to handle the file type and storage path for the documentary " -"files. It extends functionality from specific mixins and provides additional" -" custom features." +"files. It extends functionality from specific mixins and provides additional " +"custom features." #: engine/core/models.py:1024 msgid "documentary" @@ -2169,23 +2172,23 @@ msgstr "Unresolved" #: engine/core/models.py:1040 msgid "" -"Represents an address entity that includes location details and associations" -" with a user. Provides functionality for geographic and address data " -"storage, as well as integration with geocoding services. This class is " -"designed to store detailed address information including components like " -"street, city, region, country, and geolocation (longitude and latitude). It " -"supports integration with geocoding APIs, enabling the storage of raw API " -"responses for further processing or inspection. The class also allows " -"associating an address with a user, facilitating personalized data handling." +"Represents an address entity that includes location details and associations " +"with a user. Provides functionality for geographic and address data storage, " +"as well as integration with geocoding services. This class is designed to " +"store detailed address information including components like street, city, " +"region, country, and geolocation (longitude and latitude). It supports " +"integration with geocoding APIs, enabling the storage of raw API responses " +"for further processing or inspection. The class also allows associating an " +"address with a user, facilitating personalized data handling." msgstr "" -"Represents an address entity that includes location details and associations" -" with a user. Provides functionality for geographic and address data " -"storage, as well as integration with geocoding services. This class is " -"designed to store detailed address information including components like " -"street, city, region, country, and geolocation (longitude and latitude). It " -"supports integration with geocoding APIs, enabling the storage of raw API " -"responses for further processing or inspection. The class also allows " -"associating an address with a user, facilitating personalized data handling." +"Represents an address entity that includes location details and associations " +"with a user. Provides functionality for geographic and address data storage, " +"as well as integration with geocoding services. This class is designed to " +"store detailed address information including components like street, city, " +"region, country, and geolocation (longitude and latitude). It supports " +"integration with geocoding APIs, enabling the storage of raw API responses " +"for further processing or inspection. The class also allows associating an " +"address with a user, facilitating personalized data handling." #: engine/core/models.py:1055 msgid "address line for the customer" @@ -2340,15 +2343,15 @@ msgstr "Invalid discount type for promocode {self.uuid}!" msgid "" "Represents an order placed by a user. This class models an order within the " "application, including its various attributes such as billing and shipping " -"information, status, associated user, notifications, and related operations." -" Orders can have associated products, promotions can be applied, addresses " +"information, status, associated user, notifications, and related operations. " +"Orders can have associated products, promotions can be applied, addresses " "set, and shipping or billing details updated. Equally, functionality " "supports managing the products in the order lifecycle." msgstr "" "Represents an order placed by a user. This class models an order within the " "application, including its various attributes such as billing and shipping " -"information, status, associated user, notifications, and related operations." -" Orders can have associated products, promotions can be applied, addresses " +"information, status, associated user, notifications, and related operations. " +"Orders can have associated products, promotions can be applied, addresses " "set, and shipping or billing details updated. Equally, functionality " "supports managing the products in the order lifecycle." @@ -2519,8 +2522,7 @@ msgid "feedback comments" msgstr "Feedback comments" #: engine/core/models.py:1827 -msgid "" -"references the specific product in an order that this feedback is about" +msgid "references the specific product in an order that this feedback is about" msgstr "" "References the specific product in an order that this feedback is about" @@ -2664,16 +2666,16 @@ msgid "" "Represents the downloading functionality for digital assets associated with " "orders. The DigitalAssetDownload class provides the ability to manage and " "access downloads related to order products. It maintains information about " -"the associated order product, the number of downloads, and whether the asset" -" is publicly visible. It includes a method to generate a URL for downloading" -" the asset when the associated order is in a completed status." +"the associated order product, the number of downloads, and whether the asset " +"is publicly visible. It includes a method to generate a URL for downloading " +"the asset when the associated order is in a completed status." msgstr "" "Represents the downloading functionality for digital assets associated with " "orders. The DigitalAssetDownload class provides the ability to manage and " "access downloads related to order products. It maintains information about " -"the associated order product, the number of downloads, and whether the asset" -" is publicly visible. It includes a method to generate a URL for downloading" -" the asset when the associated order is in a completed status." +"the associated order product, the number of downloads, and whether the asset " +"is publicly visible. It includes a method to generate a URL for downloading " +"the asset when the associated order is in a completed status." #: engine/core/models.py:2092 msgid "download" @@ -2879,11 +2881,12 @@ msgstr "Hello %(order.user.first_name)s," #, python-format msgid "" "thank you for your order #%(order.pk)s! we are pleased to inform you that\n" -" we have taken your order into work. below are the details of your\n" +" we have taken your order into work. below are " +"the details of your\n" " order:" msgstr "" -"Thank you for your order #%(order.pk)s! We are pleased to inform you that we" -" have taken your order into work. Below are the details of your order:" +"Thank you for your order #%(order.pk)s! We are pleased to inform you that we " +"have taken your order into work. Below are the details of your order:" #: engine/core/templates/digital_order_created_email.html:112 #: engine/core/templates/digital_order_delivered_email.html:110 @@ -2993,11 +2996,12 @@ msgstr "" #: engine/core/templates/shipped_order_created_email.html:101 #: engine/core/templates/shipped_order_delivered_email.html:101 msgid "" -"thank you for your order! we are pleased to confirm your purchase. below are\n" +"thank you for your order! we are pleased to confirm your purchase. below " +"are\n" " the details of your order:" msgstr "" -"Thank you for your order! We are pleased to confirm your purchase. Below are" -" the details of your order:" +"Thank you for your order! We are pleased to confirm your purchase. Below are " +"the details of your order:" #: engine/core/templates/shipped_order_created_email.html:123 #: engine/core/templates/shipped_order_delivered_email.html:123 @@ -3125,10 +3129,14 @@ msgstr "Handles the logic of buying as a business without registration." #: engine/core/views.py:337 msgid "" "Handles the downloading of a digital asset associated with an order.\n" -"This function attempts to serve the digital asset file located in the storage directory of the project. If the file is not found, an HTTP 404 error is raised to indicate the resource is unavailable." +"This function attempts to serve the digital asset file located in the " +"storage directory of the project. If the file is not found, an HTTP 404 " +"error is raised to indicate the resource is unavailable." msgstr "" "Handles the downloading of a digital asset associated with an order.\n" -"This function attempts to serve the digital asset file located in the storage directory of the project. If the file is not found, an HTTP 404 error is raised to indicate the resource is unavailable." +"This function attempts to serve the digital asset file located in the " +"storage directory of the project. If the file is not found, an HTTP 404 " +"error is raised to indicate the resource is unavailable." #: engine/core/views.py:348 msgid "order_product_uuid is required" @@ -3157,19 +3165,23 @@ msgstr "favicon not found" #: engine/core/views.py:418 msgid "" "Handles requests for the favicon of a website.\n" -"This function attempts to serve the favicon file located in the static directory of the project. If the favicon file is not found, an HTTP 404 error is raised to indicate the resource is unavailable." +"This function attempts to serve the favicon file located in the static " +"directory of the project. If the favicon file is not found, an HTTP 404 " +"error is raised to indicate the resource is unavailable." msgstr "" "Handles requests for the favicon of a website.\n" -"This function attempts to serve the favicon file located in the static directory of the project. If the favicon file is not found, an HTTP 404 error is raised to indicate the resource is unavailable." +"This function attempts to serve the favicon file located in the static " +"directory of the project. If the favicon file is not found, an HTTP 404 " +"error is raised to indicate the resource is unavailable." #: engine/core/views.py:432 msgid "" -"Redirects the request to the admin index page. The function handles incoming" -" HTTP requests and redirects them to the Django admin interface index page. " +"Redirects the request to the admin index page. The function handles incoming " +"HTTP requests and redirects them to the Django admin interface index page. " "It uses Django's `redirect` function for handling the HTTP redirection." msgstr "" -"Redirects the request to the admin index page. The function handles incoming" -" HTTP requests and redirects them to the Django admin interface index page. " +"Redirects the request to the admin index page. The function handles incoming " +"HTTP requests and redirects them to the Django admin interface index page. " "It uses Django's `redirect` function for handling the HTTP redirection." #: engine/core/views.py:445 @@ -3201,17 +3213,15 @@ msgstr "" #: engine/core/viewsets.py:160 msgid "" -"Represents a viewset for managing AttributeGroup objects. Handles operations" -" related to AttributeGroup, including filtering, serialization, and " -"retrieval of data. This class is part of the application's API layer and " -"provides a standardized way to process requests and responses for " -"AttributeGroup data." +"Represents a viewset for managing AttributeGroup objects. Handles operations " +"related to AttributeGroup, including filtering, serialization, and retrieval " +"of data. This class is part of the application's API layer and provides a " +"standardized way to process requests and responses for AttributeGroup data." msgstr "" -"Represents a viewset for managing AttributeGroup objects. Handles operations" -" related to AttributeGroup, including filtering, serialization, and " -"retrieval of data. This class is part of the application's API layer and " -"provides a standardized way to process requests and responses for " -"AttributeGroup data." +"Represents a viewset for managing AttributeGroup objects. Handles operations " +"related to AttributeGroup, including filtering, serialization, and retrieval " +"of data. This class is part of the application's API layer and provides a " +"standardized way to process requests and responses for AttributeGroup data." #: engine/core/viewsets.py:179 msgid "" @@ -3234,14 +3244,14 @@ msgid "" "A viewset for managing AttributeValue objects. This viewset provides " "functionality for listing, retrieving, creating, updating, and deleting " "AttributeValue objects. It integrates with Django REST Framework's viewset " -"mechanisms and uses appropriate serializers for different actions. Filtering" -" capabilities are provided through the DjangoFilterBackend." +"mechanisms and uses appropriate serializers for different actions. Filtering " +"capabilities are provided through the DjangoFilterBackend." msgstr "" "A viewset for managing AttributeValue objects. This viewset provides " "functionality for listing, retrieving, creating, updating, and deleting " "AttributeValue objects. It integrates with Django REST Framework's viewset " -"mechanisms and uses appropriate serializers for different actions. Filtering" -" capabilities are provided through the DjangoFilterBackend." +"mechanisms and uses appropriate serializers for different actions. Filtering " +"capabilities are provided through the DjangoFilterBackend." #: engine/core/viewsets.py:217 msgid "" @@ -3306,15 +3316,15 @@ msgid "" "Representation of a view set handling Feedback objects. This class manages " "operations related to Feedback objects, including listing, filtering, and " "retrieving details. The purpose of this view set is to provide different " -"serializers for different actions and implement permission-based handling of" -" accessible Feedback objects. It extends the base `EvibesViewSet` and makes " +"serializers for different actions and implement permission-based handling of " +"accessible Feedback objects. It extends the base `EvibesViewSet` and makes " "use of Django's filtering system for querying data." msgstr "" "Representation of a view set handling Feedback objects. This class manages " "operations related to Feedback objects, including listing, filtering, and " "retrieving details. The purpose of this view set is to provide different " -"serializers for different actions and implement permission-based handling of" -" accessible Feedback objects. It extends the base `EvibesViewSet` and makes " +"serializers for different actions and implement permission-based handling of " +"accessible Feedback objects. It extends the base `EvibesViewSet` and makes " "use of Django's filtering system for querying data." #: engine/core/viewsets.py:652 @@ -3322,31 +3332,31 @@ msgid "" "ViewSet for managing orders and related operations. This class provides " "functionality to retrieve, modify, and manage order objects. It includes " "various endpoints for handling order operations such as adding or removing " -"products, performing purchases for registered as well as unregistered users," -" and retrieving the current authenticated user's pending orders. The ViewSet" -" uses multiple serializers based on the specific action being performed and " +"products, performing purchases for registered as well as unregistered users, " +"and retrieving the current authenticated user's pending orders. The ViewSet " +"uses multiple serializers based on the specific action being performed and " "enforces permissions accordingly while interacting with order data." msgstr "" "ViewSet for managing orders and related operations. This class provides " "functionality to retrieve, modify, and manage order objects. It includes " "various endpoints for handling order operations such as adding or removing " -"products, performing purchases for registered as well as unregistered users," -" and retrieving the current authenticated user's pending orders. The ViewSet" -" uses multiple serializers based on the specific action being performed and " +"products, performing purchases for registered as well as unregistered users, " +"and retrieving the current authenticated user's pending orders. The ViewSet " +"uses multiple serializers based on the specific action being performed and " "enforces permissions accordingly while interacting with order data." #: engine/core/viewsets.py:914 msgid "" "Provides a viewset for managing OrderProduct entities. This viewset enables " "CRUD operations and custom actions specific to the OrderProduct model. It " -"includes filtering, permission checks, and serializer switching based on the" -" requested action. Additionally, it provides a detailed action for handling " +"includes filtering, permission checks, and serializer switching based on the " +"requested action. Additionally, it provides a detailed action for handling " "feedback on OrderProduct instances" msgstr "" "Provides a viewset for managing OrderProduct entities. This viewset enables " "CRUD operations and custom actions specific to the OrderProduct model. It " -"includes filtering, permission checks, and serializer switching based on the" -" requested action. Additionally, it provides a detailed action for handling " +"includes filtering, permission checks, and serializer switching based on the " +"requested action. Additionally, it provides a detailed action for handling " "feedback on OrderProduct instances" #: engine/core/viewsets.py:974 @@ -3373,16 +3383,16 @@ msgstr "Handles operations related to Stock data in the system." msgid "" "ViewSet for managing Wishlist operations. The WishlistViewSet provides " "endpoints for interacting with a user's wish list, allowing for the " -"retrieval, modification, and customization of products within the wish list." -" This ViewSet facilitates functionality such as adding, removing, and bulk " +"retrieval, modification, and customization of products within the wish list. " +"This ViewSet facilitates functionality such as adding, removing, and bulk " "actions for wishlist products. Permission checks are integrated to ensure " "that users can only manage their own wishlists unless explicit permissions " "are granted." msgstr "" "ViewSet for managing Wishlist operations. The WishlistViewSet provides " "endpoints for interacting with a user's wish list, allowing for the " -"retrieval, modification, and customization of products within the wish list." -" This ViewSet facilitates functionality such as adding, removing, and bulk " +"retrieval, modification, and customization of products within the wish list. " +"This ViewSet facilitates functionality such as adding, removing, and bulk " "actions for wishlist products. Permission checks are integrated to ensure " "that users can only manage their own wishlists unless explicit permissions " "are granted." diff --git a/engine/core/locale/es_ES/LC_MESSAGES/django.mo b/engine/core/locale/es_ES/LC_MESSAGES/django.mo index c1a47764f4e26541fc46a364ab3ebbf680c35c10..535f744ee3d202b69ceb12fcc99ee20c809dfc0c 100644 GIT binary patch delta 18 acmex-m-X{q)(zdqn9cMIH}@S&T>$`ITnShJ delta 18 acmex-m-X{q)(zdqm`(LeHuoJ%T>$`IW(isV diff --git a/engine/core/locale/es_ES/LC_MESSAGES/django.po b/engine/core/locale/es_ES/LC_MESSAGES/django.po index fdee7f21..c42f0f97 100644 --- a/engine/core/locale/es_ES/LC_MESSAGES/django.po +++ b/engine/core/locale/es_ES/LC_MESSAGES/django.po @@ -1,9 +1,9 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-12-21 00:38+0300\n" +"POT-Creation-Date: 2026-01-04 19:25+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" @@ -29,8 +29,7 @@ msgstr "Está activo" #: engine/core/abstract.py:22 msgid "" -"if set to false, this object can't be seen by users without needed " -"permission" +"if set to false, this object can't be seen by users without needed permission" msgstr "" "Si se establece en false, este objeto no puede ser visto por los usuarios " "sin el permiso necesario" @@ -93,8 +92,8 @@ msgstr "Desactivar %(verbose_name_plural)s seleccionado" msgid "selected items have been deactivated." msgstr "Los artículos seleccionados se han desactivado." -#: engine/core/admin.py:196 engine/core/graphene/object_types.py:652 -#: engine/core/graphene/object_types.py:659 engine/core/models.py:825 +#: engine/core/admin.py:196 engine/core/graphene/object_types.py:653 +#: engine/core/graphene/object_types.py:660 engine/core/models.py:825 #: engine/core/models.py:833 msgid "attribute value" msgstr "Atributo Valor" @@ -108,7 +107,7 @@ msgstr "Valores de los atributos" msgid "image" msgstr "Imagen" -#: engine/core/admin.py:209 engine/core/graphene/object_types.py:529 +#: engine/core/admin.py:209 engine/core/graphene/object_types.py:530 msgid "images" msgstr "Imágenes" @@ -116,7 +115,7 @@ msgstr "Imágenes" msgid "stock" msgstr "Stock" -#: engine/core/admin.py:221 engine/core/graphene/object_types.py:712 +#: engine/core/admin.py:221 engine/core/graphene/object_types.py:713 msgid "stocks" msgstr "Acciones" @@ -124,7 +123,7 @@ msgstr "Acciones" msgid "order product" msgstr "Pedir un producto" -#: engine/core/admin.py:233 engine/core/graphene/object_types.py:440 +#: engine/core/admin.py:233 engine/core/graphene/object_types.py:441 #: engine/core/models.py:1932 msgid "order products" msgstr "Pedir productos" @@ -157,8 +156,7 @@ msgstr "Entregado" msgid "canceled" msgstr "Cancelado" -#: engine/core/choices.py:8 engine/core/choices.py:16 -#: engine/core/choices.py:24 +#: engine/core/choices.py:8 engine/core/choices.py:16 engine/core/choices.py:24 msgid "failed" msgstr "Fallido" @@ -210,7 +208,8 @@ msgid "" "apply key, data and timeout with authentication to write data to cache." msgstr "" "Aplicar sólo una clave para leer datos permitidos de la caché.\n" -"Aplicar clave, datos y tiempo de espera con autenticación para escribir datos en la caché." +"Aplicar clave, datos y tiempo de espera con autenticación para escribir " +"datos en la caché." #: engine/core/docs/drf/views.py:66 msgid "get a list of supported languages" @@ -246,8 +245,8 @@ msgid "" "purchase an order as a business, using the provided `products` with " "`product_uuid` and `attributes`." msgstr "" -"Compra un pedido como empresa, utilizando los `productos` proporcionados con" -" `product_uuid` y `attributes`." +"Compra un pedido como empresa, utilizando los `productos` proporcionados con " +"`product_uuid` y `attributes`." #: engine/core/docs/drf/views.py:180 msgid "download a digital asset from purchased digital order" @@ -274,8 +273,7 @@ msgid "rewrite an existing attribute group saving non-editables" msgstr "Reescribir un grupo de atributos existente guardando los no editables" #: engine/core/docs/drf/viewsets.py:107 -msgid "" -"rewrite some fields of an existing attribute group saving non-editables" +msgid "rewrite some fields of an existing attribute group saving non-editables" msgstr "" "Reescribir algunos campos de un grupo de atributos existente guardando los " "no editables" @@ -303,8 +301,7 @@ msgstr "Reescribir un atributo existente guardando los no editables" #: engine/core/docs/drf/viewsets.py:156 msgid "rewrite some fields of an existing attribute saving non-editables" msgstr "" -"Reescribir algunos campos de un atributo existente guardando los no " -"editables" +"Reescribir algunos campos de un atributo existente guardando los no editables" #: engine/core/docs/drf/viewsets.py:166 msgid "list all attribute values (simple view)" @@ -327,11 +324,10 @@ msgid "rewrite an existing attribute value saving non-editables" msgstr "Reescribir un valor de atributo existente guardando los no editables" #: engine/core/docs/drf/viewsets.py:208 -msgid "" -"rewrite some fields of an existing attribute value saving non-editables" +msgid "rewrite some fields of an existing attribute value saving non-editables" msgstr "" -"Reescribir algunos campos de un valor de atributo existente guardando los no" -" editables" +"Reescribir algunos campos de un valor de atributo existente guardando los no " +"editables" #: engine/core/docs/drf/viewsets.py:219 engine/core/docs/drf/viewsets.py:220 msgid "list all categories (simple view)" @@ -366,8 +362,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:280 engine/core/docs/drf/viewsets.py:757 #: engine/core/docs/drf/viewsets.py:1046 #: engine/core/graphene/object_types.py:119 -#: engine/core/graphene/object_types.py:238 -#: engine/core/graphene/object_types.py:539 +#: engine/core/graphene/object_types.py:239 +#: engine/core/graphene/object_types.py:540 msgid "SEO Meta snapshot" msgstr "SEO Meta snapshot" @@ -387,12 +383,12 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:309 msgid "" -"Case-insensitive substring search across human_readable_id, " -"order_products.product.name, and order_products.product.partnumber" +"Case-insensitive substring search across human_readable_id, order_products." +"product.name, and order_products.product.partnumber" msgstr "" "Búsqueda de subcadenas sin distinción entre mayúsculas y minúsculas en " -"human_readable_id, order_products.product.name y " -"order_products.product.partnumber" +"human_readable_id, order_products.product.name y order_products.product." +"partnumber" #: engine/core/docs/drf/viewsets.py:316 msgid "Filter orders with buy_time >= this ISO 8601 datetime" @@ -413,8 +409,8 @@ msgstr "Filtrar por ID de pedido exacto legible por el ser humano" #: engine/core/docs/drf/viewsets.py:336 msgid "Filter by user's email (case-insensitive exact match)" msgstr "" -"Filtrar por correo electrónico del usuario (coincidencia exacta insensible a" -" mayúsculas y minúsculas)" +"Filtrar por correo electrónico del usuario (coincidencia exacta insensible a " +"mayúsculas y minúsculas)" #: engine/core/docs/drf/viewsets.py:341 msgid "Filter by user's UUID" @@ -428,9 +424,9 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:354 msgid "" -"Order by one of: uuid, human_readable_id, user_email, user, status, created," -" modified, buy_time, random. Prefix with '-' for descending (e.g. " -"'-buy_time')." +"Order by one of: uuid, human_readable_id, user_email, user, status, created, " +"modified, buy_time, random. Prefix with '-' for descending (e.g. '-" +"buy_time')." msgstr "" "Ordenar por: uuid, human_readable_id, user_email, user, status, created, " "modified, buy_time, random. Utilice el prefijo '-' para orden descendente " @@ -577,8 +573,7 @@ msgstr "Reescribir un atributo existente guardando los no editables" #: engine/core/docs/drf/viewsets.py:537 msgid "rewrite some fields of an existing wishlist saving non-editables" msgstr "" -"Reescribir algunos campos de un atributo existente guardando los no " -"editables" +"Reescribir algunos campos de un atributo existente guardando los no editables" #: engine/core/docs/drf/viewsets.py:544 msgid "retrieve current pending wishlist of a user" @@ -633,20 +628,31 @@ msgstr "" msgid "" "Filter by one or more attribute name/value pairs. \n" "• **Syntax**: `attr_name=method-value[;attr2=method2-value2]…` \n" -"• **Methods** (defaults to `icontains` if omitted): `iexact`, `exact`, `icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, `iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in` \n" -"• **Value typing**: JSON is attempted first (so you can pass lists/dicts), `true`/`false` for booleans, integers, floats; otherwise treated as string. \n" +"• **Methods** (defaults to `icontains` if omitted): `iexact`, `exact`, " +"`icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, " +"`iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in` \n" +"• **Value typing**: JSON is attempted first (so you can pass lists/dicts), " +"`true`/`false` for booleans, integers, floats; otherwise treated as " +"string. \n" "• **Base64**: prefix with `b64-` to URL-safe base64-encode the raw value. \n" "Examples: \n" -"`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\",\"bluetooth\"]`, \n" +"`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\"," +"\"bluetooth\"]`, \n" "`b64-description=icontains-aGVhdC1jb2xk`" msgstr "" "Filtrar por uno o varios pares nombre/valor de atributo. \n" "- Sintaxis**: `nombre_attr=método-valor[;attr2=método2-valor2]...`.\n" -"- Métodos** (por defecto `icontiene` si se omite): `iexact`, `exact`, `icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, `iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in`.\n" -"- Tipificación de valores**: Se intenta primero JSON (para poder pasar listas/dictos), `true`/`false` para booleanos, enteros, flotantes; en caso contrario se trata como cadena. \n" -"- Base64**: prefiérelo con `b64-` para codificar en base64 el valor sin procesar. \n" +"- Métodos** (por defecto `icontiene` si se omite): `iexact`, `exact`, " +"`icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, " +"`iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in`.\n" +"- Tipificación de valores**: Se intenta primero JSON (para poder pasar " +"listas/dictos), `true`/`false` para booleanos, enteros, flotantes; en caso " +"contrario se trata como cadena. \n" +"- Base64**: prefiérelo con `b64-` para codificar en base64 el valor sin " +"procesar. \n" "Ejemplos: \n" -"`color=rojo exacto`, `tamaño=gt-10`, `características=en-[\"wifi\", \"bluetooth\"]`,\n" +"`color=rojo exacto`, `tamaño=gt-10`, `características=en-[\"wifi\", " +"\"bluetooth\"]`,\n" "`b64-description=icontains-aGVhdC1jb2xk`." #: engine/core/docs/drf/viewsets.py:617 engine/core/docs/drf/viewsets.py:618 @@ -659,10 +665,12 @@ msgstr "UUID (exacto) del producto" #: engine/core/docs/drf/viewsets.py:630 msgid "" -"Comma-separated list of fields to sort by. Prefix with `-` for descending. \n" +"Comma-separated list of fields to sort by. Prefix with `-` for " +"descending. \n" "**Allowed:** uuid, rating, name, slug, created, modified, price, random" msgstr "" -"Lista separada por comas de campos por los que ordenar. Prefiérela con `-` para que sea descendente. \n" +"Lista separada por comas de campos por los que ordenar. Prefiérela con `-` " +"para que sea descendente. \n" "**Permitido:** uuid, rating, name, slug, created, modified, price, random" #: engine/core/docs/drf/viewsets.py:647 engine/core/docs/drf/viewsets.py:648 @@ -868,8 +876,7 @@ msgstr "Eliminar la imagen de un producto" #: engine/core/docs/drf/viewsets.py:1146 msgid "rewrite an existing product image saving non-editables" -msgstr "" -"Reescribir una imagen de producto existente guardando los no editables" +msgstr "Reescribir una imagen de producto existente guardando los no editables" #: engine/core/docs/drf/viewsets.py:1154 msgid "rewrite some fields of an existing product image saving non-editables" @@ -1063,8 +1070,7 @@ msgstr "SKU" #: engine/core/filters.py:212 msgid "there must be a category_uuid to use include_subcategories flag" -msgstr "" -"Debe haber un category_uuid para usar la bandera include_subcategories" +msgstr "Debe haber un category_uuid para usar la bandera include_subcategories" #: engine/core/filters.py:398 msgid "Search (ID, product name or part number)" @@ -1165,8 +1171,7 @@ msgstr "Indique order_uuid o order_hr_id, ¡se excluyen mutuamente!" #: engine/core/graphene/mutations.py:249 engine/core/graphene/mutations.py:524 #: engine/core/graphene/mutations.py:573 engine/core/viewsets.py:753 msgid "wrong type came from order.buy() method: {type(instance)!s}" -msgstr "" -"Tipo incorrecto proveniente del método order.buy(): {type(instance)!s}" +msgstr "Tipo incorrecto proveniente del método order.buy(): {type(instance)!s}" #: engine/core/graphene/mutations.py:260 msgid "perform an action on a list of products in the order" @@ -1217,11 +1222,11 @@ msgstr "Comprar un pedido" #: engine/core/graphene/mutations.py:542 msgid "" -"please send the attributes as the string formatted like " -"attr1=value1,attr2=value2" +"please send the attributes as the string formatted like attr1=value1," +"attr2=value2" msgstr "" -"Por favor, envíe los atributos como una cadena formateada como " -"attr1=valor1,attr2=valor2" +"Por favor, envíe los atributos como una cadena formateada como attr1=valor1," +"attr2=valor2" #: engine/core/graphene/mutations.py:580 msgid "add or delete a feedback for orderproduct" @@ -1257,8 +1262,8 @@ msgid "elasticsearch - works like a charm" msgstr "ElasticSearch - funciona a las mil maravillas" #: engine/core/graphene/object_types.py:84 -#: engine/core/graphene/object_types.py:419 -#: engine/core/graphene/object_types.py:470 engine/core/models.py:796 +#: engine/core/graphene/object_types.py:420 +#: engine/core/graphene/object_types.py:471 engine/core/models.py:796 #: engine/core/models.py:1290 engine/core/models.py:2022 msgid "attributes" msgstr "Atributos" @@ -1272,8 +1277,8 @@ msgid "groups of attributes" msgstr "Grupos de atributos" #: engine/core/graphene/object_types.py:118 -#: engine/core/graphene/object_types.py:216 -#: engine/core/graphene/object_types.py:254 engine/core/models.py:440 +#: engine/core/graphene/object_types.py:217 +#: engine/core/graphene/object_types.py:255 engine/core/models.py:440 msgid "categories" msgstr "Categorías" @@ -1281,84 +1286,82 @@ msgstr "Categorías" msgid "brands" msgstr "Marcas" -#: engine/core/graphene/object_types.py:218 +#: engine/core/graphene/object_types.py:219 msgid "category image url" msgstr "Categorías" -#: engine/core/graphene/object_types.py:219 -#: engine/core/graphene/object_types.py:364 engine/core/models.py:278 +#: engine/core/graphene/object_types.py:220 +#: engine/core/graphene/object_types.py:365 engine/core/models.py:278 msgid "markup percentage" msgstr "Porcentaje de recargo" -#: engine/core/graphene/object_types.py:223 +#: engine/core/graphene/object_types.py:224 msgid "which attributes and values can be used for filtering this category." msgstr "" "Qué atributos y valores se pueden utilizar para filtrar esta categoría." -#: engine/core/graphene/object_types.py:229 -msgid "" -"minimum and maximum prices for products in this category, if available." +#: engine/core/graphene/object_types.py:230 +msgid "minimum and maximum prices for products in this category, if available." msgstr "" "Precios mínimo y máximo de los productos de esta categoría, si están " "disponibles." -#: engine/core/graphene/object_types.py:233 +#: engine/core/graphene/object_types.py:234 msgid "tags for this category" msgstr "Etiquetas para esta categoría" -#: engine/core/graphene/object_types.py:236 +#: engine/core/graphene/object_types.py:237 msgid "products in this category" msgstr "Productos de esta categoría" -#: engine/core/graphene/object_types.py:371 engine/core/models.py:183 +#: engine/core/graphene/object_types.py:372 engine/core/models.py:183 msgid "vendors" msgstr "Vendedores" -#: engine/core/graphene/object_types.py:375 +#: engine/core/graphene/object_types.py:376 msgid "Latitude (Y coordinate)" msgstr "Latitud (coordenada Y)" -#: engine/core/graphene/object_types.py:376 +#: engine/core/graphene/object_types.py:377 msgid "Longitude (X coordinate)" msgstr "Longitud (coordenada X)" -#: engine/core/graphene/object_types.py:405 +#: engine/core/graphene/object_types.py:406 msgid "comment" msgstr "Cómo" -#: engine/core/graphene/object_types.py:407 -#: engine/core/graphene/object_types.py:541 +#: engine/core/graphene/object_types.py:408 +#: engine/core/graphene/object_types.py:542 msgid "rating value from 1 to 10, inclusive, or 0 if not set." msgstr "" -"Valor de calificación de 1 a 10, ambos inclusive, o 0 si no está " -"configurado." +"Valor de calificación de 1 a 10, ambos inclusive, o 0 si no está configurado." -#: engine/core/graphene/object_types.py:415 +#: engine/core/graphene/object_types.py:416 msgid "represents feedback from a user." msgstr "Representa la opinión de un usuario." -#: engine/core/graphene/object_types.py:420 -#: engine/core/graphene/object_types.py:471 engine/core/models.py:1284 +#: engine/core/graphene/object_types.py:421 +#: engine/core/graphene/object_types.py:472 engine/core/models.py:1284 msgid "notifications" msgstr "Notificaciones" -#: engine/core/graphene/object_types.py:422 +#: engine/core/graphene/object_types.py:423 msgid "download url for this order product if applicable" msgstr "Descargar url para este producto de pedido si procede" -#: engine/core/graphene/object_types.py:424 engine/core/models.py:1849 +#: engine/core/graphene/object_types.py:425 engine/core/models.py:1849 msgid "feedback" msgstr "Comentarios" -#: engine/core/graphene/object_types.py:458 +#: engine/core/graphene/object_types.py:459 msgid "a list of order products in this order" msgstr "Una lista de los productos del pedido" -#: engine/core/graphene/object_types.py:460 engine/core/models.py:1254 +#: engine/core/graphene/object_types.py:461 engine/core/models.py:1254 msgid "billing address" msgstr "Dirección de facturación" -#: engine/core/graphene/object_types.py:464 +#: engine/core/graphene/object_types.py:465 msgid "" "shipping address for this order, leave blank if same as billing address or " "if not applicable" @@ -1366,53 +1369,53 @@ msgstr "" "Dirección de envío para este pedido, dejar en blanco si es la misma que la " "de facturación o si no procede" -#: engine/core/graphene/object_types.py:467 +#: engine/core/graphene/object_types.py:468 msgid "total price of this order" msgstr "Precio total de este pedido" -#: engine/core/graphene/object_types.py:468 +#: engine/core/graphene/object_types.py:469 msgid "total quantity of products in order" msgstr "Cantidad total de productos del pedido" -#: engine/core/graphene/object_types.py:469 +#: engine/core/graphene/object_types.py:470 msgid "are all products in the order digital" msgstr "¿Están todos los productos en el pedido digital" -#: engine/core/graphene/object_types.py:473 +#: engine/core/graphene/object_types.py:474 msgid "transactions for this order" msgstr "Transacciones para este pedido" -#: engine/core/graphene/object_types.py:493 engine/core/models.py:1318 +#: engine/core/graphene/object_types.py:494 engine/core/models.py:1318 msgid "orders" msgstr "Pedidos" -#: engine/core/graphene/object_types.py:514 +#: engine/core/graphene/object_types.py:515 msgid "image url" msgstr "URL de la imagen" -#: engine/core/graphene/object_types.py:521 +#: engine/core/graphene/object_types.py:522 msgid "product's images" msgstr "Imágenes del producto" -#: engine/core/graphene/object_types.py:528 engine/core/models.py:439 +#: engine/core/graphene/object_types.py:529 engine/core/models.py:439 #: engine/core/models.py:596 msgid "category" msgstr "Categoría" -#: engine/core/graphene/object_types.py:530 engine/core/models.py:1850 +#: engine/core/graphene/object_types.py:531 engine/core/models.py:1850 msgid "feedbacks" msgstr "Comentarios" -#: engine/core/graphene/object_types.py:531 engine/core/models.py:510 +#: engine/core/graphene/object_types.py:532 engine/core/models.py:510 #: engine/core/models.py:605 msgid "brand" msgstr "Marca" -#: engine/core/graphene/object_types.py:533 engine/core/models.py:103 +#: engine/core/graphene/object_types.py:534 engine/core/models.py:103 msgid "attribute groups" msgstr "Grupos de atributos" -#: engine/core/graphene/object_types.py:535 +#: engine/core/graphene/object_types.py:536 #: engine/core/templates/digital_order_created_email.html:111 #: engine/core/templates/digital_order_delivered_email.html:109 #: engine/core/templates/shipped_order_created_email.html:109 @@ -1420,7 +1423,7 @@ msgstr "Grupos de atributos" msgid "price" msgstr "Precio" -#: engine/core/graphene/object_types.py:536 +#: engine/core/graphene/object_types.py:537 #: engine/core/templates/digital_order_created_email.html:110 #: engine/core/templates/digital_order_delivered_email.html:108 #: engine/core/templates/shipped_order_created_email.html:108 @@ -1428,39 +1431,39 @@ msgstr "Precio" msgid "quantity" msgstr "Cantidad" -#: engine/core/graphene/object_types.py:537 +#: engine/core/graphene/object_types.py:538 msgid "number of feedbacks" msgstr "Número de reacciones" -#: engine/core/graphene/object_types.py:538 +#: engine/core/graphene/object_types.py:539 msgid "only available for personal orders" msgstr "Productos sólo disponibles para pedidos personales" -#: engine/core/graphene/object_types.py:543 +#: engine/core/graphene/object_types.py:544 msgid "discount price" msgstr "Precio reducido" -#: engine/core/graphene/object_types.py:567 engine/core/models.py:677 +#: engine/core/graphene/object_types.py:568 engine/core/models.py:677 msgid "products" msgstr "Productos" -#: engine/core/graphene/object_types.py:677 +#: engine/core/graphene/object_types.py:678 msgid "promocodes" msgstr "Códigos promocionales" -#: engine/core/graphene/object_types.py:692 +#: engine/core/graphene/object_types.py:693 msgid "products on sale" msgstr "Productos a la venta" -#: engine/core/graphene/object_types.py:700 engine/core/models.py:928 +#: engine/core/graphene/object_types.py:701 engine/core/models.py:928 msgid "promotions" msgstr "Promociones" -#: engine/core/graphene/object_types.py:704 engine/core/models.py:182 +#: engine/core/graphene/object_types.py:705 engine/core/models.py:182 msgid "vendor" msgstr "Vendedor" -#: engine/core/graphene/object_types.py:705 engine/core/models.py:676 +#: engine/core/graphene/object_types.py:706 engine/core/models.py:676 #: engine/core/templates/digital_order_created_email.html:109 #: engine/core/templates/digital_order_delivered_email.html:107 #: engine/core/templates/shipped_order_created_email.html:107 @@ -1468,99 +1471,99 @@ msgstr "Vendedor" msgid "product" msgstr "Producto" -#: engine/core/graphene/object_types.py:717 engine/core/models.py:951 +#: engine/core/graphene/object_types.py:718 engine/core/models.py:951 msgid "wishlisted products" msgstr "Productos deseados" -#: engine/core/graphene/object_types.py:724 engine/core/models.py:968 +#: engine/core/graphene/object_types.py:725 engine/core/models.py:968 msgid "wishlists" msgstr "Listas de deseos" -#: engine/core/graphene/object_types.py:729 +#: engine/core/graphene/object_types.py:730 msgid "tagged products" msgstr "Productos con etiqueta" -#: engine/core/graphene/object_types.py:737 engine/core/models.py:219 +#: engine/core/graphene/object_types.py:738 engine/core/models.py:219 #: engine/core/models.py:611 msgid "product tags" msgstr "Etiquetas del producto" -#: engine/core/graphene/object_types.py:742 +#: engine/core/graphene/object_types.py:743 msgid "tagged categories" msgstr "Categorías" -#: engine/core/graphene/object_types.py:750 +#: engine/core/graphene/object_types.py:751 msgid "categories tags" msgstr "Etiquetas de las categorías" -#: engine/core/graphene/object_types.py:754 +#: engine/core/graphene/object_types.py:755 msgid "project name" msgstr "Nombre del proyecto" -#: engine/core/graphene/object_types.py:755 +#: engine/core/graphene/object_types.py:756 msgid "company name" msgstr "Nombre de la empresa" -#: engine/core/graphene/object_types.py:756 +#: engine/core/graphene/object_types.py:757 msgid "company address" msgstr "Dirección de la empresa" -#: engine/core/graphene/object_types.py:757 +#: engine/core/graphene/object_types.py:758 msgid "company phone number" msgstr "Teléfono de la empresa" -#: engine/core/graphene/object_types.py:760 +#: engine/core/graphene/object_types.py:761 msgid "email from, sometimes it must be used instead of host user value" msgstr "" "'email from', a veces debe utilizarse en lugar del valor del usuario host" -#: engine/core/graphene/object_types.py:763 +#: engine/core/graphene/object_types.py:764 msgid "email host user" msgstr "Correo electrónico del usuario anfitrión" -#: engine/core/graphene/object_types.py:764 +#: engine/core/graphene/object_types.py:765 msgid "maximum amount for payment" msgstr "Importe máximo de pago" -#: engine/core/graphene/object_types.py:765 +#: engine/core/graphene/object_types.py:766 msgid "minimum amount for payment" msgstr "Importe mínimo de pago" -#: engine/core/graphene/object_types.py:766 +#: engine/core/graphene/object_types.py:767 msgid "analytics data" msgstr "Datos analíticos" -#: engine/core/graphene/object_types.py:767 +#: engine/core/graphene/object_types.py:768 msgid "advertisement data" msgstr "Datos publicitarios" -#: engine/core/graphene/object_types.py:770 +#: engine/core/graphene/object_types.py:771 msgid "company configuration" msgstr "Configuración" -#: engine/core/graphene/object_types.py:774 +#: engine/core/graphene/object_types.py:775 msgid "language code" msgstr "Código de idioma" -#: engine/core/graphene/object_types.py:775 +#: engine/core/graphene/object_types.py:776 msgid "language name" msgstr "Nombre de la lengua" -#: engine/core/graphene/object_types.py:776 +#: engine/core/graphene/object_types.py:777 msgid "language flag, if exists :)" msgstr "Bandera de idioma, si existe :)" -#: engine/core/graphene/object_types.py:779 +#: engine/core/graphene/object_types.py:780 msgid "supported languages" msgstr "Obtener una lista de los idiomas admitidos" -#: engine/core/graphene/object_types.py:811 -#: engine/core/graphene/object_types.py:814 -#: engine/core/graphene/object_types.py:817 +#: engine/core/graphene/object_types.py:812 +#: engine/core/graphene/object_types.py:815 +#: engine/core/graphene/object_types.py:818 msgid "products search results" msgstr "Resultados de la búsqueda de productos" -#: engine/core/graphene/object_types.py:819 +#: engine/core/graphene/object_types.py:820 msgid "posts search results" msgstr "Resultados de la búsqueda de productos" @@ -1574,8 +1577,8 @@ msgstr "" "Representa un grupo de atributos, que puede ser jerárquico. Esta clase se " "utiliza para gestionar y organizar grupos de atributos. Un grupo de " "atributos puede tener un grupo padre, formando una estructura jerárquica. " -"Esto puede ser útil para categorizar y gestionar los atributos de manera más" -" eficaz en un sistema complejo." +"Esto puede ser útil para categorizar y gestionar los atributos de manera más " +"eficaz en un sistema complejo." #: engine/core/models.py:88 msgid "parent of this group" @@ -1605,11 +1608,11 @@ msgid "" msgstr "" "Representa una entidad de proveedor capaz de almacenar información sobre " "proveedores externos y sus requisitos de interacción. La clase Proveedor se " -"utiliza para definir y gestionar la información relacionada con un proveedor" -" externo. Almacena el nombre del vendedor, los detalles de autenticación " +"utiliza para definir y gestionar la información relacionada con un proveedor " +"externo. Almacena el nombre del vendedor, los detalles de autenticación " "necesarios para la comunicación y el porcentaje de marcado aplicado a los " -"productos recuperados del vendedor. Este modelo también mantiene metadatos y" -" restricciones adicionales, lo que lo hace adecuado para su uso en sistemas " +"productos recuperados del vendedor. Este modelo también mantiene metadatos y " +"restricciones adicionales, lo que lo hace adecuado para su uso en sistemas " "que interactúan con proveedores externos." #: engine/core/models.py:122 @@ -1782,8 +1785,7 @@ msgid "" "Represents a Brand object in the system. This class handles information and " "attributes related to a brand, including its name, logos, description, " "associated categories, a unique slug, and priority order. It allows for the " -"organization and representation of brand-related data within the " -"application." +"organization and representation of brand-related data within the application." msgstr "" "Representa un objeto Marca en el sistema. Esta clase maneja información y " "atributos relacionados con una marca, incluyendo su nombre, logotipos, " @@ -1833,8 +1835,8 @@ msgstr "Categorías" #: engine/core/models.py:516 msgid "" -"Represents the stock of a product managed in the system. This class provides" -" details about the relationship between vendors, products, and their stock " +"Represents the stock of a product managed in the system. This class provides " +"details about the relationship between vendors, products, and their stock " "information, as well as inventory-related properties like price, purchase " "price, quantity, SKU, and digital assets. It is part of the inventory " "management system to allow tracking and evaluation of products available " @@ -1843,8 +1845,8 @@ msgstr "" "Representa el stock de un producto gestionado en el sistema. Esta clase " "proporciona detalles sobre la relación entre vendedores, productos y su " "información de existencias, así como propiedades relacionadas con el " -"inventario como precio, precio de compra, cantidad, SKU y activos digitales." -" Forma parte del sistema de gestión de inventario para permitir el " +"inventario como precio, precio de compra, cantidad, SKU y activos digitales. " +"Forma parte del sistema de gestión de inventario para permitir el " "seguimiento y la evaluación de los productos disponibles de varios " "vendedores." @@ -1927,13 +1929,13 @@ msgstr "" "Representa un producto con atributos como categoría, marca, etiquetas, " "estado digital, nombre, descripción, número de pieza y babosa. Proporciona " "propiedades de utilidad relacionadas para recuperar valoraciones, recuentos " -"de comentarios, precio, cantidad y total de pedidos. Diseñado para su uso en" -" un sistema que gestiona el comercio electrónico o la gestión de " -"inventarios. Esta clase interactúa con modelos relacionados (como Category, " -"Brand y ProductTag) y gestiona el almacenamiento en caché de las propiedades" -" a las que se accede con frecuencia para mejorar el rendimiento. Se utiliza " -"para definir y manipular datos de productos y su información asociada dentro" -" de una aplicación." +"de comentarios, precio, cantidad y total de pedidos. Diseñado para su uso en " +"un sistema que gestiona el comercio electrónico o la gestión de inventarios. " +"Esta clase interactúa con modelos relacionados (como Category, Brand y " +"ProductTag) y gestiona el almacenamiento en caché de las propiedades a las " +"que se accede con frecuencia para mejorar el rendimiento. Se utiliza para " +"definir y manipular datos de productos y su información asociada dentro de " +"una aplicación." #: engine/core/models.py:595 msgid "category this product belongs to" @@ -1997,14 +1999,14 @@ msgid "" "Represents an attribute in the system. This class is used to define and " "manage attributes, which are customizable pieces of data that can be " "associated with other entities. Attributes have associated categories, " -"groups, value types, and names. The model supports multiple types of values," -" including string, integer, float, boolean, array, and object. This allows " +"groups, value types, and names. The model supports multiple types of values, " +"including string, integer, float, boolean, array, and object. This allows " "for dynamic and flexible data structuring." msgstr "" "Representa un atributo en el sistema. Esta clase se utiliza para definir y " "gestionar atributos, que son datos personalizables que pueden asociarse a " -"otras entidades. Los atributos tienen asociadas categorías, grupos, tipos de" -" valores y nombres. El modelo admite varios tipos de valores, como cadenas, " +"otras entidades. Los atributos tienen asociadas categorías, grupos, tipos de " +"valores y nombres. El modelo admite varios tipos de valores, como cadenas, " "enteros, flotantes, booleanos, matrices y objetos. Esto permite una " "estructuración dinámica y flexible de los datos." @@ -2068,9 +2070,9 @@ msgstr "Atributo" #: engine/core/models.py:801 msgid "" -"Represents a specific value for an attribute that is linked to a product. It" -" links the 'attribute' to a unique 'value', allowing better organization and" -" dynamic representation of product characteristics." +"Represents a specific value for an attribute that is linked to a product. It " +"links the 'attribute' to a unique 'value', allowing better organization and " +"dynamic representation of product characteristics." msgstr "" "Representa un valor específico para un atributo vinculado a un producto. " "Vincula el \"atributo\" a un \"valor\" único, lo que permite una mejor " @@ -2091,8 +2093,8 @@ msgstr "El valor específico de este atributo" #: engine/core/models.py:839 msgid "" "Represents a product image associated with a product in the system. This " -"class is designed to manage images for products, including functionality for" -" uploading image files, associating them with specific products, and " +"class is designed to manage images for products, including functionality for " +"uploading image files, associating them with specific products, and " "determining their display order. It also includes an accessibility feature " "with alternative text for the images." msgstr "" @@ -2141,8 +2143,8 @@ msgid "" "is used to define and manage promotional campaigns that offer a percentage-" "based discount for products. The class includes attributes for setting the " "discount rate, providing details about the promotion, and linking it to the " -"applicable products. It integrates with the product catalog to determine the" -" affected items in the campaign." +"applicable products. It integrates with the product catalog to determine the " +"affected items in the campaign." msgstr "" "Representa una campaña promocional para productos con descuento. Esta clase " "se utiliza para definir y gestionar campañas promocionales que ofrecen un " @@ -2218,8 +2220,8 @@ msgid "" "store information about documentaries related to specific products, " "including file uploads and their metadata. It contains methods and " "properties to handle the file type and storage path for the documentary " -"files. It extends functionality from specific mixins and provides additional" -" custom features." +"files. It extends functionality from specific mixins and provides additional " +"custom features." msgstr "" "Representa un registro documental vinculado a un producto. Esta clase se " "utiliza para almacenar información sobre documentales relacionados con " @@ -2242,14 +2244,14 @@ msgstr "Sin resolver" #: engine/core/models.py:1040 msgid "" -"Represents an address entity that includes location details and associations" -" with a user. Provides functionality for geographic and address data " -"storage, as well as integration with geocoding services. This class is " -"designed to store detailed address information including components like " -"street, city, region, country, and geolocation (longitude and latitude). It " -"supports integration with geocoding APIs, enabling the storage of raw API " -"responses for further processing or inspection. The class also allows " -"associating an address with a user, facilitating personalized data handling." +"Represents an address entity that includes location details and associations " +"with a user. Provides functionality for geographic and address data storage, " +"as well as integration with geocoding services. This class is designed to " +"store detailed address information including components like street, city, " +"region, country, and geolocation (longitude and latitude). It supports " +"integration with geocoding APIs, enabling the storage of raw API responses " +"for further processing or inspection. The class also allows associating an " +"address with a user, facilitating personalized data handling." msgstr "" "Representa una entidad de dirección que incluye detalles de ubicación y " "asociaciones con un usuario. Proporciona funcionalidad para el " @@ -2258,8 +2260,8 @@ msgstr "" "información detallada sobre direcciones, incluidos componentes como calle, " "ciudad, región, país y geolocalización (longitud y latitud). Admite la " "integración con API de geocodificación, permitiendo el almacenamiento de " -"respuestas API sin procesar para su posterior procesamiento o inspección. La" -" clase también permite asociar una dirección a un usuario, facilitando el " +"respuestas API sin procesar para su posterior procesamiento o inspección. La " +"clase también permite asociar una dirección a un usuario, facilitando el " "manejo personalizado de los datos." #: engine/core/models.py:1055 @@ -2417,8 +2419,8 @@ msgstr "¡Tipo de descuento no válido para el código promocional {self.uuid}!" msgid "" "Represents an order placed by a user. This class models an order within the " "application, including its various attributes such as billing and shipping " -"information, status, associated user, notifications, and related operations." -" Orders can have associated products, promotions can be applied, addresses " +"information, status, associated user, notifications, and related operations. " +"Orders can have associated products, promotions can be applied, addresses " "set, and shipping or billing details updated. Equally, functionality " "supports managing the products in the order lifecycle." msgstr "" @@ -2426,9 +2428,9 @@ msgstr "" "dentro de la aplicación, incluyendo sus diversos atributos como información " "de facturación y envío, estado, usuario asociado, notificaciones y " "operaciones relacionadas. Los pedidos pueden tener productos asociados, se " -"pueden aplicar promociones, establecer direcciones y actualizar los datos de" -" envío o facturación. Del mismo modo, la funcionalidad permite gestionar los" -" productos en el ciclo de vida del pedido." +"pueden aplicar promociones, establecer direcciones y actualizar los datos de " +"envío o facturación. Del mismo modo, la funcionalidad permite gestionar los " +"productos en el ciclo de vida del pedido." #: engine/core/models.py:1253 msgid "the billing address used for this order" @@ -2601,8 +2603,7 @@ msgid "feedback comments" msgstr "Comentarios" #: engine/core/models.py:1827 -msgid "" -"references the specific product in an order that this feedback is about" +msgid "references the specific product in an order that this feedback is about" msgstr "" "Hace referencia al producto específico de un pedido sobre el que trata esta " "opinión" @@ -2637,8 +2638,8 @@ msgstr "" "atributos del producto y su estado. Gestiona las notificaciones para el " "usuario y los administradores y maneja operaciones como la devolución del " "saldo del producto o la adición de comentarios. Este modelo también " -"proporciona métodos y propiedades que soportan la lógica de negocio, como el" -" cálculo del precio total o la generación de una URL de descarga para " +"proporciona métodos y propiedades que soportan la lógica de negocio, como el " +"cálculo del precio total o la generación de una URL de descarga para " "productos digitales. El modelo se integra con los modelos Pedido y Producto " "y almacena una referencia a ellos." @@ -2750,17 +2751,16 @@ msgid "" "Represents the downloading functionality for digital assets associated with " "orders. The DigitalAssetDownload class provides the ability to manage and " "access downloads related to order products. It maintains information about " -"the associated order product, the number of downloads, and whether the asset" -" is publicly visible. It includes a method to generate a URL for downloading" -" the asset when the associated order is in a completed status." +"the associated order product, the number of downloads, and whether the asset " +"is publicly visible. It includes a method to generate a URL for downloading " +"the asset when the associated order is in a completed status." msgstr "" "Representa la funcionalidad de descarga de activos digitales asociados a " -"pedidos. La clase DigitalAssetDownload proporciona la capacidad de gestionar" -" y acceder a descargas relacionadas con productos de pedidos. Mantiene " +"pedidos. La clase DigitalAssetDownload proporciona la capacidad de gestionar " +"y acceder a descargas relacionadas con productos de pedidos. Mantiene " "información sobre el producto del pedido asociado, el número de descargas y " -"si el activo es visible públicamente. Incluye un método para generar una URL" -" para descargar el activo cuando el pedido asociado está en estado " -"completado." +"si el activo es visible públicamente. Incluye un método para generar una URL " +"para descargar el activo cuando el pedido asociado está en estado completado." #: engine/core/models.py:2092 msgid "download" @@ -2967,7 +2967,8 @@ msgstr "Hola %(order.user.first_name)s," #, python-format msgid "" "thank you for your order #%(order.pk)s! we are pleased to inform you that\n" -" we have taken your order into work. below are the details of your\n" +" we have taken your order into work. below are " +"the details of your\n" " order:" msgstr "" "¡Gracias por su pedido #%(order.pk)s! Nos complace informarle de que hemos " @@ -3081,7 +3082,8 @@ msgstr "" #: engine/core/templates/shipped_order_created_email.html:101 #: engine/core/templates/shipped_order_delivered_email.html:101 msgid "" -"thank you for your order! we are pleased to confirm your purchase. below are\n" +"thank you for your order! we are pleased to confirm your purchase. below " +"are\n" " the details of your order:" msgstr "" "Gracias por su pedido. Nos complace confirmarle su compra. A continuación " @@ -3161,8 +3163,8 @@ msgid "" "Handles the request for the sitemap index and returns an XML response. It " "ensures the response includes the appropriate content type header for XML." msgstr "" -"Gestiona la solicitud del índice del mapa del sitio y devuelve una respuesta" -" XML. Se asegura de que la respuesta incluya el encabezado de tipo de " +"Gestiona la solicitud del índice del mapa del sitio y devuelve una respuesta " +"XML. Se asegura de que la respuesta incluya el encabezado de tipo de " "contenido apropiado para XML." #: engine/core/views.py:119 @@ -3179,8 +3181,7 @@ msgstr "" msgid "" "Returns a list of supported languages and their corresponding information." msgstr "" -"Devuelve una lista de los idiomas admitidos y su información " -"correspondiente." +"Devuelve una lista de los idiomas admitidos y su información correspondiente." #: engine/core/views.py:182 msgid "Returns the parameters of the website as a JSON object." @@ -3217,10 +3218,14 @@ msgstr "Maneja la lógica de la compra como empresa sin registro." #: engine/core/views.py:337 msgid "" "Handles the downloading of a digital asset associated with an order.\n" -"This function attempts to serve the digital asset file located in the storage directory of the project. If the file is not found, an HTTP 404 error is raised to indicate the resource is unavailable." +"This function attempts to serve the digital asset file located in the " +"storage directory of the project. If the file is not found, an HTTP 404 " +"error is raised to indicate the resource is unavailable." msgstr "" "Gestiona la descarga de un activo digital asociado a un pedido.\n" -"Esta función intenta servir el archivo del activo digital ubicado en el directorio de almacenamiento del proyecto. Si no se encuentra el archivo, se genera un error HTTP 404 para indicar que el recurso no está disponible." +"Esta función intenta servir el archivo del activo digital ubicado en el " +"directorio de almacenamiento del proyecto. Si no se encuentra el archivo, se " +"genera un error HTTP 404 para indicar que el recurso no está disponible." #: engine/core/views.py:348 msgid "order_product_uuid is required" @@ -3249,21 +3254,25 @@ msgstr "favicon no encontrado" #: engine/core/views.py:418 msgid "" "Handles requests for the favicon of a website.\n" -"This function attempts to serve the favicon file located in the static directory of the project. If the favicon file is not found, an HTTP 404 error is raised to indicate the resource is unavailable." +"This function attempts to serve the favicon file located in the static " +"directory of the project. If the favicon file is not found, an HTTP 404 " +"error is raised to indicate the resource is unavailable." msgstr "" "Gestiona las peticiones del favicon de un sitio web.\n" -"Esta función intenta servir el archivo favicon ubicado en el directorio estático del proyecto. Si no se encuentra el archivo favicon, se genera un error HTTP 404 para indicar que el recurso no está disponible." +"Esta función intenta servir el archivo favicon ubicado en el directorio " +"estático del proyecto. Si no se encuentra el archivo favicon, se genera un " +"error HTTP 404 para indicar que el recurso no está disponible." #: engine/core/views.py:432 msgid "" -"Redirects the request to the admin index page. The function handles incoming" -" HTTP requests and redirects them to the Django admin interface index page. " +"Redirects the request to the admin index page. The function handles incoming " +"HTTP requests and redirects them to the Django admin interface index page. " "It uses Django's `redirect` function for handling the HTTP redirection." msgstr "" "Redirige la petición a la página índice de administración. La función " "gestiona las peticiones HTTP entrantes y las redirige a la página de índice " -"de la interfaz de administración de Django. Utiliza la función `redirect` de" -" Django para gestionar la redirección HTTP." +"de la interfaz de administración de Django. Utiliza la función `redirect` de " +"Django para gestionar la redirección HTTP." #: engine/core/views.py:445 msgid "Returns current version of the eVibes. " @@ -3294,16 +3303,15 @@ msgstr "" #: engine/core/viewsets.py:160 msgid "" -"Represents a viewset for managing AttributeGroup objects. Handles operations" -" related to AttributeGroup, including filtering, serialization, and " -"retrieval of data. This class is part of the application's API layer and " -"provides a standardized way to process requests and responses for " -"AttributeGroup data." +"Represents a viewset for managing AttributeGroup objects. Handles operations " +"related to AttributeGroup, including filtering, serialization, and retrieval " +"of data. This class is part of the application's API layer and provides a " +"standardized way to process requests and responses for AttributeGroup data." msgstr "" "Representa un conjunto de vistas para gestionar objetos AttributeGroup. " "Maneja operaciones relacionadas con AttributeGroup, incluyendo filtrado, " -"serialización y recuperación de datos. Esta clase forma parte de la capa API" -" de la aplicación y proporciona una forma estandarizada de procesar las " +"serialización y recuperación de datos. Esta clase forma parte de la capa API " +"de la aplicación y proporciona una forma estandarizada de procesar las " "solicitudes y respuestas de los datos de AttributeGroup." #: engine/core/viewsets.py:179 @@ -3315,10 +3323,10 @@ msgid "" "specific fields or retrieving detailed versus simplified information " "depending on the request." msgstr "" -"Gestiona las operaciones relacionadas con los objetos Attribute dentro de la" -" aplicación. Proporciona un conjunto de puntos finales de la API para " -"interactuar con los datos de los atributos. Esta clase gestiona la consulta," -" el filtrado y la serialización de objetos Attribute, lo que permite un " +"Gestiona las operaciones relacionadas con los objetos Attribute dentro de la " +"aplicación. Proporciona un conjunto de puntos finales de la API para " +"interactuar con los datos de los atributos. Esta clase gestiona la consulta, " +"el filtrado y la serialización de objetos Attribute, lo que permite un " "control dinámico de los datos devueltos, como el filtrado por campos " "específicos o la recuperación de información detallada o simplificada en " "función de la solicitud." @@ -3328,12 +3336,12 @@ msgid "" "A viewset for managing AttributeValue objects. This viewset provides " "functionality for listing, retrieving, creating, updating, and deleting " "AttributeValue objects. It integrates with Django REST Framework's viewset " -"mechanisms and uses appropriate serializers for different actions. Filtering" -" capabilities are provided through the DjangoFilterBackend." +"mechanisms and uses appropriate serializers for different actions. Filtering " +"capabilities are provided through the DjangoFilterBackend." msgstr "" "Conjunto de vistas para gestionar objetos AttributeValue. Este conjunto de " -"vistas proporciona funcionalidad para listar, recuperar, crear, actualizar y" -" eliminar objetos AttributeValue. Se integra con los mecanismos viewset de " +"vistas proporciona funcionalidad para listar, recuperar, crear, actualizar y " +"eliminar objetos AttributeValue. Se integra con los mecanismos viewset de " "Django REST Framework y utiliza serializadores apropiados para diferentes " "acciones. Las capacidades de filtrado se proporcionan a través de " "DjangoFilterBackend." @@ -3349,8 +3357,8 @@ msgstr "" "Gestiona vistas para operaciones relacionadas con Categorías. La clase " "CategoryViewSet se encarga de gestionar las operaciones relacionadas con el " "modelo Category del sistema. Permite recuperar, filtrar y serializar datos " -"de categorías. El conjunto de vistas también aplica permisos para garantizar" -" que sólo los usuarios autorizados puedan acceder a datos específicos." +"de categorías. El conjunto de vistas también aplica permisos para garantizar " +"que sólo los usuarios autorizados puedan acceder a datos específicos." #: engine/core/viewsets.py:346 msgid "" @@ -3360,9 +3368,9 @@ msgid "" "endpoints for Brand objects." msgstr "" "Representa un conjunto de vistas para gestionar instancias de Brand. Esta " -"clase proporciona funcionalidad para consultar, filtrar y serializar objetos" -" Brand. Utiliza el marco ViewSet de Django para simplificar la " -"implementación de puntos finales de API para objetos Brand." +"clase proporciona funcionalidad para consultar, filtrar y serializar objetos " +"Brand. Utiliza el marco ViewSet de Django para simplificar la implementación " +"de puntos finales de API para objetos Brand." #: engine/core/viewsets.py:458 msgid "" @@ -3376,12 +3384,11 @@ msgid "" msgstr "" "Gestiona las operaciones relacionadas con el modelo `Producto` en el " "sistema. Esta clase proporciona un conjunto de vistas para la gestión de " -"productos, incluyendo su filtrado, serialización y operaciones en instancias" -" específicas. Se extiende desde `EvibesViewSet` para utilizar " -"funcionalidades comunes y se integra con el framework Django REST para " -"operaciones RESTful API. Incluye métodos para recuperar detalles del " -"producto, aplicar permisos y acceder a comentarios relacionados de un " -"producto." +"productos, incluyendo su filtrado, serialización y operaciones en instancias " +"específicas. Se extiende desde `EvibesViewSet` para utilizar funcionalidades " +"comunes y se integra con el framework Django REST para operaciones RESTful " +"API. Incluye métodos para recuperar detalles del producto, aplicar permisos " +"y acceder a comentarios relacionados de un producto." #: engine/core/viewsets.py:605 msgid "" @@ -3403,8 +3410,8 @@ msgid "" "Representation of a view set handling Feedback objects. This class manages " "operations related to Feedback objects, including listing, filtering, and " "retrieving details. The purpose of this view set is to provide different " -"serializers for different actions and implement permission-based handling of" -" accessible Feedback objects. It extends the base `EvibesViewSet` and makes " +"serializers for different actions and implement permission-based handling of " +"accessible Feedback objects. It extends the base `EvibesViewSet` and makes " "use of Django's filtering system for querying data." msgstr "" "Representación de un conjunto de vistas que maneja objetos Feedback. Esta " @@ -3412,34 +3419,34 @@ msgstr "" "incluyendo el listado, filtrado y recuperación de detalles. El propósito de " "este conjunto de vistas es proporcionar diferentes serializadores para " "diferentes acciones e implementar el manejo basado en permisos de los " -"objetos Feedback accesibles. Extiende la base `EvibesViewSet` y hace uso del" -" sistema de filtrado de Django para la consulta de datos." +"objetos Feedback accesibles. Extiende la base `EvibesViewSet` y hace uso del " +"sistema de filtrado de Django para la consulta de datos." #: engine/core/viewsets.py:652 msgid "" "ViewSet for managing orders and related operations. This class provides " "functionality to retrieve, modify, and manage order objects. It includes " "various endpoints for handling order operations such as adding or removing " -"products, performing purchases for registered as well as unregistered users," -" and retrieving the current authenticated user's pending orders. The ViewSet" -" uses multiple serializers based on the specific action being performed and " +"products, performing purchases for registered as well as unregistered users, " +"and retrieving the current authenticated user's pending orders. The ViewSet " +"uses multiple serializers based on the specific action being performed and " "enforces permissions accordingly while interacting with order data." msgstr "" "ViewSet para la gestión de pedidos y operaciones relacionadas. Esta clase " "proporciona funcionalidad para recuperar, modificar y gestionar objetos de " -"pedido. Incluye varios puntos finales para gestionar operaciones de pedidos," -" como añadir o eliminar productos, realizar compras para usuarios " -"registrados y no registrados, y recuperar los pedidos pendientes del usuario" -" autenticado actual. ViewSet utiliza varios serializadores en función de la " -"acción específica que se esté realizando y aplica los permisos " -"correspondientes al interactuar con los datos del pedido." +"pedido. Incluye varios puntos finales para gestionar operaciones de pedidos, " +"como añadir o eliminar productos, realizar compras para usuarios registrados " +"y no registrados, y recuperar los pedidos pendientes del usuario autenticado " +"actual. ViewSet utiliza varios serializadores en función de la acción " +"específica que se esté realizando y aplica los permisos correspondientes al " +"interactuar con los datos del pedido." #: engine/core/viewsets.py:914 msgid "" "Provides a viewset for managing OrderProduct entities. This viewset enables " "CRUD operations and custom actions specific to the OrderProduct model. It " -"includes filtering, permission checks, and serializer switching based on the" -" requested action. Additionally, it provides a detailed action for handling " +"includes filtering, permission checks, and serializer switching based on the " +"requested action. Additionally, it provides a detailed action for handling " "feedback on OrderProduct instances" msgstr "" "Proporciona un conjunto de vistas para gestionar entidades OrderProduct. " @@ -3476,8 +3483,8 @@ msgstr "" msgid "" "ViewSet for managing Wishlist operations. The WishlistViewSet provides " "endpoints for interacting with a user's wish list, allowing for the " -"retrieval, modification, and customization of products within the wish list." -" This ViewSet facilitates functionality such as adding, removing, and bulk " +"retrieval, modification, and customization of products within the wish list. " +"This ViewSet facilitates functionality such as adding, removing, and bulk " "actions for wishlist products. Permission checks are integrated to ensure " "that users can only manage their own wishlists unless explicit permissions " "are granted." @@ -3502,8 +3509,8 @@ msgstr "" "Esta clase proporciona la funcionalidad viewset para la gestión de objetos " "`Address`. La clase AddressViewSet permite operaciones CRUD, filtrado y " "acciones personalizadas relacionadas con entidades de direcciones. Incluye " -"comportamientos especializados para diferentes métodos HTTP, anulaciones del" -" serializador y gestión de permisos basada en el contexto de la solicitud." +"comportamientos especializados para diferentes métodos HTTP, anulaciones del " +"serializador y gestión de permisos basada en el contexto de la solicitud." #: engine/core/viewsets.py:1254 #, python-brace-format diff --git a/engine/core/locale/fa_IR/LC_MESSAGES/django.mo b/engine/core/locale/fa_IR/LC_MESSAGES/django.mo index 6c5906d1cd061dff54de8b533942893de34efc9e..f7b56b65f23ddd46f0761a3fd031f6e6afd9436e 100644 GIT binary patch delta 28 jcmcb}be?H~3Zv*mRSjO(Fi$7fU, YEAR. -# +# msgid "" msgstr "" -"Project-Id-Version: PACKAGE VERSION\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-12-21 00:38+0300\n" +"POT-Creation-Date: 2026-01-04 19:25+0300\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -91,8 +91,8 @@ msgstr "" msgid "selected items have been deactivated." msgstr "" -#: engine/core/admin.py:196 engine/core/graphene/object_types.py:652 -#: engine/core/graphene/object_types.py:659 engine/core/models.py:825 +#: engine/core/admin.py:196 engine/core/graphene/object_types.py:653 +#: engine/core/graphene/object_types.py:660 engine/core/models.py:825 #: engine/core/models.py:833 msgid "attribute value" msgstr "" @@ -106,7 +106,7 @@ msgstr "" msgid "image" msgstr "" -#: engine/core/admin.py:209 engine/core/graphene/object_types.py:529 +#: engine/core/admin.py:209 engine/core/graphene/object_types.py:530 msgid "images" msgstr "" @@ -114,7 +114,7 @@ msgstr "" msgid "stock" msgstr "" -#: engine/core/admin.py:221 engine/core/graphene/object_types.py:712 +#: engine/core/admin.py:221 engine/core/graphene/object_types.py:713 msgid "stocks" msgstr "" @@ -122,7 +122,7 @@ msgstr "" msgid "order product" msgstr "" -#: engine/core/admin.py:233 engine/core/graphene/object_types.py:440 +#: engine/core/admin.py:233 engine/core/graphene/object_types.py:441 #: engine/core/models.py:1932 msgid "order products" msgstr "" @@ -345,8 +345,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:280 engine/core/docs/drf/viewsets.py:757 #: engine/core/docs/drf/viewsets.py:1046 #: engine/core/graphene/object_types.py:119 -#: engine/core/graphene/object_types.py:238 -#: engine/core/graphene/object_types.py:539 +#: engine/core/graphene/object_types.py:239 +#: engine/core/graphene/object_types.py:540 msgid "SEO Meta snapshot" msgstr "" @@ -1168,8 +1168,8 @@ msgid "elasticsearch - works like a charm" msgstr "" #: engine/core/graphene/object_types.py:84 -#: engine/core/graphene/object_types.py:419 -#: engine/core/graphene/object_types.py:470 engine/core/models.py:796 +#: engine/core/graphene/object_types.py:420 +#: engine/core/graphene/object_types.py:471 engine/core/models.py:796 #: engine/core/models.py:1290 engine/core/models.py:2022 msgid "attributes" msgstr "" @@ -1183,8 +1183,8 @@ msgid "groups of attributes" msgstr "" #: engine/core/graphene/object_types.py:118 -#: engine/core/graphene/object_types.py:216 -#: engine/core/graphene/object_types.py:254 engine/core/models.py:440 +#: engine/core/graphene/object_types.py:217 +#: engine/core/graphene/object_types.py:255 engine/core/models.py:440 msgid "categories" msgstr "" @@ -1192,130 +1192,130 @@ msgstr "" msgid "brands" msgstr "" -#: engine/core/graphene/object_types.py:218 +#: engine/core/graphene/object_types.py:219 msgid "category image url" msgstr "" -#: engine/core/graphene/object_types.py:219 -#: engine/core/graphene/object_types.py:364 engine/core/models.py:278 +#: engine/core/graphene/object_types.py:220 +#: engine/core/graphene/object_types.py:365 engine/core/models.py:278 msgid "markup percentage" msgstr "" -#: engine/core/graphene/object_types.py:223 +#: engine/core/graphene/object_types.py:224 msgid "which attributes and values can be used for filtering this category." msgstr "" -#: engine/core/graphene/object_types.py:229 +#: engine/core/graphene/object_types.py:230 msgid "minimum and maximum prices for products in this category, if available." msgstr "" -#: engine/core/graphene/object_types.py:233 +#: engine/core/graphene/object_types.py:234 msgid "tags for this category" msgstr "" -#: engine/core/graphene/object_types.py:236 +#: engine/core/graphene/object_types.py:237 msgid "products in this category" msgstr "" -#: engine/core/graphene/object_types.py:371 engine/core/models.py:183 +#: engine/core/graphene/object_types.py:372 engine/core/models.py:183 msgid "vendors" msgstr "" -#: engine/core/graphene/object_types.py:375 +#: engine/core/graphene/object_types.py:376 msgid "Latitude (Y coordinate)" msgstr "" -#: engine/core/graphene/object_types.py:376 +#: engine/core/graphene/object_types.py:377 msgid "Longitude (X coordinate)" msgstr "" -#: engine/core/graphene/object_types.py:405 +#: engine/core/graphene/object_types.py:406 msgid "comment" msgstr "" -#: engine/core/graphene/object_types.py:407 -#: engine/core/graphene/object_types.py:541 +#: engine/core/graphene/object_types.py:408 +#: engine/core/graphene/object_types.py:542 msgid "rating value from 1 to 10, inclusive, or 0 if not set." msgstr "" -#: engine/core/graphene/object_types.py:415 +#: engine/core/graphene/object_types.py:416 msgid "represents feedback from a user." msgstr "" -#: engine/core/graphene/object_types.py:420 -#: engine/core/graphene/object_types.py:471 engine/core/models.py:1284 +#: engine/core/graphene/object_types.py:421 +#: engine/core/graphene/object_types.py:472 engine/core/models.py:1284 msgid "notifications" msgstr "" -#: engine/core/graphene/object_types.py:422 +#: engine/core/graphene/object_types.py:423 msgid "download url for this order product if applicable" msgstr "" -#: engine/core/graphene/object_types.py:424 engine/core/models.py:1849 +#: engine/core/graphene/object_types.py:425 engine/core/models.py:1849 msgid "feedback" msgstr "" -#: engine/core/graphene/object_types.py:458 +#: engine/core/graphene/object_types.py:459 msgid "a list of order products in this order" msgstr "" -#: engine/core/graphene/object_types.py:460 engine/core/models.py:1254 +#: engine/core/graphene/object_types.py:461 engine/core/models.py:1254 msgid "billing address" msgstr "" -#: engine/core/graphene/object_types.py:464 +#: engine/core/graphene/object_types.py:465 msgid "" "shipping address for this order, leave blank if same as billing address or " "if not applicable" msgstr "" -#: engine/core/graphene/object_types.py:467 +#: engine/core/graphene/object_types.py:468 msgid "total price of this order" msgstr "" -#: engine/core/graphene/object_types.py:468 +#: engine/core/graphene/object_types.py:469 msgid "total quantity of products in order" msgstr "" -#: engine/core/graphene/object_types.py:469 +#: engine/core/graphene/object_types.py:470 msgid "are all products in the order digital" msgstr "" -#: engine/core/graphene/object_types.py:473 +#: engine/core/graphene/object_types.py:474 msgid "transactions for this order" msgstr "" -#: engine/core/graphene/object_types.py:493 engine/core/models.py:1318 +#: engine/core/graphene/object_types.py:494 engine/core/models.py:1318 msgid "orders" msgstr "" -#: engine/core/graphene/object_types.py:514 +#: engine/core/graphene/object_types.py:515 msgid "image url" msgstr "" -#: engine/core/graphene/object_types.py:521 +#: engine/core/graphene/object_types.py:522 msgid "product's images" msgstr "" -#: engine/core/graphene/object_types.py:528 engine/core/models.py:439 +#: engine/core/graphene/object_types.py:529 engine/core/models.py:439 #: engine/core/models.py:596 msgid "category" msgstr "" -#: engine/core/graphene/object_types.py:530 engine/core/models.py:1850 +#: engine/core/graphene/object_types.py:531 engine/core/models.py:1850 msgid "feedbacks" msgstr "" -#: engine/core/graphene/object_types.py:531 engine/core/models.py:510 +#: engine/core/graphene/object_types.py:532 engine/core/models.py:510 #: engine/core/models.py:605 msgid "brand" msgstr "" -#: engine/core/graphene/object_types.py:533 engine/core/models.py:103 +#: engine/core/graphene/object_types.py:534 engine/core/models.py:103 msgid "attribute groups" msgstr "" -#: engine/core/graphene/object_types.py:535 +#: engine/core/graphene/object_types.py:536 #: engine/core/templates/digital_order_created_email.html:111 #: engine/core/templates/digital_order_delivered_email.html:109 #: engine/core/templates/shipped_order_created_email.html:109 @@ -1323,7 +1323,7 @@ msgstr "" msgid "price" msgstr "" -#: engine/core/graphene/object_types.py:536 +#: engine/core/graphene/object_types.py:537 #: engine/core/templates/digital_order_created_email.html:110 #: engine/core/templates/digital_order_delivered_email.html:108 #: engine/core/templates/shipped_order_created_email.html:108 @@ -1331,39 +1331,39 @@ msgstr "" msgid "quantity" msgstr "" -#: engine/core/graphene/object_types.py:537 +#: engine/core/graphene/object_types.py:538 msgid "number of feedbacks" msgstr "" -#: engine/core/graphene/object_types.py:538 +#: engine/core/graphene/object_types.py:539 msgid "only available for personal orders" msgstr "" -#: engine/core/graphene/object_types.py:543 +#: engine/core/graphene/object_types.py:544 msgid "discount price" msgstr "" -#: engine/core/graphene/object_types.py:567 engine/core/models.py:677 +#: engine/core/graphene/object_types.py:568 engine/core/models.py:677 msgid "products" msgstr "" -#: engine/core/graphene/object_types.py:677 +#: engine/core/graphene/object_types.py:678 msgid "promocodes" msgstr "" -#: engine/core/graphene/object_types.py:692 +#: engine/core/graphene/object_types.py:693 msgid "products on sale" msgstr "" -#: engine/core/graphene/object_types.py:700 engine/core/models.py:928 +#: engine/core/graphene/object_types.py:701 engine/core/models.py:928 msgid "promotions" msgstr "" -#: engine/core/graphene/object_types.py:704 engine/core/models.py:182 +#: engine/core/graphene/object_types.py:705 engine/core/models.py:182 msgid "vendor" msgstr "" -#: engine/core/graphene/object_types.py:705 engine/core/models.py:676 +#: engine/core/graphene/object_types.py:706 engine/core/models.py:676 #: engine/core/templates/digital_order_created_email.html:109 #: engine/core/templates/digital_order_delivered_email.html:107 #: engine/core/templates/shipped_order_created_email.html:107 @@ -1371,98 +1371,98 @@ msgstr "" msgid "product" msgstr "" -#: engine/core/graphene/object_types.py:717 engine/core/models.py:951 +#: engine/core/graphene/object_types.py:718 engine/core/models.py:951 msgid "wishlisted products" msgstr "" -#: engine/core/graphene/object_types.py:724 engine/core/models.py:968 +#: engine/core/graphene/object_types.py:725 engine/core/models.py:968 msgid "wishlists" msgstr "" -#: engine/core/graphene/object_types.py:729 +#: engine/core/graphene/object_types.py:730 msgid "tagged products" msgstr "" -#: engine/core/graphene/object_types.py:737 engine/core/models.py:219 +#: engine/core/graphene/object_types.py:738 engine/core/models.py:219 #: engine/core/models.py:611 msgid "product tags" msgstr "" -#: engine/core/graphene/object_types.py:742 +#: engine/core/graphene/object_types.py:743 msgid "tagged categories" msgstr "" -#: engine/core/graphene/object_types.py:750 +#: engine/core/graphene/object_types.py:751 msgid "categories tags" msgstr "" -#: engine/core/graphene/object_types.py:754 +#: engine/core/graphene/object_types.py:755 msgid "project name" msgstr "" -#: engine/core/graphene/object_types.py:755 +#: engine/core/graphene/object_types.py:756 msgid "company name" msgstr "" -#: engine/core/graphene/object_types.py:756 +#: engine/core/graphene/object_types.py:757 msgid "company address" msgstr "" -#: engine/core/graphene/object_types.py:757 +#: engine/core/graphene/object_types.py:758 msgid "company phone number" msgstr "" -#: engine/core/graphene/object_types.py:760 +#: engine/core/graphene/object_types.py:761 msgid "email from, sometimes it must be used instead of host user value" msgstr "" -#: engine/core/graphene/object_types.py:763 +#: engine/core/graphene/object_types.py:764 msgid "email host user" msgstr "" -#: engine/core/graphene/object_types.py:764 +#: engine/core/graphene/object_types.py:765 msgid "maximum amount for payment" msgstr "" -#: engine/core/graphene/object_types.py:765 +#: engine/core/graphene/object_types.py:766 msgid "minimum amount for payment" msgstr "" -#: engine/core/graphene/object_types.py:766 +#: engine/core/graphene/object_types.py:767 msgid "analytics data" msgstr "" -#: engine/core/graphene/object_types.py:767 +#: engine/core/graphene/object_types.py:768 msgid "advertisement data" msgstr "" -#: engine/core/graphene/object_types.py:770 +#: engine/core/graphene/object_types.py:771 msgid "company configuration" msgstr "" -#: engine/core/graphene/object_types.py:774 +#: engine/core/graphene/object_types.py:775 msgid "language code" msgstr "" -#: engine/core/graphene/object_types.py:775 +#: engine/core/graphene/object_types.py:776 msgid "language name" msgstr "" -#: engine/core/graphene/object_types.py:776 +#: engine/core/graphene/object_types.py:777 msgid "language flag, if exists :)" msgstr "" -#: engine/core/graphene/object_types.py:779 +#: engine/core/graphene/object_types.py:780 msgid "supported languages" msgstr "" -#: engine/core/graphene/object_types.py:811 -#: engine/core/graphene/object_types.py:814 -#: engine/core/graphene/object_types.py:817 +#: engine/core/graphene/object_types.py:812 +#: engine/core/graphene/object_types.py:815 +#: engine/core/graphene/object_types.py:818 msgid "products search results" msgstr "" -#: engine/core/graphene/object_types.py:819 +#: engine/core/graphene/object_types.py:820 msgid "posts search results" msgstr "" diff --git a/engine/core/locale/fr_FR/LC_MESSAGES/django.mo b/engine/core/locale/fr_FR/LC_MESSAGES/django.mo index dee22b5c90c22fffa570efe6a8f51a34ff77206f..28e39c812f93d643d1bb55ca5aa656bde43895eb 100644 GIT binary patch delta 18 acmbRAg>}*w)(zdqn9cMIH}@TD*$e}*w)(zdqm`(LeHuoKC*$e\n" "Language-Team: BRITISH ENGLISH \n" @@ -29,8 +29,7 @@ msgstr "Est actif" #: engine/core/abstract.py:22 msgid "" -"if set to false, this object can't be seen by users without needed " -"permission" +"if set to false, this object can't be seen by users without needed permission" msgstr "" "Si la valeur est fixée à false, cet objet ne peut pas être vu par les " "utilisateurs qui n'ont pas l'autorisation nécessaire." @@ -93,8 +92,8 @@ msgstr "Désactiver la %(verbose_name_plural)s sélectionnée" msgid "selected items have been deactivated." msgstr "Les articles sélectionnés ont été désactivés !" -#: engine/core/admin.py:196 engine/core/graphene/object_types.py:652 -#: engine/core/graphene/object_types.py:659 engine/core/models.py:825 +#: engine/core/admin.py:196 engine/core/graphene/object_types.py:653 +#: engine/core/graphene/object_types.py:660 engine/core/models.py:825 #: engine/core/models.py:833 msgid "attribute value" msgstr "Valeur de l'attribut" @@ -108,7 +107,7 @@ msgstr "Valeurs des attributs" msgid "image" msgstr "Image" -#: engine/core/admin.py:209 engine/core/graphene/object_types.py:529 +#: engine/core/admin.py:209 engine/core/graphene/object_types.py:530 msgid "images" msgstr "Images" @@ -116,7 +115,7 @@ msgstr "Images" msgid "stock" msgstr "Stock" -#: engine/core/admin.py:221 engine/core/graphene/object_types.py:712 +#: engine/core/admin.py:221 engine/core/graphene/object_types.py:713 msgid "stocks" msgstr "Stocks" @@ -124,7 +123,7 @@ msgstr "Stocks" msgid "order product" msgstr "Commander un produit" -#: engine/core/admin.py:233 engine/core/graphene/object_types.py:440 +#: engine/core/admin.py:233 engine/core/graphene/object_types.py:441 #: engine/core/models.py:1932 msgid "order products" msgstr "Commander des produits" @@ -157,8 +156,7 @@ msgstr "Livré" msgid "canceled" msgstr "Annulé" -#: engine/core/choices.py:8 engine/core/choices.py:16 -#: engine/core/choices.py:24 +#: engine/core/choices.py:8 engine/core/choices.py:16 engine/core/choices.py:24 msgid "failed" msgstr "Échec" @@ -209,8 +207,10 @@ msgid "" "apply only a key to read permitted data from cache.\n" "apply key, data and timeout with authentication to write data to cache." msgstr "" -"Appliquer uniquement une clé pour lire les données autorisées dans la mémoire cache.\n" -"Appliquer une clé, des données et un délai d'attente avec authentification pour écrire des données dans la mémoire cache." +"Appliquer uniquement une clé pour lire les données autorisées dans la " +"mémoire cache.\n" +"Appliquer une clé, des données et un délai d'attente avec authentification " +"pour écrire des données dans la mémoire cache." #: engine/core/docs/drf/views.py:66 msgid "get a list of supported languages" @@ -277,8 +277,7 @@ msgstr "" "modifiables" #: engine/core/docs/drf/viewsets.py:107 -msgid "" -"rewrite some fields of an existing attribute group saving non-editables" +msgid "rewrite some fields of an existing attribute group saving non-editables" msgstr "" "Réécrire certains champs d'un groupe d'attributs existant en sauvegardant " "les non-éditables" @@ -307,8 +306,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:156 msgid "rewrite some fields of an existing attribute saving non-editables" msgstr "" -"Réécrire certains champs d'un attribut existant en sauvegardant les éléments" -" non modifiables" +"Réécrire certains champs d'un attribut existant en sauvegardant les éléments " +"non modifiables" #: engine/core/docs/drf/viewsets.py:166 msgid "list all attribute values (simple view)" @@ -333,8 +332,7 @@ msgstr "" "modifiables" #: engine/core/docs/drf/viewsets.py:208 -msgid "" -"rewrite some fields of an existing attribute value saving non-editables" +msgid "rewrite some fields of an existing attribute value saving non-editables" msgstr "" "Réécrire certains champs d'une valeur d'attribut existante en sauvegardant " "les éléments non modifiables" @@ -372,8 +370,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:280 engine/core/docs/drf/viewsets.py:757 #: engine/core/docs/drf/viewsets.py:1046 #: engine/core/graphene/object_types.py:119 -#: engine/core/graphene/object_types.py:238 -#: engine/core/graphene/object_types.py:539 +#: engine/core/graphene/object_types.py:239 +#: engine/core/graphene/object_types.py:540 msgid "SEO Meta snapshot" msgstr "Méta snapshot SEO" @@ -393,11 +391,11 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:309 msgid "" -"Case-insensitive substring search across human_readable_id, " -"order_products.product.name, and order_products.product.partnumber" +"Case-insensitive substring search across human_readable_id, order_products." +"product.name, and order_products.product.partnumber" msgstr "" -"Recherche insensible à la casse dans human_readable_id, " -"order_products.product.name, et order_products.product.partnumber" +"Recherche insensible à la casse dans human_readable_id, order_products." +"product.name, et order_products.product.partnumber" #: engine/core/docs/drf/viewsets.py:316 msgid "Filter orders with buy_time >= this ISO 8601 datetime" @@ -433,13 +431,13 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:354 msgid "" -"Order by one of: uuid, human_readable_id, user_email, user, status, created," -" modified, buy_time, random. Prefix with '-' for descending (e.g. " -"'-buy_time')." +"Order by one of: uuid, human_readable_id, user_email, user, status, created, " +"modified, buy_time, random. Prefix with '-' for descending (e.g. '-" +"buy_time')." msgstr "" "Ordonner par l'un des éléments suivants : uuid, human_readable_id, " -"user_email, user, status, created, modified, buy_time, random. Préfixer avec" -" '-' pour l'ordre décroissant (par exemple '-buy_time')." +"user_email, user, status, created, modified, buy_time, random. Préfixer avec " +"'-' pour l'ordre décroissant (par exemple '-buy_time')." #: engine/core/docs/drf/viewsets.py:366 msgid "retrieve a single order (detailed view)" @@ -481,8 +479,8 @@ msgid "" "completed using the user's balance; if `force_payment` is used, a " "transaction is initiated." msgstr "" -"Finalise l'achat de la commande. Si `force_balance` est utilisé, l'achat est" -" complété en utilisant le solde de l'utilisateur ; Si `force_payment` est " +"Finalise l'achat de la commande. Si `force_balance` est utilisé, l'achat est " +"complété en utilisant le solde de l'utilisateur ; Si `force_payment` est " "utilisé, une transaction est initiée." #: engine/core/docs/drf/viewsets.py:427 @@ -550,8 +548,8 @@ msgid "" "removes a list of products from an order using the provided `product_uuid` " "and `attributes`" msgstr "" -"Supprime une liste de produits d'une commande en utilisant le `product_uuid`" -" et les `attributs` fournis." +"Supprime une liste de produits d'une commande en utilisant le `product_uuid` " +"et les `attributs` fournis." #: engine/core/docs/drf/viewsets.py:497 msgid "list all wishlists (simple view)" @@ -587,8 +585,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:537 msgid "rewrite some fields of an existing wishlist saving non-editables" msgstr "" -"Réécrire certains champs d'un attribut existant en sauvegardant les éléments" -" non modifiables" +"Réécrire certains champs d'un attribut existant en sauvegardant les éléments " +"non modifiables" #: engine/core/docs/drf/viewsets.py:544 msgid "retrieve current pending wishlist of a user" @@ -644,18 +642,29 @@ msgstr "" msgid "" "Filter by one or more attribute name/value pairs. \n" "• **Syntax**: `attr_name=method-value[;attr2=method2-value2]…` \n" -"• **Methods** (defaults to `icontains` if omitted): `iexact`, `exact`, `icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, `iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in` \n" -"• **Value typing**: JSON is attempted first (so you can pass lists/dicts), `true`/`false` for booleans, integers, floats; otherwise treated as string. \n" +"• **Methods** (defaults to `icontains` if omitted): `iexact`, `exact`, " +"`icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, " +"`iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in` \n" +"• **Value typing**: JSON is attempted first (so you can pass lists/dicts), " +"`true`/`false` for booleans, integers, floats; otherwise treated as " +"string. \n" "• **Base64**: prefix with `b64-` to URL-safe base64-encode the raw value. \n" "Examples: \n" -"`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\",\"bluetooth\"]`, \n" +"`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\"," +"\"bluetooth\"]`, \n" "`b64-description=icontains-aGVhdC1jb2xk`" msgstr "" "Filtre sur une ou plusieurs paires nom/valeur d'attribut. \n" "- **Syntaxe** : `nom_attr=méthode-valeur[;attr2=méthode2-valeur2]...`\n" -"- **Méthodes** (la valeur par défaut est `icontains` si elle est omise) : `iexact`, `exact`, `icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, `iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in`\n" -"- **Type de valeur** : JSON est essayé en premier (pour que vous puissiez passer des listes/dicts), `true`/`false` pour les booléens, les entiers, les flottants ; sinon traité comme une chaîne de caractères. \n" -"- **Base64** : préfixe avec `b64-` pour encoder la valeur brute en base64 de manière sûre pour l'URL. \n" +"- **Méthodes** (la valeur par défaut est `icontains` si elle est omise) : " +"`iexact`, `exact`, `icontains`, `contains`, `isnull`, `startswith`, " +"`istartswith`, `endswith`, `iendswith`, `regex`, `iregex`, `lt`, `lte`, " +"`gt`, `gte`, `in`\n" +"- **Type de valeur** : JSON est essayé en premier (pour que vous puissiez " +"passer des listes/dicts), `true`/`false` pour les booléens, les entiers, les " +"flottants ; sinon traité comme une chaîne de caractères. \n" +"- **Base64** : préfixe avec `b64-` pour encoder la valeur brute en base64 de " +"manière sûre pour l'URL. \n" "Exemples : \n" "`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\", \"bluetooth\"]`,\n" "`b64-description=icontains-aGVhdC1jb2xk`" @@ -670,10 +679,12 @@ msgstr "UUID (exact) du produit" #: engine/core/docs/drf/viewsets.py:630 msgid "" -"Comma-separated list of fields to sort by. Prefix with `-` for descending. \n" +"Comma-separated list of fields to sort by. Prefix with `-` for " +"descending. \n" "**Allowed:** uuid, rating, name, slug, created, modified, price, random" msgstr "" -"Liste de champs séparés par des virgules à trier. Préfixer avec `-` pour un tri descendant. \n" +"Liste de champs séparés par des virgules à trier. Préfixer avec `-` pour un " +"tri descendant. \n" "**Allowed:** uuid, rating, name, slug, created, modified, price, random" #: engine/core/docs/drf/viewsets.py:647 engine/core/docs/drf/viewsets.py:648 @@ -938,8 +949,7 @@ msgstr "Supprimer une promotion" #: engine/core/docs/drf/viewsets.py:1244 msgid "rewrite an existing promotion saving non-editables" msgstr "" -"Réécrire une promotion existante en sauvegardant les éléments non " -"modifiables" +"Réécrire une promotion existante en sauvegardant les éléments non modifiables" #: engine/core/docs/drf/viewsets.py:1251 msgid "rewrite some fields of an existing promotion saving non-editables" @@ -994,8 +1004,8 @@ msgstr "Supprimer une étiquette de produit" #: engine/core/docs/drf/viewsets.py:1342 msgid "rewrite an existing product tag saving non-editables" msgstr "" -"Réécrire une étiquette de produit existante en sauvegardant les éléments non" -" modifiables" +"Réécrire une étiquette de produit existante en sauvegardant les éléments non " +"modifiables" #: engine/core/docs/drf/viewsets.py:1350 msgid "rewrite some fields of an existing product tag saving non-editables" @@ -1241,8 +1251,8 @@ msgstr "Acheter une commande" #: engine/core/graphene/mutations.py:542 msgid "" -"please send the attributes as the string formatted like " -"attr1=value1,attr2=value2" +"please send the attributes as the string formatted like attr1=value1," +"attr2=value2" msgstr "" "Veuillez envoyer les attributs sous la forme d'une chaîne formatée comme " "attr1=valeur1,attr2=valeur2." @@ -1283,8 +1293,8 @@ msgid "elasticsearch - works like a charm" msgstr "ElasticSearch - fonctionne comme un charme" #: engine/core/graphene/object_types.py:84 -#: engine/core/graphene/object_types.py:419 -#: engine/core/graphene/object_types.py:470 engine/core/models.py:796 +#: engine/core/graphene/object_types.py:420 +#: engine/core/graphene/object_types.py:471 engine/core/models.py:796 #: engine/core/models.py:1290 engine/core/models.py:2022 msgid "attributes" msgstr "Attributs" @@ -1298,8 +1308,8 @@ msgid "groups of attributes" msgstr "Groupes d'attributs" #: engine/core/graphene/object_types.py:118 -#: engine/core/graphene/object_types.py:216 -#: engine/core/graphene/object_types.py:254 engine/core/models.py:440 +#: engine/core/graphene/object_types.py:217 +#: engine/core/graphene/object_types.py:255 engine/core/models.py:440 msgid "categories" msgstr "Catégories" @@ -1307,137 +1317,136 @@ msgstr "Catégories" msgid "brands" msgstr "Marques" -#: engine/core/graphene/object_types.py:218 +#: engine/core/graphene/object_types.py:219 msgid "category image url" msgstr "Catégories" -#: engine/core/graphene/object_types.py:219 -#: engine/core/graphene/object_types.py:364 engine/core/models.py:278 +#: engine/core/graphene/object_types.py:220 +#: engine/core/graphene/object_types.py:365 engine/core/models.py:278 msgid "markup percentage" msgstr "Markup Percentage" -#: engine/core/graphene/object_types.py:223 +#: engine/core/graphene/object_types.py:224 msgid "which attributes and values can be used for filtering this category." msgstr "" "Quels attributs et valeurs peuvent être utilisés pour filtrer cette " "catégorie." -#: engine/core/graphene/object_types.py:229 -msgid "" -"minimum and maximum prices for products in this category, if available." +#: engine/core/graphene/object_types.py:230 +msgid "minimum and maximum prices for products in this category, if available." msgstr "" "Prix minimum et maximum pour les produits de cette catégorie, s'ils sont " "disponibles." -#: engine/core/graphene/object_types.py:233 +#: engine/core/graphene/object_types.py:234 msgid "tags for this category" msgstr "Tags pour cette catégorie" -#: engine/core/graphene/object_types.py:236 +#: engine/core/graphene/object_types.py:237 msgid "products in this category" msgstr "Produits dans cette catégorie" -#: engine/core/graphene/object_types.py:371 engine/core/models.py:183 +#: engine/core/graphene/object_types.py:372 engine/core/models.py:183 msgid "vendors" msgstr "Vendeurs" -#: engine/core/graphene/object_types.py:375 +#: engine/core/graphene/object_types.py:376 msgid "Latitude (Y coordinate)" msgstr "Latitude (coordonnée Y)" -#: engine/core/graphene/object_types.py:376 +#: engine/core/graphene/object_types.py:377 msgid "Longitude (X coordinate)" msgstr "Longitude (coordonnée X)" -#: engine/core/graphene/object_types.py:405 +#: engine/core/graphene/object_types.py:406 msgid "comment" msgstr "Comment" -#: engine/core/graphene/object_types.py:407 -#: engine/core/graphene/object_types.py:541 +#: engine/core/graphene/object_types.py:408 +#: engine/core/graphene/object_types.py:542 msgid "rating value from 1 to 10, inclusive, or 0 if not set." msgstr "Valeur d'évaluation de 1 à 10 inclus, ou 0 si elle n'est pas définie." -#: engine/core/graphene/object_types.py:415 +#: engine/core/graphene/object_types.py:416 msgid "represents feedback from a user." msgstr "Représente le retour d'information d'un utilisateur." -#: engine/core/graphene/object_types.py:420 -#: engine/core/graphene/object_types.py:471 engine/core/models.py:1284 +#: engine/core/graphene/object_types.py:421 +#: engine/core/graphene/object_types.py:472 engine/core/models.py:1284 msgid "notifications" msgstr "Notifications" -#: engine/core/graphene/object_types.py:422 +#: engine/core/graphene/object_types.py:423 msgid "download url for this order product if applicable" msgstr "URL de téléchargement pour ce produit de la commande, le cas échéant" -#: engine/core/graphene/object_types.py:424 engine/core/models.py:1849 +#: engine/core/graphene/object_types.py:425 engine/core/models.py:1849 msgid "feedback" msgstr "Retour d'information" -#: engine/core/graphene/object_types.py:458 +#: engine/core/graphene/object_types.py:459 msgid "a list of order products in this order" msgstr "Une liste des produits commandés dans cette commande" -#: engine/core/graphene/object_types.py:460 engine/core/models.py:1254 +#: engine/core/graphene/object_types.py:461 engine/core/models.py:1254 msgid "billing address" msgstr "Adresse de facturation" -#: engine/core/graphene/object_types.py:464 +#: engine/core/graphene/object_types.py:465 msgid "" "shipping address for this order, leave blank if same as billing address or " "if not applicable" msgstr "" -"Adresse d'expédition pour cette commande, laisser vide si elle est identique" -" à l'adresse de facturation ou si elle n'est pas applicable" +"Adresse d'expédition pour cette commande, laisser vide si elle est identique " +"à l'adresse de facturation ou si elle n'est pas applicable" -#: engine/core/graphene/object_types.py:467 +#: engine/core/graphene/object_types.py:468 msgid "total price of this order" msgstr "Prix total de la commande" -#: engine/core/graphene/object_types.py:468 +#: engine/core/graphene/object_types.py:469 msgid "total quantity of products in order" msgstr "Quantité totale de produits dans la commande" -#: engine/core/graphene/object_types.py:469 +#: engine/core/graphene/object_types.py:470 msgid "are all products in the order digital" msgstr "Tous les produits de la commande sont-ils numériques ?" -#: engine/core/graphene/object_types.py:473 +#: engine/core/graphene/object_types.py:474 msgid "transactions for this order" msgstr "Transactions pour cette commande" -#: engine/core/graphene/object_types.py:493 engine/core/models.py:1318 +#: engine/core/graphene/object_types.py:494 engine/core/models.py:1318 msgid "orders" msgstr "Commandes" -#: engine/core/graphene/object_types.py:514 +#: engine/core/graphene/object_types.py:515 msgid "image url" msgstr "Image URL" -#: engine/core/graphene/object_types.py:521 +#: engine/core/graphene/object_types.py:522 msgid "product's images" msgstr "Images du produit" -#: engine/core/graphene/object_types.py:528 engine/core/models.py:439 +#: engine/core/graphene/object_types.py:529 engine/core/models.py:439 #: engine/core/models.py:596 msgid "category" msgstr "Catégorie" -#: engine/core/graphene/object_types.py:530 engine/core/models.py:1850 +#: engine/core/graphene/object_types.py:531 engine/core/models.py:1850 msgid "feedbacks" msgstr "Retour d'information" -#: engine/core/graphene/object_types.py:531 engine/core/models.py:510 +#: engine/core/graphene/object_types.py:532 engine/core/models.py:510 #: engine/core/models.py:605 msgid "brand" msgstr "Marque" -#: engine/core/graphene/object_types.py:533 engine/core/models.py:103 +#: engine/core/graphene/object_types.py:534 engine/core/models.py:103 msgid "attribute groups" msgstr "Groupes d'attributs" -#: engine/core/graphene/object_types.py:535 +#: engine/core/graphene/object_types.py:536 #: engine/core/templates/digital_order_created_email.html:111 #: engine/core/templates/digital_order_delivered_email.html:109 #: engine/core/templates/shipped_order_created_email.html:109 @@ -1445,7 +1454,7 @@ msgstr "Groupes d'attributs" msgid "price" msgstr "Prix" -#: engine/core/graphene/object_types.py:536 +#: engine/core/graphene/object_types.py:537 #: engine/core/templates/digital_order_created_email.html:110 #: engine/core/templates/digital_order_delivered_email.html:108 #: engine/core/templates/shipped_order_created_email.html:108 @@ -1453,39 +1462,39 @@ msgstr "Prix" msgid "quantity" msgstr "Quantité" -#: engine/core/graphene/object_types.py:537 +#: engine/core/graphene/object_types.py:538 msgid "number of feedbacks" msgstr "Nombre de retours d'information" -#: engine/core/graphene/object_types.py:538 +#: engine/core/graphene/object_types.py:539 msgid "only available for personal orders" msgstr "Produits disponibles uniquement pour les commandes personnelles" -#: engine/core/graphene/object_types.py:543 +#: engine/core/graphene/object_types.py:544 msgid "discount price" msgstr "Prix d'escompte" -#: engine/core/graphene/object_types.py:567 engine/core/models.py:677 +#: engine/core/graphene/object_types.py:568 engine/core/models.py:677 msgid "products" msgstr "Produits" -#: engine/core/graphene/object_types.py:677 +#: engine/core/graphene/object_types.py:678 msgid "promocodes" msgstr "Promocodes" -#: engine/core/graphene/object_types.py:692 +#: engine/core/graphene/object_types.py:693 msgid "products on sale" msgstr "Produits en vente" -#: engine/core/graphene/object_types.py:700 engine/core/models.py:928 +#: engine/core/graphene/object_types.py:701 engine/core/models.py:928 msgid "promotions" msgstr "Promotions" -#: engine/core/graphene/object_types.py:704 engine/core/models.py:182 +#: engine/core/graphene/object_types.py:705 engine/core/models.py:182 msgid "vendor" msgstr "Vendeur" -#: engine/core/graphene/object_types.py:705 engine/core/models.py:676 +#: engine/core/graphene/object_types.py:706 engine/core/models.py:676 #: engine/core/templates/digital_order_created_email.html:109 #: engine/core/templates/digital_order_delivered_email.html:107 #: engine/core/templates/shipped_order_created_email.html:107 @@ -1493,100 +1502,100 @@ msgstr "Vendeur" msgid "product" msgstr "Produit" -#: engine/core/graphene/object_types.py:717 engine/core/models.py:951 +#: engine/core/graphene/object_types.py:718 engine/core/models.py:951 msgid "wishlisted products" msgstr "Produits en liste de souhaits" -#: engine/core/graphene/object_types.py:724 engine/core/models.py:968 +#: engine/core/graphene/object_types.py:725 engine/core/models.py:968 msgid "wishlists" msgstr "Liste de souhaits" -#: engine/core/graphene/object_types.py:729 +#: engine/core/graphene/object_types.py:730 msgid "tagged products" msgstr "Produits marqués" -#: engine/core/graphene/object_types.py:737 engine/core/models.py:219 +#: engine/core/graphene/object_types.py:738 engine/core/models.py:219 #: engine/core/models.py:611 msgid "product tags" msgstr "Étiquettes du produit" -#: engine/core/graphene/object_types.py:742 +#: engine/core/graphene/object_types.py:743 msgid "tagged categories" msgstr "Catégories marquées" -#: engine/core/graphene/object_types.py:750 +#: engine/core/graphene/object_types.py:751 msgid "categories tags" msgstr "Tags des catégories" -#: engine/core/graphene/object_types.py:754 +#: engine/core/graphene/object_types.py:755 msgid "project name" msgstr "Nom du projet" -#: engine/core/graphene/object_types.py:755 +#: engine/core/graphene/object_types.py:756 msgid "company name" msgstr "Nom de l'entreprise" -#: engine/core/graphene/object_types.py:756 +#: engine/core/graphene/object_types.py:757 msgid "company address" msgstr "Adresse de l'entreprise" -#: engine/core/graphene/object_types.py:757 +#: engine/core/graphene/object_types.py:758 msgid "company phone number" msgstr "Numéro de téléphone de l'entreprise" -#: engine/core/graphene/object_types.py:760 +#: engine/core/graphene/object_types.py:761 msgid "email from, sometimes it must be used instead of host user value" msgstr "" "'email from', parfois il doit être utilisé à la place de la valeur de " "l'utilisateur de l'hôte" -#: engine/core/graphene/object_types.py:763 +#: engine/core/graphene/object_types.py:764 msgid "email host user" msgstr "Utilisateur de l'hôte de messagerie" -#: engine/core/graphene/object_types.py:764 +#: engine/core/graphene/object_types.py:765 msgid "maximum amount for payment" msgstr "Montant maximum du paiement" -#: engine/core/graphene/object_types.py:765 +#: engine/core/graphene/object_types.py:766 msgid "minimum amount for payment" msgstr "Montant minimum pour le paiement" -#: engine/core/graphene/object_types.py:766 +#: engine/core/graphene/object_types.py:767 msgid "analytics data" msgstr "Données analytiques" -#: engine/core/graphene/object_types.py:767 +#: engine/core/graphene/object_types.py:768 msgid "advertisement data" msgstr "Advertisement data" -#: engine/core/graphene/object_types.py:770 +#: engine/core/graphene/object_types.py:771 msgid "company configuration" msgstr "Configuration" -#: engine/core/graphene/object_types.py:774 +#: engine/core/graphene/object_types.py:775 msgid "language code" msgstr "Code langue" -#: engine/core/graphene/object_types.py:775 +#: engine/core/graphene/object_types.py:776 msgid "language name" msgstr "Nom de la langue" -#: engine/core/graphene/object_types.py:776 +#: engine/core/graphene/object_types.py:777 msgid "language flag, if exists :)" msgstr "Drapeau linguistique, s'il existe :)" -#: engine/core/graphene/object_types.py:779 +#: engine/core/graphene/object_types.py:780 msgid "supported languages" msgstr "Obtenir la liste des langues prises en charge" -#: engine/core/graphene/object_types.py:811 -#: engine/core/graphene/object_types.py:814 -#: engine/core/graphene/object_types.py:817 +#: engine/core/graphene/object_types.py:812 +#: engine/core/graphene/object_types.py:815 +#: engine/core/graphene/object_types.py:818 msgid "products search results" msgstr "Résultats de la recherche de produits" -#: engine/core/graphene/object_types.py:819 +#: engine/core/graphene/object_types.py:820 msgid "posts search results" msgstr "Résultats de la recherche de produits" @@ -1631,8 +1640,8 @@ msgid "" msgstr "" "Représente une entité fournisseur capable de stocker des informations sur " "les fournisseurs externes et leurs exigences en matière d'interaction. La " -"classe Vendeur est utilisée pour définir et gérer les informations relatives" -" à un fournisseur externe. Elle stocke le nom du fournisseur, les détails " +"classe Vendeur est utilisée pour définir et gérer les informations relatives " +"à un fournisseur externe. Elle stocke le nom du fournisseur, les détails " "d'authentification requis pour la communication et le pourcentage de " "majoration appliqué aux produits récupérés auprès du fournisseur. Ce modèle " "gère également des métadonnées et des contraintes supplémentaires, ce qui " @@ -1724,9 +1733,9 @@ msgid "" "attributes for an internal tag identifier and a user-friendly display name." msgstr "" "Représente une étiquette de catégorie utilisée pour les produits. Cette " -"classe modélise une balise de catégorie qui peut être utilisée pour associer" -" et classer des produits. Elle comprend des attributs pour un identifiant de" -" balise interne et un nom d'affichage convivial." +"classe modélise une balise de catégorie qui peut être utilisée pour associer " +"et classer des produits. Elle comprend des attributs pour un identifiant de " +"balise interne et un nom d'affichage convivial." #: engine/core/models.py:249 msgid "category tag" @@ -1753,8 +1762,8 @@ msgstr "" "avoir des relations hiérarchiques avec d'autres catégories, en prenant en " "charge les relations parent-enfant. La classe comprend des champs pour les " "métadonnées et la représentation visuelle, qui servent de base aux " -"fonctionnalités liées aux catégories. Cette classe est généralement utilisée" -" pour définir et gérer des catégories de produits ou d'autres regroupements " +"fonctionnalités liées aux catégories. Cette classe est généralement utilisée " +"pour définir et gérer des catégories de produits ou d'autres regroupements " "similaires au sein d'une application, permettant aux utilisateurs ou aux " "administrateurs de spécifier le nom, la description et la hiérarchie des " "catégories, ainsi que d'attribuer des attributs tels que des images, des " @@ -1810,14 +1819,13 @@ msgid "" "Represents a Brand object in the system. This class handles information and " "attributes related to a brand, including its name, logos, description, " "associated categories, a unique slug, and priority order. It allows for the " -"organization and representation of brand-related data within the " -"application." +"organization and representation of brand-related data within the application." msgstr "" "Représente un objet Marque dans le système. Cette classe gère les " "informations et les attributs liés à une marque, y compris son nom, ses " "logos, sa description, ses catégories associées, un nom unique et un ordre " -"de priorité. Elle permet d'organiser et de représenter les données relatives" -" à la marque dans l'application." +"de priorité. Elle permet d'organiser et de représenter les données relatives " +"à la marque dans l'application." #: engine/core/models.py:456 msgid "name of this brand" @@ -1861,8 +1869,8 @@ msgstr "Catégories" #: engine/core/models.py:516 msgid "" -"Represents the stock of a product managed in the system. This class provides" -" details about the relationship between vendors, products, and their stock " +"Represents the stock of a product managed in the system. This class provides " +"details about the relationship between vendors, products, and their stock " "information, as well as inventory-related properties like price, purchase " "price, quantity, SKU, and digital assets. It is part of the inventory " "management system to allow tracking and evaluation of products available " @@ -1872,8 +1880,8 @@ msgstr "" "des détails sur la relation entre les fournisseurs, les produits et leurs " "informations de stock, ainsi que des propriétés liées à l'inventaire telles " "que le prix, le prix d'achat, la quantité, l'UGS et les actifs numériques. " -"Elle fait partie du système de gestion des stocks pour permettre le suivi et" -" l'évaluation des produits disponibles auprès de différents fournisseurs." +"Elle fait partie du système de gestion des stocks pour permettre le suivi et " +"l'évaluation des produits disponibles auprès de différents fournisseurs." #: engine/core/models.py:528 msgid "the vendor supplying this product stock" @@ -1952,8 +1960,8 @@ msgid "" "product data and its associated information within an application." msgstr "" "Représente un produit avec des attributs tels que la catégorie, la marque, " -"les étiquettes, l'état numérique, le nom, la description, le numéro de pièce" -" et l'étiquette. Fournit des propriétés utilitaires connexes pour récupérer " +"les étiquettes, l'état numérique, le nom, la description, le numéro de pièce " +"et l'étiquette. Fournit des propriétés utilitaires connexes pour récupérer " "les évaluations, le nombre de commentaires, le prix, la quantité et le " "nombre total de commandes. Conçue pour être utilisée dans un système de " "commerce électronique ou de gestion des stocks. Cette classe interagit avec " @@ -2024,14 +2032,14 @@ msgid "" "Represents an attribute in the system. This class is used to define and " "manage attributes, which are customizable pieces of data that can be " "associated with other entities. Attributes have associated categories, " -"groups, value types, and names. The model supports multiple types of values," -" including string, integer, float, boolean, array, and object. This allows " +"groups, value types, and names. The model supports multiple types of values, " +"including string, integer, float, boolean, array, and object. This allows " "for dynamic and flexible data structuring." msgstr "" "Représente un attribut dans le système. Cette classe est utilisée pour " "définir et gérer les attributs, qui sont des données personnalisables " -"pouvant être associées à d'autres entités. Les attributs sont associés à des" -" catégories, des groupes, des types de valeurs et des noms. Le modèle prend " +"pouvant être associées à d'autres entités. Les attributs sont associés à des " +"catégories, des groupes, des types de valeurs et des noms. Le modèle prend " "en charge plusieurs types de valeurs, notamment les chaînes de caractères, " "les entiers, les flottants, les booléens, les tableaux et les objets. Cela " "permet une structuration dynamique et flexible des données." @@ -2097,14 +2105,13 @@ msgstr "Attribut" #: engine/core/models.py:801 msgid "" -"Represents a specific value for an attribute that is linked to a product. It" -" links the 'attribute' to a unique 'value', allowing better organization and" -" dynamic representation of product characteristics." +"Represents a specific value for an attribute that is linked to a product. It " +"links the 'attribute' to a unique 'value', allowing better organization and " +"dynamic representation of product characteristics." msgstr "" -"Représente une valeur spécifique pour un attribut lié à un produit. Il relie" -" l'\"attribut\" à une \"valeur\" unique, ce qui permet une meilleure " -"organisation et une représentation dynamique des caractéristiques du " -"produit." +"Représente une valeur spécifique pour un attribut lié à un produit. Il relie " +"l'\"attribut\" à une \"valeur\" unique, ce qui permet une meilleure " +"organisation et une représentation dynamique des caractéristiques du produit." #: engine/core/models.py:812 msgid "attribute of this value" @@ -2121,16 +2128,16 @@ msgstr "La valeur spécifique de cet attribut" #: engine/core/models.py:839 msgid "" "Represents a product image associated with a product in the system. This " -"class is designed to manage images for products, including functionality for" -" uploading image files, associating them with specific products, and " +"class is designed to manage images for products, including functionality for " +"uploading image files, associating them with specific products, and " "determining their display order. It also includes an accessibility feature " "with alternative text for the images." msgstr "" -"Représente une image de produit associée à un produit dans le système. Cette" -" classe est conçue pour gérer les images des produits, y compris la " +"Représente une image de produit associée à un produit dans le système. Cette " +"classe est conçue pour gérer les images des produits, y compris la " "fonctionnalité de téléchargement des fichiers d'image, leur association à " -"des produits spécifiques et la détermination de leur ordre d'affichage. Elle" -" comprend également une fonction d'accessibilité avec un texte alternatif " +"des produits spécifiques et la détermination de leur ordre d'affichage. Elle " +"comprend également une fonction d'accessibilité avec un texte alternatif " "pour les images." #: engine/core/models.py:850 @@ -2171,8 +2178,8 @@ msgid "" "is used to define and manage promotional campaigns that offer a percentage-" "based discount for products. The class includes attributes for setting the " "discount rate, providing details about the promotion, and linking it to the " -"applicable products. It integrates with the product catalog to determine the" -" affected items in the campaign." +"applicable products. It integrates with the product catalog to determine the " +"affected items in the campaign." msgstr "" "Représente une campagne promotionnelle pour des produits avec une remise. " "Cette classe est utilisée pour définir et gérer des campagnes " @@ -2225,8 +2232,7 @@ msgstr "" "gestion des produits souhaités. La classe fournit des fonctionnalités " "permettant de gérer une collection de produits, en prenant en charge des " "opérations telles que l'ajout et la suppression de produits, ainsi que des " -"opérations permettant d'ajouter et de supprimer plusieurs produits à la " -"fois." +"opérations permettant d'ajouter et de supprimer plusieurs produits à la fois." #: engine/core/models.py:950 msgid "products that the user has marked as wanted" @@ -2250,11 +2256,11 @@ msgid "" "store information about documentaries related to specific products, " "including file uploads and their metadata. It contains methods and " "properties to handle the file type and storage path for the documentary " -"files. It extends functionality from specific mixins and provides additional" -" custom features." +"files. It extends functionality from specific mixins and provides additional " +"custom features." msgstr "" -"Représente un enregistrement documentaire lié à un produit. Cette classe est" -" utilisée pour stocker des informations sur les documentaires liés à des " +"Représente un enregistrement documentaire lié à un produit. Cette classe est " +"utilisée pour stocker des informations sur les documentaires liés à des " "produits spécifiques, y compris les téléchargements de fichiers et leurs " "métadonnées. Elle contient des méthodes et des propriétés permettant de " "gérer le type de fichier et le chemin de stockage des fichiers " @@ -2275,24 +2281,24 @@ msgstr "Non résolu" #: engine/core/models.py:1040 msgid "" -"Represents an address entity that includes location details and associations" -" with a user. Provides functionality for geographic and address data " -"storage, as well as integration with geocoding services. This class is " -"designed to store detailed address information including components like " -"street, city, region, country, and geolocation (longitude and latitude). It " -"supports integration with geocoding APIs, enabling the storage of raw API " -"responses for further processing or inspection. The class also allows " -"associating an address with a user, facilitating personalized data handling." +"Represents an address entity that includes location details and associations " +"with a user. Provides functionality for geographic and address data storage, " +"as well as integration with geocoding services. This class is designed to " +"store detailed address information including components like street, city, " +"region, country, and geolocation (longitude and latitude). It supports " +"integration with geocoding APIs, enabling the storage of raw API responses " +"for further processing or inspection. The class also allows associating an " +"address with a user, facilitating personalized data handling." msgstr "" "Représente une entité d'adresse qui comprend des détails de localisation et " "des associations avec un utilisateur. Elle fournit des fonctionnalités de " "stockage de données géographiques et d'adresses, ainsi qu'une intégration " "avec des services de géocodage. Cette classe est conçue pour stocker des " -"informations détaillées sur les adresses, y compris des éléments tels que la" -" rue, la ville, la région, le pays et la géolocalisation (longitude et " +"informations détaillées sur les adresses, y compris des éléments tels que la " +"rue, la ville, la région, le pays et la géolocalisation (longitude et " "latitude). Elle prend en charge l'intégration avec les API de géocodage, ce " -"qui permet de stocker les réponses brutes de l'API en vue d'un traitement ou" -" d'une inspection ultérieurs. La classe permet également d'associer une " +"qui permet de stocker les réponses brutes de l'API en vue d'un traitement ou " +"d'une inspection ultérieurs. La classe permet également d'associer une " "adresse à un utilisateur, ce qui facilite le traitement personnalisé des " "données." @@ -2359,8 +2365,8 @@ msgid "" msgstr "" "Représente un code promotionnel qui peut être utilisé pour des remises, en " "gérant sa validité, le type de remise et l'application. La classe PromoCode " -"stocke les détails d'un code promotionnel, notamment son identifiant unique," -" les propriétés de la remise (montant ou pourcentage), la période de " +"stocke les détails d'un code promotionnel, notamment son identifiant unique, " +"les propriétés de la remise (montant ou pourcentage), la période de " "validité, l'utilisateur associé (le cas échéant) et l'état de son " "utilisation. Elle comprend une fonctionnalité permettant de valider et " "d'appliquer le code promotionnel à une commande tout en veillant à ce que " @@ -2368,8 +2374,7 @@ msgstr "" #: engine/core/models.py:1119 msgid "unique code used by a user to redeem a discount" -msgstr "" -"Code unique utilisé par un utilisateur pour bénéficier d'une réduction" +msgstr "Code unique utilisé par un utilisateur pour bénéficier d'une réduction" #: engine/core/models.py:1120 msgid "promo code identifier" @@ -2377,8 +2382,7 @@ msgstr "Identifiant du code promotionnel" #: engine/core/models.py:1127 msgid "fixed discount amount applied if percent is not used" -msgstr "" -"Montant fixe de la remise appliqué si le pourcentage n'est pas utilisé" +msgstr "Montant fixe de la remise appliqué si le pourcentage n'est pas utilisé" #: engine/core/models.py:1128 msgid "fixed discount amount" @@ -2386,8 +2390,7 @@ msgstr "Montant de l'escompte fixe" #: engine/core/models.py:1134 msgid "percentage discount applied if fixed amount is not used" -msgstr "" -"Pourcentage de réduction appliqué si le montant fixe n'est pas utilisé" +msgstr "Pourcentage de réduction appliqué si le montant fixe n'est pas utilisé" #: engine/core/models.py:1135 msgid "percentage discount" @@ -2412,8 +2415,8 @@ msgstr "Heure de début de validité" #: engine/core/models.py:1152 msgid "timestamp when the promocode was used, blank if not used yet" msgstr "" -"Date à laquelle le code promotionnel a été utilisé, vide s'il n'a pas encore" -" été utilisé." +"Date à laquelle le code promotionnel a été utilisé, vide s'il n'a pas encore " +"été utilisé." #: engine/core/models.py:1153 msgid "usage timestamp" @@ -2456,18 +2459,18 @@ msgstr "Type de réduction non valide pour le code promo {self.uuid} !" msgid "" "Represents an order placed by a user. This class models an order within the " "application, including its various attributes such as billing and shipping " -"information, status, associated user, notifications, and related operations." -" Orders can have associated products, promotions can be applied, addresses " +"information, status, associated user, notifications, and related operations. " +"Orders can have associated products, promotions can be applied, addresses " "set, and shipping or billing details updated. Equally, functionality " "supports managing the products in the order lifecycle." msgstr "" -"Représente une commande passée par un utilisateur. Cette classe modélise une" -" commande dans l'application, y compris ses différents attributs tels que " -"les informations de facturation et d'expédition, le statut, l'utilisateur " -"associé, les notifications et les opérations connexes. Les commandes peuvent" -" être associées à des produits, des promotions peuvent être appliquées, des " -"adresses peuvent être définies et les détails d'expédition ou de facturation" -" peuvent être mis à jour. De même, la fonctionnalité permet de gérer les " +"Représente une commande passée par un utilisateur. Cette classe modélise une " +"commande dans l'application, y compris ses différents attributs tels que les " +"informations de facturation et d'expédition, le statut, l'utilisateur " +"associé, les notifications et les opérations connexes. Les commandes peuvent " +"être associées à des produits, des promotions peuvent être appliquées, des " +"adresses peuvent être définies et les détails d'expédition ou de facturation " +"peuvent être mis à jour. De même, la fonctionnalité permet de gérer les " "produits dans le cycle de vie de la commande." #: engine/core/models.py:1253 @@ -2543,8 +2546,7 @@ msgstr "Un utilisateur ne peut avoir qu'un seul ordre en cours à la fois !" #: engine/core/models.py:1397 msgid "you cannot add products to an order that is not a pending one" msgstr "" -"Vous ne pouvez pas ajouter de produits à une commande qui n'est pas en " -"cours." +"Vous ne pouvez pas ajouter de produits à une commande qui n'est pas en cours." #: engine/core/models.py:1403 msgid "you cannot add inactive products to order" @@ -2651,8 +2653,7 @@ msgid "feedback comments" msgstr "Commentaires" #: engine/core/models.py:1827 -msgid "" -"references the specific product in an order that this feedback is about" +msgid "references the specific product in an order that this feedback is about" msgstr "" "Fait référence au produit spécifique d'une commande sur lequel porte le " "retour d'information." @@ -2681,17 +2682,16 @@ msgid "" "download URL for digital products. The model integrates with the Order and " "Product models and stores a reference to them." msgstr "" -"Représente les produits associés aux commandes et leurs attributs. Le modèle" -" OrderProduct conserve les informations relatives à un produit faisant " -"partie d'une commande, y compris des détails tels que le prix d'achat, la " -"quantité, les attributs du produit et le statut. Il gère les notifications " -"destinées à l'utilisateur et aux administrateurs, ainsi que des opérations " -"telles que le renvoi du solde du produit ou l'ajout de commentaires. Ce " -"modèle fournit également des méthodes et des propriétés qui prennent en " -"charge la logique commerciale, comme le calcul du prix total ou la " -"génération d'une URL de téléchargement pour les produits numériques. Le " -"modèle s'intègre aux modèles de commande et de produit et stocke une " -"référence à ces derniers." +"Représente les produits associés aux commandes et leurs attributs. Le modèle " +"OrderProduct conserve les informations relatives à un produit faisant partie " +"d'une commande, y compris des détails tels que le prix d'achat, la quantité, " +"les attributs du produit et le statut. Il gère les notifications destinées à " +"l'utilisateur et aux administrateurs, ainsi que des opérations telles que le " +"renvoi du solde du produit ou l'ajout de commentaires. Ce modèle fournit " +"également des méthodes et des propriétés qui prennent en charge la logique " +"commerciale, comme le calcul du prix total ou la génération d'une URL de " +"téléchargement pour les produits numériques. Le modèle s'intègre aux modèles " +"de commande et de produit et stocke une référence à ces derniers." #: engine/core/models.py:1870 msgid "the price paid by the customer for this product at purchase time" @@ -2703,8 +2703,7 @@ msgstr "Prix d'achat au moment de la commande" #: engine/core/models.py:1876 msgid "internal comments for admins about this ordered product" -msgstr "" -"Commentaires internes pour les administrateurs sur ce produit commandé" +msgstr "Commentaires internes pour les administrateurs sur ce produit commandé" #: engine/core/models.py:1877 msgid "internal comments" @@ -2802,9 +2801,9 @@ msgid "" "Represents the downloading functionality for digital assets associated with " "orders. The DigitalAssetDownload class provides the ability to manage and " "access downloads related to order products. It maintains information about " -"the associated order product, the number of downloads, and whether the asset" -" is publicly visible. It includes a method to generate a URL for downloading" -" the asset when the associated order is in a completed status." +"the associated order product, the number of downloads, and whether the asset " +"is publicly visible. It includes a method to generate a URL for downloading " +"the asset when the associated order is in a completed status." msgstr "" "Représente la fonctionnalité de téléchargement des ressources numériques " "associées aux commandes. La classe DigitalAssetDownload permet de gérer et " @@ -3019,7 +3018,8 @@ msgstr "Bonjour %(order.user.first_name)s," #, python-format msgid "" "thank you for your order #%(order.pk)s! we are pleased to inform you that\n" -" we have taken your order into work. below are the details of your\n" +" we have taken your order into work. below are " +"the details of your\n" " order:" msgstr "" "Merci pour votre commande #%(order.pk)s ! Nous avons le plaisir de vous " @@ -3134,7 +3134,8 @@ msgstr "" #: engine/core/templates/shipped_order_created_email.html:101 #: engine/core/templates/shipped_order_delivered_email.html:101 msgid "" -"thank you for your order! we are pleased to confirm your purchase. below are\n" +"thank you for your order! we are pleased to confirm your purchase. below " +"are\n" " the details of your order:" msgstr "" "Nous vous remercions pour votre commande ! Nous avons le plaisir de " @@ -3173,8 +3174,8 @@ msgstr "Les données et le délai d'attente sont tous deux nécessaires" #: engine/core/utils/caching.py:52 msgid "invalid timeout value, it must be between 0 and 216000 seconds" msgstr "" -"La valeur du délai d'attente n'est pas valide, elle doit être comprise entre" -" 0 et 216000 secondes." +"La valeur du délai d'attente n'est pas valide, elle doit être comprise entre " +"0 et 216000 secondes." #: engine/core/utils/emailing.py:27 #, python-brace-format @@ -3226,8 +3227,8 @@ msgid "" "Content-Type header for XML." msgstr "" "Gère la réponse détaillée d'un plan du site. Cette fonction traite la " -"demande, récupère la réponse détaillée appropriée du plan du site et définit" -" l'en-tête Content-Type pour XML." +"demande, récupère la réponse détaillée appropriée du plan du site et définit " +"l'en-tête Content-Type pour XML." #: engine/core/views.py:155 msgid "" @@ -3271,10 +3272,15 @@ msgstr "Gère la logique de l'achat en tant qu'entreprise sans enregistrement." #: engine/core/views.py:337 msgid "" "Handles the downloading of a digital asset associated with an order.\n" -"This function attempts to serve the digital asset file located in the storage directory of the project. If the file is not found, an HTTP 404 error is raised to indicate the resource is unavailable." +"This function attempts to serve the digital asset file located in the " +"storage directory of the project. If the file is not found, an HTTP 404 " +"error is raised to indicate the resource is unavailable." msgstr "" "Gère le téléchargement d'un bien numérique associé à une commande.\n" -"Cette fonction tente de servir le fichier de ressource numérique situé dans le répertoire de stockage du projet. Si le fichier n'est pas trouvé, une erreur HTTP 404 est générée pour indiquer que la ressource n'est pas disponible." +"Cette fonction tente de servir le fichier de ressource numérique situé dans " +"le répertoire de stockage du projet. Si le fichier n'est pas trouvé, une " +"erreur HTTP 404 est générée pour indiquer que la ressource n'est pas " +"disponible." #: engine/core/views.py:348 msgid "order_product_uuid is required" @@ -3303,21 +3309,25 @@ msgstr "favicon introuvable" #: engine/core/views.py:418 msgid "" "Handles requests for the favicon of a website.\n" -"This function attempts to serve the favicon file located in the static directory of the project. If the favicon file is not found, an HTTP 404 error is raised to indicate the resource is unavailable." +"This function attempts to serve the favicon file located in the static " +"directory of the project. If the favicon file is not found, an HTTP 404 " +"error is raised to indicate the resource is unavailable." msgstr "" "Gère les demandes de favicon d'un site web.\n" -"Cette fonction tente de servir le fichier favicon situé dans le répertoire statique du projet. Si le fichier favicon n'est pas trouvé, une erreur HTTP 404 est générée pour indiquer que la ressource n'est pas disponible." +"Cette fonction tente de servir le fichier favicon situé dans le répertoire " +"statique du projet. Si le fichier favicon n'est pas trouvé, une erreur HTTP " +"404 est générée pour indiquer que la ressource n'est pas disponible." #: engine/core/views.py:432 msgid "" -"Redirects the request to the admin index page. The function handles incoming" -" HTTP requests and redirects them to the Django admin interface index page. " +"Redirects the request to the admin index page. The function handles incoming " +"HTTP requests and redirects them to the Django admin interface index page. " "It uses Django's `redirect` function for handling the HTTP redirection." msgstr "" "Redirige la requête vers la page d'index de l'interface d'administration. " -"Cette fonction gère les requêtes HTTP entrantes et les redirige vers la page" -" d'index de l'interface d'administration de Django. Elle utilise la fonction" -" `redirect` de Django pour gérer la redirection HTTP." +"Cette fonction gère les requêtes HTTP entrantes et les redirige vers la page " +"d'index de l'interface d'administration de Django. Elle utilise la fonction " +"`redirect` de Django pour gérer la redirection HTTP." #: engine/core/views.py:445 msgid "Returns current version of the eVibes. " @@ -3349,11 +3359,10 @@ msgstr "" #: engine/core/viewsets.py:160 msgid "" -"Represents a viewset for managing AttributeGroup objects. Handles operations" -" related to AttributeGroup, including filtering, serialization, and " -"retrieval of data. This class is part of the application's API layer and " -"provides a standardized way to process requests and responses for " -"AttributeGroup data." +"Represents a viewset for managing AttributeGroup objects. Handles operations " +"related to AttributeGroup, including filtering, serialization, and retrieval " +"of data. This class is part of the application's API layer and provides a " +"standardized way to process requests and responses for AttributeGroup data." msgstr "" "Représente un jeu de vues pour la gestion des objets AttributeGroup. Gère " "les opérations liées à l'AttributeGroup, notamment le filtrage, la " @@ -3383,15 +3392,14 @@ msgid "" "A viewset for managing AttributeValue objects. This viewset provides " "functionality for listing, retrieving, creating, updating, and deleting " "AttributeValue objects. It integrates with Django REST Framework's viewset " -"mechanisms and uses appropriate serializers for different actions. Filtering" -" capabilities are provided through the DjangoFilterBackend." +"mechanisms and uses appropriate serializers for different actions. Filtering " +"capabilities are provided through the DjangoFilterBackend." msgstr "" -"Un viewset pour la gestion des objets AttributeValue. Ce viewset fournit des" -" fonctionnalités pour lister, récupérer, créer, mettre à jour et supprimer " +"Un viewset pour la gestion des objets AttributeValue. Ce viewset fournit des " +"fonctionnalités pour lister, récupérer, créer, mettre à jour et supprimer " "des objets AttributeValue. Il s'intègre aux mécanismes de viewset du cadre " "REST de Django et utilise les sérialiseurs appropriés pour les différentes " -"actions. Les capacités de filtrage sont fournies par le backend " -"DjangoFilter." +"actions. Les capacités de filtrage sont fournies par le backend DjangoFilter." #: engine/core/viewsets.py:217 msgid "" @@ -3402,8 +3410,8 @@ msgid "" "can access specific data." msgstr "" "Gère les vues pour les opérations liées à la catégorie. La classe " -"CategoryViewSet est responsable de la gestion des opérations liées au modèle" -" Category dans le système. Elle permet d'extraire, de filtrer et de " +"CategoryViewSet est responsable de la gestion des opérations liées au modèle " +"Category dans le système. Elle permet d'extraire, de filtrer et de " "sérialiser les données relatives aux catégories. Le jeu de vues applique " "également des permissions pour s'assurer que seuls les utilisateurs " "autorisés peuvent accéder à des données spécifiques." @@ -3417,9 +3425,9 @@ msgid "" msgstr "" "Représente un jeu de vues pour la gestion des instances de marque. Cette " "classe fournit des fonctionnalités d'interrogation, de filtrage et de " -"sérialisation des objets Brand. Elle utilise le cadre ViewSet de Django pour" -" simplifier la mise en œuvre des points d'extrémité de l'API pour les objets" -" Brand." +"sérialisation des objets Brand. Elle utilise le cadre ViewSet de Django pour " +"simplifier la mise en œuvre des points d'extrémité de l'API pour les objets " +"Brand." #: engine/core/viewsets.py:458 msgid "" @@ -3436,8 +3444,8 @@ msgstr "" "sérialisation et les opérations sur des instances spécifiques. Elle s'étend " "à partir de `EvibesViewSet` pour utiliser des fonctionnalités communes et " "s'intègre au framework REST de Django pour les opérations API RESTful. Il " -"comprend des méthodes pour récupérer les détails d'un produit, appliquer des" -" permissions et accéder aux commentaires connexes d'un produit." +"comprend des méthodes pour récupérer les détails d'un produit, appliquer des " +"permissions et accéder aux commentaires connexes d'un produit." #: engine/core/viewsets.py:605 msgid "" @@ -3447,8 +3455,8 @@ msgid "" "actions. The purpose of this class is to provide streamlined access to " "Vendor-related resources through the Django REST framework." msgstr "" -"Représente un jeu de vues pour la gestion des objets Vendeur. Ce jeu de vues" -" permet d'extraire, de filtrer et de sérialiser les données relatives aux " +"Représente un jeu de vues pour la gestion des objets Vendeur. Ce jeu de vues " +"permet d'extraire, de filtrer et de sérialiser les données relatives aux " "vendeurs. Il définit l'ensemble de requêtes, les configurations de filtrage " "et les classes de sérialisation utilisées pour gérer les différentes " "actions. L'objectif de cette classe est de fournir un accès simplifié aux " @@ -3460,8 +3468,8 @@ msgid "" "Representation of a view set handling Feedback objects. This class manages " "operations related to Feedback objects, including listing, filtering, and " "retrieving details. The purpose of this view set is to provide different " -"serializers for different actions and implement permission-based handling of" -" accessible Feedback objects. It extends the base `EvibesViewSet` and makes " +"serializers for different actions and implement permission-based handling of " +"accessible Feedback objects. It extends the base `EvibesViewSet` and makes " "use of Django's filtering system for querying data." msgstr "" "Représentation d'un ensemble de vues gérant des objets de retour " @@ -3478,9 +3486,9 @@ msgid "" "ViewSet for managing orders and related operations. This class provides " "functionality to retrieve, modify, and manage order objects. It includes " "various endpoints for handling order operations such as adding or removing " -"products, performing purchases for registered as well as unregistered users," -" and retrieving the current authenticated user's pending orders. The ViewSet" -" uses multiple serializers based on the specific action being performed and " +"products, performing purchases for registered as well as unregistered users, " +"and retrieving the current authenticated user's pending orders. The ViewSet " +"uses multiple serializers based on the specific action being performed and " "enforces permissions accordingly while interacting with order data." msgstr "" "ViewSet pour la gestion des commandes et des opérations connexes. Cette " @@ -3497,15 +3505,15 @@ msgstr "" msgid "" "Provides a viewset for managing OrderProduct entities. This viewset enables " "CRUD operations and custom actions specific to the OrderProduct model. It " -"includes filtering, permission checks, and serializer switching based on the" -" requested action. Additionally, it provides a detailed action for handling " +"includes filtering, permission checks, and serializer switching based on the " +"requested action. Additionally, it provides a detailed action for handling " "feedback on OrderProduct instances" msgstr "" "Fournit un jeu de vues pour la gestion des entités OrderProduct. Ce jeu de " "vues permet d'effectuer des opérations CRUD et des actions personnalisées " "spécifiques au modèle OrderProduct. Il inclut le filtrage, les contrôles de " -"permission et le changement de sérialiseur en fonction de l'action demandée." -" En outre, il fournit une action détaillée pour gérer le retour " +"permission et le changement de sérialiseur en fonction de l'action demandée. " +"En outre, il fournit une action détaillée pour gérer le retour " "d'informations sur les instances OrderProduct." #: engine/core/viewsets.py:974 @@ -3532,8 +3540,8 @@ msgstr "Gère les opérations liées aux données de stock dans le système." msgid "" "ViewSet for managing Wishlist operations. The WishlistViewSet provides " "endpoints for interacting with a user's wish list, allowing for the " -"retrieval, modification, and customization of products within the wish list." -" This ViewSet facilitates functionality such as adding, removing, and bulk " +"retrieval, modification, and customization of products within the wish list. " +"This ViewSet facilitates functionality such as adding, removing, and bulk " "actions for wishlist products. Permission checks are integrated to ensure " "that users can only manage their own wishlists unless explicit permissions " "are granted." @@ -3541,9 +3549,9 @@ msgstr "" "Jeu de vues pour la gestion des opérations de la liste de souhaits. Le jeu " "de vues WishlistViewSet fournit des points d'extrémité pour interagir avec " "la liste de souhaits d'un utilisateur, permettant la récupération, la " -"modification et la personnalisation des produits de la liste de souhaits. Ce" -" jeu de vues facilite les fonctionnalités telles que l'ajout, la suppression" -" et les actions en bloc pour les produits de la liste de souhaits. Des " +"modification et la personnalisation des produits de la liste de souhaits. Ce " +"jeu de vues facilite les fonctionnalités telles que l'ajout, la suppression " +"et les actions en bloc pour les produits de la liste de souhaits. Des " "contrôles de permissions sont intégrés pour s'assurer que les utilisateurs " "ne peuvent gérer que leur propre liste de souhaits, sauf si des permissions " "explicites sont accordées." @@ -3557,11 +3565,11 @@ msgid "" "on the request context." msgstr "" "Cette classe fournit une fonctionnalité de viewset pour la gestion des " -"objets `Address`. La classe AddressViewSet permet d'effectuer des opérations" -" CRUD, des filtrages et des actions personnalisées liées aux entités " -"adresse. Elle inclut des comportements spécialisés pour différentes méthodes" -" HTTP, des dérogations au sérialiseur et une gestion des autorisations basée" -" sur le contexte de la demande." +"objets `Address`. La classe AddressViewSet permet d'effectuer des opérations " +"CRUD, des filtrages et des actions personnalisées liées aux entités adresse. " +"Elle inclut des comportements spécialisés pour différentes méthodes HTTP, " +"des dérogations au sérialiseur et une gestion des autorisations basée sur le " +"contexte de la demande." #: engine/core/viewsets.py:1254 #, python-brace-format diff --git a/engine/core/locale/he_IL/LC_MESSAGES/django.mo b/engine/core/locale/he_IL/LC_MESSAGES/django.mo index b26219cbd8617b1afbbf66b603c11a6bb5e26b29..a3973c3f1a71b9441cf1a4e7a073045492980962 100644 GIT binary patch delta 18 acmZpe#?~;6ZA14lW-~p*&3(s;jsO5hLkJH5 delta 18 acmZpe#?~;6ZA14lW>Y\n" "Language-Team: BRITISH ENGLISH \n" @@ -27,8 +27,7 @@ msgstr "פעיל" #: engine/core/abstract.py:22 msgid "" -"if set to false, this object can't be seen by users without needed " -"permission" +"if set to false, this object can't be seen by users without needed permission" msgstr "אם מוגדר כ-false, אובייקט זה לא יהיה גלוי למשתמשים ללא ההרשאה הנדרשת." #: engine/core/abstract.py:26 engine/core/choices.py:18 @@ -89,8 +88,8 @@ msgstr "השבת את %(verbose_name_plural)s שנבחר" msgid "selected items have been deactivated." msgstr "פריטים נבחרים הושבתו!" -#: engine/core/admin.py:196 engine/core/graphene/object_types.py:652 -#: engine/core/graphene/object_types.py:659 engine/core/models.py:825 +#: engine/core/admin.py:196 engine/core/graphene/object_types.py:653 +#: engine/core/graphene/object_types.py:660 engine/core/models.py:825 #: engine/core/models.py:833 msgid "attribute value" msgstr "ערך התכונה" @@ -104,7 +103,7 @@ msgstr "ערכי תכונות" msgid "image" msgstr "תמונה" -#: engine/core/admin.py:209 engine/core/graphene/object_types.py:529 +#: engine/core/admin.py:209 engine/core/graphene/object_types.py:530 msgid "images" msgstr "תמונות" @@ -112,7 +111,7 @@ msgstr "תמונות" msgid "stock" msgstr "מלאי" -#: engine/core/admin.py:221 engine/core/graphene/object_types.py:712 +#: engine/core/admin.py:221 engine/core/graphene/object_types.py:713 msgid "stocks" msgstr "מניות" @@ -120,7 +119,7 @@ msgstr "מניות" msgid "order product" msgstr "הזמן מוצר" -#: engine/core/admin.py:233 engine/core/graphene/object_types.py:440 +#: engine/core/admin.py:233 engine/core/graphene/object_types.py:441 #: engine/core/models.py:1932 msgid "order products" msgstr "הזמנת מוצרים" @@ -153,8 +152,7 @@ msgstr "נמסר" msgid "canceled" msgstr "בוטל" -#: engine/core/choices.py:8 engine/core/choices.py:16 -#: engine/core/choices.py:24 +#: engine/core/choices.py:8 engine/core/choices.py:16 engine/core/choices.py:24 msgid "failed" msgstr "נכשל" @@ -267,8 +265,7 @@ msgid "rewrite an existing attribute group saving non-editables" msgstr "שכתוב קבוצת תכונות קיימת תוך שמירת תכונות שאינן ניתנות לעריכה" #: engine/core/docs/drf/viewsets.py:107 -msgid "" -"rewrite some fields of an existing attribute group saving non-editables" +msgid "rewrite some fields of an existing attribute group saving non-editables" msgstr "" "שכתוב שדות מסוימים בקבוצת תכונות קיימת תוך שמירת תכונות שאינן ניתנות לעריכה" @@ -317,8 +314,7 @@ msgid "rewrite an existing attribute value saving non-editables" msgstr "שכתוב ערך תכונה קיים תוך שמירת תכונות שאינן ניתנות לעריכה" #: engine/core/docs/drf/viewsets.py:208 -msgid "" -"rewrite some fields of an existing attribute value saving non-editables" +msgid "rewrite some fields of an existing attribute value saving non-editables" msgstr "" "שכתוב שדות מסוימים של ערך תכונה קיים תוך שמירת שדות שאינם ניתנים לעריכה" @@ -353,8 +349,8 @@ msgstr "שכתוב שדות מסוימים בקטגוריה קיימת תוך ש #: engine/core/docs/drf/viewsets.py:280 engine/core/docs/drf/viewsets.py:757 #: engine/core/docs/drf/viewsets.py:1046 #: engine/core/graphene/object_types.py:119 -#: engine/core/graphene/object_types.py:238 -#: engine/core/graphene/object_types.py:539 +#: engine/core/graphene/object_types.py:239 +#: engine/core/graphene/object_types.py:540 msgid "SEO Meta snapshot" msgstr "תמונת מצב SEO Meta" @@ -372,8 +368,8 @@ msgstr "למשתמשים שאינם אנשי צוות, מוצגות רק ההז #: engine/core/docs/drf/viewsets.py:309 msgid "" -"Case-insensitive substring search across human_readable_id, " -"order_products.product.name, and order_products.product.partnumber" +"Case-insensitive substring search across human_readable_id, order_products." +"product.name, and order_products.product.partnumber" msgstr "" "חיפוש תת-מחרוזת ללא הבחנה בין אותיות גדולות וקטנות ב-human_readable_id, " "order_products.product.name ו-order_products.product.partnumber" @@ -411,9 +407,9 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:354 msgid "" -"Order by one of: uuid, human_readable_id, user_email, user, status, created," -" modified, buy_time, random. Prefix with '-' for descending (e.g. " -"'-buy_time')." +"Order by one of: uuid, human_readable_id, user_email, user, status, created, " +"modified, buy_time, random. Prefix with '-' for descending (e.g. '-" +"buy_time')." msgstr "" "מיין לפי אחד מהפרמטרים הבאים: uuid, human_readable_id, user_email, user, " "status, created, modified, buy_time, random. הוסף קידומת '-' עבור מיון יורד " @@ -457,8 +453,8 @@ msgid "" "completed using the user's balance; if `force_payment` is used, a " "transaction is initiated." msgstr "" -"מסיים את רכישת ההזמנה. אם נעשה שימוש ב-`force_balance`, הרכישה תושלם באמצעות" -" היתרה של המשתמש; אם נעשה שימוש ב-`force_payment`, תתבצע עסקה." +"מסיים את רכישת ההזמנה. אם נעשה שימוש ב-`force_balance`, הרכישה תושלם באמצעות " +"היתרה של המשתמש; אם נעשה שימוש ב-`force_payment`, תתבצע עסקה." #: engine/core/docs/drf/viewsets.py:427 msgid "retrieve current pending order of a user" @@ -515,8 +511,7 @@ msgstr "הסר מוצר מההזמנה, הכמויות לא ייספרו" msgid "" "removes a list of products from an order using the provided `product_uuid` " "and `attributes`" -msgstr "" -"מסיר רשימת מוצרים מהזמנה באמצעות `product_uuid` ו-`attributes` שסופקו." +msgstr "מסיר רשימת מוצרים מהזמנה באמצעות `product_uuid` ו-`attributes` שסופקו." #: engine/core/docs/drf/viewsets.py:497 msgid "list all wishlists (simple view)" @@ -595,15 +590,28 @@ msgstr "מסיר מוצרים רבים מרשימת המשאלות באמצעו msgid "" "Filter by one or more attribute name/value pairs. \n" "• **Syntax**: `attr_name=method-value[;attr2=method2-value2]…` \n" -"• **Methods** (defaults to `icontains` if omitted): `iexact`, `exact`, `icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, `iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in` \n" -"• **Value typing**: JSON is attempted first (so you can pass lists/dicts), `true`/`false` for booleans, integers, floats; otherwise treated as string. \n" +"• **Methods** (defaults to `icontains` if omitted): `iexact`, `exact`, " +"`icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, " +"`iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in` \n" +"• **Value typing**: JSON is attempted first (so you can pass lists/dicts), " +"`true`/`false` for booleans, integers, floats; otherwise treated as " +"string. \n" "• **Base64**: prefix with `b64-` to URL-safe base64-encode the raw value. \n" "Examples: \n" -"`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\",\"bluetooth\"]`, \n" +"`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\"," +"\"bluetooth\"]`, \n" "`b64-description=icontains-aGVhdC1jb2xk`" msgstr "" -"סינון לפי זוגות שם/ערך של תכונה אחת או יותר. • **תחביר**: `attr_name=method-value[;attr2=method2-value2]…` • **שיטות** (ברירת המחדל היא `icontains` אם לא צוין): `iexact`, `exact`, `icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, `iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in` • **הקלדת ערכים**: תחילה מתבצע ניסיון JSON (כך שניתן להעביר רשימות/מילונים), `true`/`false` עבור ערכי בוליאניים, מספרים שלמים, מספרים צפים; אחרת מטופל כמחרוזת. • **Base64**: קידומת עם `b64-` כדי לקודד את הערך הגולמי ב-base64 בטוח ל-URL. \n" -"דוגמאות: `color=exact-red`, `size=gt-10`, `features=in-[\"wifi\",\"bluetooth\"]`, `b64-description=icontains-aGVhdC1jb2xk`" +"סינון לפי זוגות שם/ערך של תכונה אחת או יותר. • **תחביר**: `attr_name=method-" +"value[;attr2=method2-value2]…` • **שיטות** (ברירת המחדל היא `icontains` אם " +"לא צוין): `iexact`, `exact`, `icontains`, `contains`, `isnull`, " +"`startswith`, `istartswith`, `endswith`, `iendswith`, `regex`, `iregex`, " +"`lt`, `lte`, `gt`, `gte`, `in` • **הקלדת ערכים**: תחילה מתבצע ניסיון JSON " +"(כך שניתן להעביר רשימות/מילונים), `true`/`false` עבור ערכי בוליאניים, מספרים " +"שלמים, מספרים צפים; אחרת מטופל כמחרוזת. • **Base64**: קידומת עם `b64-` כדי " +"לקודד את הערך הגולמי ב-base64 בטוח ל-URL. \n" +"דוגמאות: `color=exact-red`, `size=gt-10`, `features=in-[\"wifi\"," +"\"bluetooth\"]`, `b64-description=icontains-aGVhdC1jb2xk`" #: engine/core/docs/drf/viewsets.py:617 engine/core/docs/drf/viewsets.py:618 msgid "list all products (simple view)" @@ -615,11 +623,12 @@ msgstr "(מדויק) UUID של המוצר" #: engine/core/docs/drf/viewsets.py:630 msgid "" -"Comma-separated list of fields to sort by. Prefix with `-` for descending. \n" +"Comma-separated list of fields to sort by. Prefix with `-` for " +"descending. \n" "**Allowed:** uuid, rating, name, slug, created, modified, price, random" msgstr "" -"רשימה של שדות למיון, מופרדים בפסיקים. קידומת `-` למיון יורד. **מותר:** uuid," -" rating, name, slug, created, modified, price, random" +"רשימה של שדות למיון, מופרדים בפסיקים. קידומת `-` למיון יורד. **מותר:** uuid, " +"rating, name, slug, created, modified, price, random" #: engine/core/docs/drf/viewsets.py:647 engine/core/docs/drf/viewsets.py:648 msgid "retrieve a single product (detailed view)" @@ -918,8 +927,7 @@ msgstr "שכתוב תגית מוצר קיימת תוך שמירת תוכן שא #: engine/core/docs/drf/viewsets.py:1350 msgid "rewrite some fields of an existing product tag saving non-editables" -msgstr "" -"שכתוב שדות מסוימים בתגית מוצר קיימת תוך שמירת שדות שאינם ניתנים לעריכה" +msgstr "שכתוב שדות מסוימים בתגית מוצר קיימת תוך שמירת שדות שאינם ניתנים לעריכה" #: engine/core/elasticsearch/__init__.py:128 #: engine/core/elasticsearch/__init__.py:629 @@ -1153,8 +1161,8 @@ msgstr "קנה הזמנה" #: engine/core/graphene/mutations.py:542 msgid "" -"please send the attributes as the string formatted like " -"attr1=value1,attr2=value2" +"please send the attributes as the string formatted like attr1=value1," +"attr2=value2" msgstr "אנא שלחו את התכונות כמחרוזת מעוצבת כך: attr1=value1,attr2=value2" #: engine/core/graphene/mutations.py:580 @@ -1191,8 +1199,8 @@ msgid "elasticsearch - works like a charm" msgstr "ElasticSearch - עובד כמו קסם" #: engine/core/graphene/object_types.py:84 -#: engine/core/graphene/object_types.py:419 -#: engine/core/graphene/object_types.py:470 engine/core/models.py:796 +#: engine/core/graphene/object_types.py:420 +#: engine/core/graphene/object_types.py:471 engine/core/models.py:796 #: engine/core/models.py:1290 engine/core/models.py:2022 msgid "attributes" msgstr "תכונות" @@ -1206,8 +1214,8 @@ msgid "groups of attributes" msgstr "קבוצות תכונות" #: engine/core/graphene/object_types.py:118 -#: engine/core/graphene/object_types.py:216 -#: engine/core/graphene/object_types.py:254 engine/core/models.py:440 +#: engine/core/graphene/object_types.py:217 +#: engine/core/graphene/object_types.py:255 engine/core/models.py:440 msgid "categories" msgstr "קטגוריות" @@ -1215,132 +1223,131 @@ msgstr "קטגוריות" msgid "brands" msgstr "מותגים" -#: engine/core/graphene/object_types.py:218 +#: engine/core/graphene/object_types.py:219 msgid "category image url" msgstr "קטגוריות" -#: engine/core/graphene/object_types.py:219 -#: engine/core/graphene/object_types.py:364 engine/core/models.py:278 +#: engine/core/graphene/object_types.py:220 +#: engine/core/graphene/object_types.py:365 engine/core/models.py:278 msgid "markup percentage" msgstr "אחוז הסימון" -#: engine/core/graphene/object_types.py:223 +#: engine/core/graphene/object_types.py:224 msgid "which attributes and values can be used for filtering this category." msgstr "אילו תכונות וערכים ניתן להשתמש בהם לסינון קטגוריה זו." -#: engine/core/graphene/object_types.py:229 -msgid "" -"minimum and maximum prices for products in this category, if available." +#: engine/core/graphene/object_types.py:230 +msgid "minimum and maximum prices for products in this category, if available." msgstr "מחירים מינימליים ומקסימליים עבור מוצרים בקטגוריה זו, אם זמינים." -#: engine/core/graphene/object_types.py:233 +#: engine/core/graphene/object_types.py:234 msgid "tags for this category" msgstr "תגיות עבור קטגוריה זו" -#: engine/core/graphene/object_types.py:236 +#: engine/core/graphene/object_types.py:237 msgid "products in this category" msgstr "מוצרים בקטגוריה זו" -#: engine/core/graphene/object_types.py:371 engine/core/models.py:183 +#: engine/core/graphene/object_types.py:372 engine/core/models.py:183 msgid "vendors" msgstr "ספקים" -#: engine/core/graphene/object_types.py:375 +#: engine/core/graphene/object_types.py:376 msgid "Latitude (Y coordinate)" msgstr "קו רוחב (קואורדינטת Y)" -#: engine/core/graphene/object_types.py:376 +#: engine/core/graphene/object_types.py:377 msgid "Longitude (X coordinate)" msgstr "אורך (קואורדינטת X)" -#: engine/core/graphene/object_types.py:405 +#: engine/core/graphene/object_types.py:406 msgid "comment" msgstr "איך" -#: engine/core/graphene/object_types.py:407 -#: engine/core/graphene/object_types.py:541 +#: engine/core/graphene/object_types.py:408 +#: engine/core/graphene/object_types.py:542 msgid "rating value from 1 to 10, inclusive, or 0 if not set." msgstr "ערך דירוג בין 1 ל-10, כולל, או 0 אם לא הוגדר." -#: engine/core/graphene/object_types.py:415 +#: engine/core/graphene/object_types.py:416 msgid "represents feedback from a user." msgstr "מייצג משוב ממשתמש." -#: engine/core/graphene/object_types.py:420 -#: engine/core/graphene/object_types.py:471 engine/core/models.py:1284 +#: engine/core/graphene/object_types.py:421 +#: engine/core/graphene/object_types.py:472 engine/core/models.py:1284 msgid "notifications" msgstr "הודעות" -#: engine/core/graphene/object_types.py:422 +#: engine/core/graphene/object_types.py:423 msgid "download url for this order product if applicable" msgstr "כתובת URL להורדת המוצר שהוזמן, אם רלוונטי" -#: engine/core/graphene/object_types.py:424 engine/core/models.py:1849 +#: engine/core/graphene/object_types.py:425 engine/core/models.py:1849 msgid "feedback" msgstr "משוב" -#: engine/core/graphene/object_types.py:458 +#: engine/core/graphene/object_types.py:459 msgid "a list of order products in this order" msgstr "רשימת המוצרים בהזמנה זו" -#: engine/core/graphene/object_types.py:460 engine/core/models.py:1254 +#: engine/core/graphene/object_types.py:461 engine/core/models.py:1254 msgid "billing address" msgstr "כתובת לחיוב" -#: engine/core/graphene/object_types.py:464 +#: engine/core/graphene/object_types.py:465 msgid "" "shipping address for this order, leave blank if same as billing address or " "if not applicable" msgstr "" "כתובת משלוח עבור הזמנה זו, השאר ריק אם זהה לכתובת החיוב או אם לא רלוונטי" -#: engine/core/graphene/object_types.py:467 +#: engine/core/graphene/object_types.py:468 msgid "total price of this order" msgstr "המחיר הכולל של הזמנה זו" -#: engine/core/graphene/object_types.py:468 +#: engine/core/graphene/object_types.py:469 msgid "total quantity of products in order" msgstr "כמות המוצרים הכוללת בהזמנה" -#: engine/core/graphene/object_types.py:469 +#: engine/core/graphene/object_types.py:470 msgid "are all products in the order digital" msgstr "האם כל המוצרים בהזמנה הם דיגיטליים?" -#: engine/core/graphene/object_types.py:473 +#: engine/core/graphene/object_types.py:474 msgid "transactions for this order" msgstr "עסקאות עבור הזמנה זו" -#: engine/core/graphene/object_types.py:493 engine/core/models.py:1318 +#: engine/core/graphene/object_types.py:494 engine/core/models.py:1318 msgid "orders" msgstr "הזמנות" -#: engine/core/graphene/object_types.py:514 +#: engine/core/graphene/object_types.py:515 msgid "image url" msgstr "כתובת URL של התמונה" -#: engine/core/graphene/object_types.py:521 +#: engine/core/graphene/object_types.py:522 msgid "product's images" msgstr "תמונות המוצר" -#: engine/core/graphene/object_types.py:528 engine/core/models.py:439 +#: engine/core/graphene/object_types.py:529 engine/core/models.py:439 #: engine/core/models.py:596 msgid "category" msgstr "קטגוריה" -#: engine/core/graphene/object_types.py:530 engine/core/models.py:1850 +#: engine/core/graphene/object_types.py:531 engine/core/models.py:1850 msgid "feedbacks" msgstr "משובים" -#: engine/core/graphene/object_types.py:531 engine/core/models.py:510 +#: engine/core/graphene/object_types.py:532 engine/core/models.py:510 #: engine/core/models.py:605 msgid "brand" msgstr "מותג" -#: engine/core/graphene/object_types.py:533 engine/core/models.py:103 +#: engine/core/graphene/object_types.py:534 engine/core/models.py:103 msgid "attribute groups" msgstr "קבוצות תכונות" -#: engine/core/graphene/object_types.py:535 +#: engine/core/graphene/object_types.py:536 #: engine/core/templates/digital_order_created_email.html:111 #: engine/core/templates/digital_order_delivered_email.html:109 #: engine/core/templates/shipped_order_created_email.html:109 @@ -1348,7 +1355,7 @@ msgstr "קבוצות תכונות" msgid "price" msgstr "מחיר" -#: engine/core/graphene/object_types.py:536 +#: engine/core/graphene/object_types.py:537 #: engine/core/templates/digital_order_created_email.html:110 #: engine/core/templates/digital_order_delivered_email.html:108 #: engine/core/templates/shipped_order_created_email.html:108 @@ -1356,39 +1363,39 @@ msgstr "מחיר" msgid "quantity" msgstr "כמות" -#: engine/core/graphene/object_types.py:537 +#: engine/core/graphene/object_types.py:538 msgid "number of feedbacks" msgstr "מספר המשובים" -#: engine/core/graphene/object_types.py:538 +#: engine/core/graphene/object_types.py:539 msgid "only available for personal orders" msgstr "מוצרים זמינים רק להזמנות אישיות" -#: engine/core/graphene/object_types.py:543 +#: engine/core/graphene/object_types.py:544 msgid "discount price" msgstr "מחיר מוזל" -#: engine/core/graphene/object_types.py:567 engine/core/models.py:677 +#: engine/core/graphene/object_types.py:568 engine/core/models.py:677 msgid "products" msgstr "מוצרים" -#: engine/core/graphene/object_types.py:677 +#: engine/core/graphene/object_types.py:678 msgid "promocodes" msgstr "קודי קידום מכירות" -#: engine/core/graphene/object_types.py:692 +#: engine/core/graphene/object_types.py:693 msgid "products on sale" msgstr "מוצרים במבצע" -#: engine/core/graphene/object_types.py:700 engine/core/models.py:928 +#: engine/core/graphene/object_types.py:701 engine/core/models.py:928 msgid "promotions" msgstr "מבצעים" -#: engine/core/graphene/object_types.py:704 engine/core/models.py:182 +#: engine/core/graphene/object_types.py:705 engine/core/models.py:182 msgid "vendor" msgstr "ספק" -#: engine/core/graphene/object_types.py:705 engine/core/models.py:676 +#: engine/core/graphene/object_types.py:706 engine/core/models.py:676 #: engine/core/templates/digital_order_created_email.html:109 #: engine/core/templates/digital_order_delivered_email.html:107 #: engine/core/templates/shipped_order_created_email.html:107 @@ -1396,98 +1403,98 @@ msgstr "ספק" msgid "product" msgstr "מוצר" -#: engine/core/graphene/object_types.py:717 engine/core/models.py:951 +#: engine/core/graphene/object_types.py:718 engine/core/models.py:951 msgid "wishlisted products" msgstr "מוצרים ברשימת המשאלות" -#: engine/core/graphene/object_types.py:724 engine/core/models.py:968 +#: engine/core/graphene/object_types.py:725 engine/core/models.py:968 msgid "wishlists" msgstr "רשימות משאלות" -#: engine/core/graphene/object_types.py:729 +#: engine/core/graphene/object_types.py:730 msgid "tagged products" msgstr "מוצרים מתויגים" -#: engine/core/graphene/object_types.py:737 engine/core/models.py:219 +#: engine/core/graphene/object_types.py:738 engine/core/models.py:219 #: engine/core/models.py:611 msgid "product tags" msgstr "תגיות מוצר" -#: engine/core/graphene/object_types.py:742 +#: engine/core/graphene/object_types.py:743 msgid "tagged categories" msgstr "קטגוריות מתויגות" -#: engine/core/graphene/object_types.py:750 +#: engine/core/graphene/object_types.py:751 msgid "categories tags" msgstr "תגיות קטגוריות" -#: engine/core/graphene/object_types.py:754 +#: engine/core/graphene/object_types.py:755 msgid "project name" msgstr "שם הפרויקט" -#: engine/core/graphene/object_types.py:755 +#: engine/core/graphene/object_types.py:756 msgid "company name" msgstr "שם החברה" -#: engine/core/graphene/object_types.py:756 +#: engine/core/graphene/object_types.py:757 msgid "company address" msgstr "כתובת החברה" -#: engine/core/graphene/object_types.py:757 +#: engine/core/graphene/object_types.py:758 msgid "company phone number" msgstr "מספר הטלפון של החברה" -#: engine/core/graphene/object_types.py:760 +#: engine/core/graphene/object_types.py:761 msgid "email from, sometimes it must be used instead of host user value" msgstr "'email from', לעיתים יש להשתמש בו במקום בערך המשתמש המארח" -#: engine/core/graphene/object_types.py:763 +#: engine/core/graphene/object_types.py:764 msgid "email host user" msgstr "משתמש מארח דוא\"ל" -#: engine/core/graphene/object_types.py:764 +#: engine/core/graphene/object_types.py:765 msgid "maximum amount for payment" msgstr "סכום מקסימלי לתשלום" -#: engine/core/graphene/object_types.py:765 +#: engine/core/graphene/object_types.py:766 msgid "minimum amount for payment" msgstr "סכום מינימום לתשלום" -#: engine/core/graphene/object_types.py:766 +#: engine/core/graphene/object_types.py:767 msgid "analytics data" msgstr "נתוני ניתוח" -#: engine/core/graphene/object_types.py:767 +#: engine/core/graphene/object_types.py:768 msgid "advertisement data" msgstr "נתוני פרסום" -#: engine/core/graphene/object_types.py:770 +#: engine/core/graphene/object_types.py:771 msgid "company configuration" msgstr "תצורה" -#: engine/core/graphene/object_types.py:774 +#: engine/core/graphene/object_types.py:775 msgid "language code" msgstr "קוד שפה" -#: engine/core/graphene/object_types.py:775 +#: engine/core/graphene/object_types.py:776 msgid "language name" msgstr "שם השפה" -#: engine/core/graphene/object_types.py:776 +#: engine/core/graphene/object_types.py:777 msgid "language flag, if exists :)" msgstr "דגל השפה, אם קיים :)" -#: engine/core/graphene/object_types.py:779 +#: engine/core/graphene/object_types.py:780 msgid "supported languages" msgstr "קבל רשימה של השפות הנתמכות" -#: engine/core/graphene/object_types.py:811 -#: engine/core/graphene/object_types.py:814 -#: engine/core/graphene/object_types.py:817 +#: engine/core/graphene/object_types.py:812 +#: engine/core/graphene/object_types.py:815 +#: engine/core/graphene/object_types.py:818 msgid "products search results" msgstr "תוצאות חיפוש מוצרים" -#: engine/core/graphene/object_types.py:819 +#: engine/core/graphene/object_types.py:820 msgid "posts search results" msgstr "תוצאות חיפוש מוצרים" @@ -1584,8 +1591,8 @@ msgid "" msgstr "" "מייצג תגית מוצר המשמשת לסיווג או זיהוי מוצרים. מחלקת ProductTag נועדה לזהות " "ולסווג מוצרים באופן ייחודי באמצעות שילוב של מזהה תגית פנימי ושם תצוגה " -"ידידותי למשתמש. היא תומכת בפעולות המיוצאות באמצעות mixins ומספקת התאמה אישית" -" של מטא-נתונים למטרות ניהוליות." +"ידידותי למשתמש. היא תומכת בפעולות המיוצאות באמצעות mixins ומספקת התאמה אישית " +"של מטא-נתונים למטרות ניהוליות." #: engine/core/models.py:204 engine/core/models.py:235 msgid "internal tag identifier for the product tag" @@ -1614,8 +1621,8 @@ msgid "" "attributes for an internal tag identifier and a user-friendly display name." msgstr "" "מייצג תווית קטגוריה המשמשת למוצרים. מחלקה זו מדגמת תווית קטגוריה שניתן " -"להשתמש בה כדי לקשר ולסווג מוצרים. היא כוללת תכונות עבור מזהה תווית פנימי ושם" -" תצוגה ידידותי למשתמש." +"להשתמש בה כדי לקשר ולסווג מוצרים. היא כוללת תכונות עבור מזהה תווית פנימי ושם " +"תצוגה ידידותי למשתמש." #: engine/core/models.py:249 msgid "category tag" @@ -1693,11 +1700,10 @@ msgid "" "Represents a Brand object in the system. This class handles information and " "attributes related to a brand, including its name, logos, description, " "associated categories, a unique slug, and priority order. It allows for the " -"organization and representation of brand-related data within the " -"application." +"organization and representation of brand-related data within the application." msgstr "" -"מייצג אובייקט מותג במערכת. מחלקה זו מטפלת במידע ובתכונות הקשורים למותג, כולל" -" שמו, לוגואים, תיאור, קטגוריות קשורות, סלוגן ייחודי וסדר עדיפות. היא מאפשרת " +"מייצג אובייקט מותג במערכת. מחלקה זו מטפלת במידע ובתכונות הקשורים למותג, כולל " +"שמו, לוגואים, תיאור, קטגוריות קשורות, סלוגן ייחודי וסדר עדיפות. היא מאפשרת " "ארגון וייצוג של נתונים הקשורים למותג בתוך היישום." #: engine/core/models.py:456 @@ -1742,8 +1748,8 @@ msgstr "קטגוריות" #: engine/core/models.py:516 msgid "" -"Represents the stock of a product managed in the system. This class provides" -" details about the relationship between vendors, products, and their stock " +"Represents the stock of a product managed in the system. This class provides " +"details about the relationship between vendors, products, and their stock " "information, as well as inventory-related properties like price, purchase " "price, quantity, SKU, and digital assets. It is part of the inventory " "management system to allow tracking and evaluation of products available " @@ -1831,11 +1837,11 @@ msgid "" "product data and its associated information within an application." msgstr "" "מייצג מוצר עם תכונות כגון קטגוריה, מותג, תגיות, סטטוס דיגיטלי, שם, תיאור, " -"מספר חלק ו-slug. מספק תכונות שירות נלוות לאחזור דירוגים, ספירת משובים, מחיר," -" כמות והזמנות סה\"כ. מיועד לשימוש במערכת המטפלת במסחר אלקטרוני או בניהול " +"מספר חלק ו-slug. מספק תכונות שירות נלוות לאחזור דירוגים, ספירת משובים, מחיר, " +"כמות והזמנות סה\"כ. מיועד לשימוש במערכת המטפלת במסחר אלקטרוני או בניהול " "מלאי. מחלקה זו מתקשרת עם מודלים נלווים (כגון קטגוריה, מותג ותגית מוצר) " -"ומנהלת את המטמון עבור תכונות הנגישות בתדירות גבוהה כדי לשפר את הביצועים. הוא" -" משמש להגדרה ולעיבוד נתוני מוצר והמידע הקשור אליו בתוך יישום." +"ומנהלת את המטמון עבור תכונות הנגישות בתדירות גבוהה כדי לשפר את הביצועים. הוא " +"משמש להגדרה ולעיבוד נתוני מוצר והמידע הקשור אליו בתוך יישום." #: engine/core/models.py:595 msgid "category this product belongs to" @@ -1898,15 +1904,14 @@ msgid "" "Represents an attribute in the system. This class is used to define and " "manage attributes, which are customizable pieces of data that can be " "associated with other entities. Attributes have associated categories, " -"groups, value types, and names. The model supports multiple types of values," -" including string, integer, float, boolean, array, and object. This allows " +"groups, value types, and names. The model supports multiple types of values, " +"including string, integer, float, boolean, array, and object. This allows " "for dynamic and flexible data structuring." msgstr "" "מייצג תכונה במערכת. מחלקה זו משמשת להגדרת תכונות ולניהולן. תכונות הן נתונים " -"הניתנים להתאמה אישית, שניתן לקשר לישויות אחרות. לתכונות יש קטגוריות, קבוצות," -" סוגי ערכים ושמות משויכים. המודל תומך בסוגים רבים של ערכים, כולל מחרוזת, " -"מספר שלם, מספר צף, בוליאני, מערך ואובייקט. הדבר מאפשר בניית נתונים דינמית " -"וגמישה." +"הניתנים להתאמה אישית, שניתן לקשר לישויות אחרות. לתכונות יש קטגוריות, קבוצות, " +"סוגי ערכים ושמות משויכים. המודל תומך בסוגים רבים של ערכים, כולל מחרוזת, מספר " +"שלם, מספר צף, בוליאני, מערך ואובייקט. הדבר מאפשר בניית נתונים דינמית וגמישה." #: engine/core/models.py:755 msgid "group of this attribute" @@ -1967,9 +1972,9 @@ msgstr "תכונה" #: engine/core/models.py:801 msgid "" -"Represents a specific value for an attribute that is linked to a product. It" -" links the 'attribute' to a unique 'value', allowing better organization and" -" dynamic representation of product characteristics." +"Represents a specific value for an attribute that is linked to a product. It " +"links the 'attribute' to a unique 'value', allowing better organization and " +"dynamic representation of product characteristics." msgstr "" "מייצג ערך ספציפי עבור תכונה המקושרת למוצר. הוא מקשר את ה\"תכונה\" ל\"ערך\" " "ייחודי, ומאפשר ארגון טוב יותר וייצוג דינמי של מאפייני המוצר." @@ -1989,8 +1994,8 @@ msgstr "הערך הספציפי עבור תכונה זו" #: engine/core/models.py:839 msgid "" "Represents a product image associated with a product in the system. This " -"class is designed to manage images for products, including functionality for" -" uploading image files, associating them with specific products, and " +"class is designed to manage images for products, including functionality for " +"uploading image files, associating them with specific products, and " "determining their display order. It also includes an accessibility feature " "with alternative text for the images." msgstr "" @@ -2036,8 +2041,8 @@ msgid "" "is used to define and manage promotional campaigns that offer a percentage-" "based discount for products. The class includes attributes for setting the " "discount rate, providing details about the promotion, and linking it to the " -"applicable products. It integrates with the product catalog to determine the" -" affected items in the campaign." +"applicable products. It integrates with the product catalog to determine the " +"affected items in the campaign." msgstr "" "מייצג קמפיין קידום מכירות למוצרים בהנחה. מחלקה זו משמשת להגדרת וניהול " "קמפיינים לקידום מכירות המציעים הנחה באחוזים על מוצרים. המחלקה כוללת תכונות " @@ -2109,8 +2114,8 @@ msgid "" "store information about documentaries related to specific products, " "including file uploads and their metadata. It contains methods and " "properties to handle the file type and storage path for the documentary " -"files. It extends functionality from specific mixins and provides additional" -" custom features." +"files. It extends functionality from specific mixins and provides additional " +"custom features." msgstr "" "מייצג תיעוד הקשור למוצר. מחלקה זו משמשת לאחסון מידע על תיעוד הקשור למוצרים " "ספציפיים, כולל העלאת קבצים ומטא-נתונים שלהם. היא מכילה שיטות ותכונות לטיפול " @@ -2131,22 +2136,21 @@ msgstr "לא פתור" #: engine/core/models.py:1040 msgid "" -"Represents an address entity that includes location details and associations" -" with a user. Provides functionality for geographic and address data " -"storage, as well as integration with geocoding services. This class is " -"designed to store detailed address information including components like " -"street, city, region, country, and geolocation (longitude and latitude). It " -"supports integration with geocoding APIs, enabling the storage of raw API " -"responses for further processing or inspection. The class also allows " -"associating an address with a user, facilitating personalized data handling." +"Represents an address entity that includes location details and associations " +"with a user. Provides functionality for geographic and address data storage, " +"as well as integration with geocoding services. This class is designed to " +"store detailed address information including components like street, city, " +"region, country, and geolocation (longitude and latitude). It supports " +"integration with geocoding APIs, enabling the storage of raw API responses " +"for further processing or inspection. The class also allows associating an " +"address with a user, facilitating personalized data handling." msgstr "" "מייצג ישות כתובת הכוללת פרטים על מיקום וקשרים עם משתמש. מספק פונקציונליות " "לאחסון נתונים גיאוגרפיים וכתובות, וכן אינטגרציה עם שירותי קידוד גיאוגרפי. " -"מחלקה זו נועדה לאחסן מידע מפורט על כתובות, כולל רכיבים כגון רחוב, עיר, אזור," -" מדינה ומיקום גיאוגרפי (קו אורך וקו רוחב). היא תומכת באינטגרציה עם ממשקי API" -" לקידוד גיאוגרפי, ומאפשרת אחסון של תגובות API גולמיות לעיבוד או בדיקה " -"נוספים. הסוג גם מאפשר לקשר כתובת למשתמש, מה שמקל על טיפול בנתונים מותאמים " -"אישית." +"מחלקה זו נועדה לאחסן מידע מפורט על כתובות, כולל רכיבים כגון רחוב, עיר, אזור, " +"מדינה ומיקום גיאוגרפי (קו אורך וקו רוחב). היא תומכת באינטגרציה עם ממשקי API " +"לקידוד גיאוגרפי, ומאפשרת אחסון של תגובות API גולמיות לעיבוד או בדיקה נוספים. " +"הסוג גם מאפשר לקשר כתובת למשתמש, מה שמקל על טיפול בנתונים מותאמים אישית." #: engine/core/models.py:1055 msgid "address line for the customer" @@ -2212,8 +2216,8 @@ msgstr "" "מייצג קוד קידום מכירות שניתן להשתמש בו לקבלת הנחות, לניהול תוקפו, סוג ההנחה " "והשימוש בו. מחלקת PromoCode מאחסנת פרטים אודות קוד קידום מכירות, כולל המזהה " "הייחודי שלו, מאפייני ההנחה (סכום או אחוז), תקופת התוקף, המשתמש המשויך (אם " -"יש) ומצב השימוש בו. היא כוללת פונקציונליות לאימות והחלת קוד הקידום על הזמנה," -" תוך הקפדה על עמידה באילוצים." +"יש) ומצב השימוש בו. היא כוללת פונקציונליות לאימות והחלת קוד הקידום על הזמנה, " +"תוך הקפדה על עמידה באילוצים." #: engine/core/models.py:1119 msgid "unique code used by a user to redeem a discount" @@ -2299,16 +2303,16 @@ msgstr "סוג הנחה לא חוקי עבור קוד קידום מכירות {s msgid "" "Represents an order placed by a user. This class models an order within the " "application, including its various attributes such as billing and shipping " -"information, status, associated user, notifications, and related operations." -" Orders can have associated products, promotions can be applied, addresses " +"information, status, associated user, notifications, and related operations. " +"Orders can have associated products, promotions can be applied, addresses " "set, and shipping or billing details updated. Equally, functionality " "supports managing the products in the order lifecycle." msgstr "" "מייצג הזמנה שבוצעה על ידי משתמש. מחלקה זו מדמה הזמנה בתוך היישום, כולל " "תכונותיה השונות כגון פרטי חיוב ומשלוח, סטטוס, משתמש קשור, התראות ופעולות " "נלוות. להזמנות יכולות להיות מוצרים נלווים, ניתן להחיל עליהן מבצעים, להגדיר " -"כתובות ולעדכן פרטי משלוח או חיוב. כמו כן, הפונקציונליות תומכת בניהול המוצרים" -" במחזור החיים של ההזמנה." +"כתובות ולעדכן פרטי משלוח או חיוב. כמו כן, הפונקציונליות תומכת בניהול המוצרים " +"במחזור החיים של ההזמנה." #: engine/core/models.py:1253 msgid "the billing address used for this order" @@ -2462,8 +2466,8 @@ msgid "" msgstr "" "מנהל משוב משתמשים על מוצרים. מחלקה זו נועדה לאסוף ולאחסן משוב משתמשים על " "מוצרים ספציפיים שרכשו. היא מכילה תכונות לאחסון הערות משתמשים, הפניה למוצר " -"הקשור בהזמנה ודירוג שהוקצה על ידי המשתמש. המחלקה משתמשת בשדות מסד נתונים כדי" -" למדל ולנהל ביעילות נתוני משוב." +"הקשור בהזמנה ודירוג שהוקצה על ידי המשתמש. המחלקה משתמשת בשדות מסד נתונים כדי " +"למדל ולנהל ביעילות נתוני משוב." #: engine/core/models.py:1818 msgid "user-provided comments about their experience with the product" @@ -2474,8 +2478,7 @@ msgid "feedback comments" msgstr "הערות משוב" #: engine/core/models.py:1827 -msgid "" -"references the specific product in an order that this feedback is about" +msgid "references the specific product in an order that this feedback is about" msgstr "מתייחס למוצר הספציפי בהזמנה שעליה מתייחס משוב זה." #: engine/core/models.py:1829 @@ -2502,8 +2505,8 @@ msgid "" "download URL for digital products. The model integrates with the Order and " "Product models and stores a reference to them." msgstr "" -"מייצג מוצרים הקשורים להזמנות ותכונותיהם. מודל OrderProduct שומר מידע על מוצר" -" שהוא חלק מהזמנה, כולל פרטים כגון מחיר הרכישה, כמות, תכונות המוצר ומצב. הוא " +"מייצג מוצרים הקשורים להזמנות ותכונותיהם. מודל OrderProduct שומר מידע על מוצר " +"שהוא חלק מהזמנה, כולל פרטים כגון מחיר הרכישה, כמות, תכונות המוצר ומצב. הוא " "מנהל התראות למשתמש ולמנהלים ומטפל בפעולות כגון החזרת יתרת המוצר או הוספת " "משוב. מודל זה מספק גם שיטות ותכונות התומכות בלוגיקה עסקית, כגון חישוב המחיר " "הכולל או יצירת כתובת URL להורדה עבור מוצרים דיגיטליים. המודל משתלב עם מודלי " @@ -2615,14 +2618,14 @@ msgid "" "Represents the downloading functionality for digital assets associated with " "orders. The DigitalAssetDownload class provides the ability to manage and " "access downloads related to order products. It maintains information about " -"the associated order product, the number of downloads, and whether the asset" -" is publicly visible. It includes a method to generate a URL for downloading" -" the asset when the associated order is in a completed status." +"the associated order product, the number of downloads, and whether the asset " +"is publicly visible. It includes a method to generate a URL for downloading " +"the asset when the associated order is in a completed status." msgstr "" "מייצג את פונקציונליות ההורדה של נכסים דיגיטליים הקשורים להזמנות. מחלקת " "DigitalAssetDownload מספקת את היכולת לנהל ולהיכנס להורדות הקשורות למוצרים " -"שהוזמנו. היא שומרת מידע על המוצר שהוזמן, מספר ההורדות והאם הנכס גלוי לציבור." -" היא כוללת שיטה ליצירת כתובת URL להורדת הנכס כאשר ההזמנה הקשורה נמצאת במצב " +"שהוזמנו. היא שומרת מידע על המוצר שהוזמן, מספר ההורדות והאם הנכס גלוי לציבור. " +"היא כוללת שיטה ליצירת כתובת URL להורדת הנכס כאשר ההזמנה הקשורה נמצאת במצב " "'הושלמה'." #: engine/core/models.py:2092 @@ -2828,11 +2831,12 @@ msgstr "שלום %(order.user.first_name)s," #, python-format msgid "" "thank you for your order #%(order.pk)s! we are pleased to inform you that\n" -" we have taken your order into work. below are the details of your\n" +" we have taken your order into work. below are " +"the details of your\n" " order:" msgstr "" -"תודה על הזמנתך #%(order.pk)s! אנו שמחים להודיע לך שהזמנתך נכנסה לעיבוד. להלן" -" פרטי הזמנתך:" +"תודה על הזמנתך #%(order.pk)s! אנו שמחים להודיע לך שהזמנתך נכנסה לעיבוד. להלן " +"פרטי הזמנתך:" #: engine/core/templates/digital_order_created_email.html:112 #: engine/core/templates/digital_order_delivered_email.html:110 @@ -2933,7 +2937,8 @@ msgstr "תודה על שהייתכם איתנו! הענקנו לכם קוד קי #: engine/core/templates/shipped_order_created_email.html:101 #: engine/core/templates/shipped_order_delivered_email.html:101 msgid "" -"thank you for your order! we are pleased to confirm your purchase. below are\n" +"thank you for your order! we are pleased to confirm your purchase. below " +"are\n" " the details of your order:" msgstr "תודה על הזמנתך! אנו שמחים לאשר את רכישתך. להלן פרטי הזמנתך:" @@ -3006,8 +3011,8 @@ msgid "" "Handles the request for the sitemap index and returns an XML response. It " "ensures the response includes the appropriate content type header for XML." msgstr "" -"מטפל בבקשה לאינדקס מפת האתר ומחזיר תגובה בפורמט XML. הוא מבטיח שהתגובה תכלול" -" את כותרת סוג התוכן המתאימה ל-XML." +"מטפל בבקשה לאינדקס מפת האתר ומחזיר תגובה בפורמט XML. הוא מבטיח שהתגובה תכלול " +"את כותרת סוג התוכן המתאימה ל-XML." #: engine/core/views.py:119 msgid "" @@ -3055,7 +3060,9 @@ msgstr "מטפל בהיגיון הרכישה כעסק ללא רישום." #: engine/core/views.py:337 msgid "" "Handles the downloading of a digital asset associated with an order.\n" -"This function attempts to serve the digital asset file located in the storage directory of the project. If the file is not found, an HTTP 404 error is raised to indicate the resource is unavailable." +"This function attempts to serve the digital asset file located in the " +"storage directory of the project. If the file is not found, an HTTP 404 " +"error is raised to indicate the resource is unavailable." msgstr "" "מטפל בהורדת נכס דיגיטלי הקשור להזמנה. פונקציה זו מנסה להציג את קובץ הנכס " "הדיגיטלי הנמצא בספריית האחסון של הפרויקט. אם הקובץ לא נמצא, מתקבלת שגיאת " @@ -3088,7 +3095,9 @@ msgstr "לא נמצא סמל מועדף" #: engine/core/views.py:418 msgid "" "Handles requests for the favicon of a website.\n" -"This function attempts to serve the favicon file located in the static directory of the project. If the favicon file is not found, an HTTP 404 error is raised to indicate the resource is unavailable." +"This function attempts to serve the favicon file located in the static " +"directory of the project. If the favicon file is not found, an HTTP 404 " +"error is raised to indicate the resource is unavailable." msgstr "" "מטפל בבקשות לסמל המועדף של אתר אינטרנט. פונקציה זו מנסה להציג את קובץ הסמל " "המועדף הנמצא בספרייה הסטטית של הפרויקט. אם קובץ הסמל המועדף לא נמצא, מתקבלת " @@ -3096,13 +3105,13 @@ msgstr "" #: engine/core/views.py:432 msgid "" -"Redirects the request to the admin index page. The function handles incoming" -" HTTP requests and redirects them to the Django admin interface index page. " +"Redirects the request to the admin index page. The function handles incoming " +"HTTP requests and redirects them to the Django admin interface index page. " "It uses Django's `redirect` function for handling the HTTP redirection." msgstr "" -"מנתב את הבקשה לדף האינדקס של המנהל. הפונקציה מטפלת בבקשות HTTP נכנסות ומנתבת" -" אותן לדף האינדקס של ממשק המנהל של Django. היא משתמשת בפונקציית `redirect` " -"של Django לטיפול בהפניה HTTP." +"מנתב את הבקשה לדף האינדקס של המנהל. הפונקציה מטפלת בבקשות HTTP נכנסות ומנתבת " +"אותן לדף האינדקס של ממשק המנהל של Django. היא משתמשת בפונקציית `redirect` של " +"Django לטיפול בהפניה HTTP." #: engine/core/views.py:445 msgid "Returns current version of the eVibes. " @@ -3125,18 +3134,17 @@ msgid "" "serializer classes based on the current action, customizable permissions, " "and rendering formats." msgstr "" -"מגדיר קבוצת תצוגות לניהול פעולות הקשורות ל-Evibes. מחלקת EvibesViewSet יורשת" -" מ-ModelViewSet ומספקת פונקציונליות לטיפול בפעולות ובפעולות על ישויות " -"Evibes. היא כוללת תמיכה במחלוקות סריאליזציה דינמיות המבוססות על הפעולה " -"הנוכחית, הרשאות הניתנות להתאמה אישית ופורמטים של עיבוד." +"מגדיר קבוצת תצוגות לניהול פעולות הקשורות ל-Evibes. מחלקת EvibesViewSet יורשת " +"מ-ModelViewSet ומספקת פונקציונליות לטיפול בפעולות ובפעולות על ישויות Evibes. " +"היא כוללת תמיכה במחלוקות סריאליזציה דינמיות המבוססות על הפעולה הנוכחית, " +"הרשאות הניתנות להתאמה אישית ופורמטים של עיבוד." #: engine/core/viewsets.py:160 msgid "" -"Represents a viewset for managing AttributeGroup objects. Handles operations" -" related to AttributeGroup, including filtering, serialization, and " -"retrieval of data. This class is part of the application's API layer and " -"provides a standardized way to process requests and responses for " -"AttributeGroup data." +"Represents a viewset for managing AttributeGroup objects. Handles operations " +"related to AttributeGroup, including filtering, serialization, and retrieval " +"of data. This class is part of the application's API layer and provides a " +"standardized way to process requests and responses for AttributeGroup data." msgstr "" "מייצג קבוצת תצוגות לניהול אובייקטי AttributeGroup. מטפל בפעולות הקשורות " "ל-AttributeGroup, כולל סינון, סידור סדרתי ואחזור נתונים. מחלקה זו היא חלק " @@ -3162,8 +3170,8 @@ msgid "" "A viewset for managing AttributeValue objects. This viewset provides " "functionality for listing, retrieving, creating, updating, and deleting " "AttributeValue objects. It integrates with Django REST Framework's viewset " -"mechanisms and uses appropriate serializers for different actions. Filtering" -" capabilities are provided through the DjangoFilterBackend." +"mechanisms and uses appropriate serializers for different actions. Filtering " +"capabilities are provided through the DjangoFilterBackend." msgstr "" "סט תצוגה לניהול אובייקטי AttributeValue. סט תצוגה זה מספק פונקציונליות " "לרישום, אחזור, יצירה, עדכון ומחיקה של אובייקטי AttributeValue. הוא משתלב " @@ -3204,10 +3212,10 @@ msgid "" "product details, applying permissions, and accessing related feedback of a " "product." msgstr "" -"מנהל פעולות הקשורות למודל `Product` במערכת. מחלקה זו מספקת מערך תצוגה לניהול" -" מוצרים, כולל סינון, סידור סדרתי ופעולות על מופעים ספציפיים. היא מרחיבה את " -"`EvibesViewSet` כדי להשתמש בפונקציונליות משותפת ומשתלבת עם מסגרת Django REST" -" עבור פעולות RESTful API. כוללת שיטות לאחזור פרטי מוצר, החלת הרשאות וגישה " +"מנהל פעולות הקשורות למודל `Product` במערכת. מחלקה זו מספקת מערך תצוגה לניהול " +"מוצרים, כולל סינון, סידור סדרתי ופעולות על מופעים ספציפיים. היא מרחיבה את " +"`EvibesViewSet` כדי להשתמש בפונקציונליות משותפת ומשתלבת עם מסגרת Django REST " +"עבור פעולות RESTful API. כוללת שיטות לאחזור פרטי מוצר, החלת הרשאות וגישה " "למשוב הקשור למוצר." #: engine/core/viewsets.py:605 @@ -3219,8 +3227,8 @@ msgid "" "Vendor-related resources through the Django REST framework." msgstr "" "מייצג קבוצת תצוגות לניהול אובייקטי ספק. קבוצת תצוגות זו מאפשרת לאחזר, לסנן " -"ולסדר נתוני ספק. היא מגדירה את קבוצת השאילתות, תצורות המסננים ומחלקות הסידור" -" המשמשות לטיפול בפעולות שונות. מטרת מחלקה זו היא לספק גישה יעילה למשאבים " +"ולסדר נתוני ספק. היא מגדירה את קבוצת השאילתות, תצורות המסננים ומחלקות הסידור " +"המשמשות לטיפול בפעולות שונות. מטרת מחלקה זו היא לספק גישה יעילה למשאבים " "הקשורים לספק באמצעות מסגרת Django REST." #: engine/core/viewsets.py:625 @@ -3228,29 +3236,29 @@ msgid "" "Representation of a view set handling Feedback objects. This class manages " "operations related to Feedback objects, including listing, filtering, and " "retrieving details. The purpose of this view set is to provide different " -"serializers for different actions and implement permission-based handling of" -" accessible Feedback objects. It extends the base `EvibesViewSet` and makes " +"serializers for different actions and implement permission-based handling of " +"accessible Feedback objects. It extends the base `EvibesViewSet` and makes " "use of Django's filtering system for querying data." msgstr "" "ייצוג של קבוצת תצוגה המטפלת באובייקטי משוב. מחלקה זו מנהלת פעולות הקשורות " -"לאובייקטי משוב, כולל רישום, סינון ואחזור פרטים. מטרת קבוצת תצוגה זו היא לספק" -" סדרנים שונים לפעולות שונות וליישם טיפול מבוסס הרשאות באובייקטי משוב נגישים." -" היא מרחיבה את `EvibesViewSet` הבסיסי ומשתמשת במערכת הסינון של Django " -"לשאילתת נתונים." +"לאובייקטי משוב, כולל רישום, סינון ואחזור פרטים. מטרת קבוצת תצוגה זו היא לספק " +"סדרנים שונים לפעולות שונות וליישם טיפול מבוסס הרשאות באובייקטי משוב נגישים. " +"היא מרחיבה את `EvibesViewSet` הבסיסי ומשתמשת במערכת הסינון של Django לשאילתת " +"נתונים." #: engine/core/viewsets.py:652 msgid "" "ViewSet for managing orders and related operations. This class provides " "functionality to retrieve, modify, and manage order objects. It includes " "various endpoints for handling order operations such as adding or removing " -"products, performing purchases for registered as well as unregistered users," -" and retrieving the current authenticated user's pending orders. The ViewSet" -" uses multiple serializers based on the specific action being performed and " +"products, performing purchases for registered as well as unregistered users, " +"and retrieving the current authenticated user's pending orders. The ViewSet " +"uses multiple serializers based on the specific action being performed and " "enforces permissions accordingly while interacting with order data." msgstr "" "ViewSet לניהול הזמנות ופעולות נלוות. מחלקה זו מספקת פונקציונליות לאחזור, " -"שינוי וניהול אובייקטי הזמנה. היא כוללת נקודות קצה שונות לטיפול בפעולות הזמנה" -" כגון הוספה או הסרה של מוצרים, ביצוע רכישות עבור משתמשים רשומים ולא רשומים, " +"שינוי וניהול אובייקטי הזמנה. היא כוללת נקודות קצה שונות לטיפול בפעולות הזמנה " +"כגון הוספה או הסרה של מוצרים, ביצוע רכישות עבור משתמשים רשומים ולא רשומים, " "ואחזור הזמנות ממתנות של המשתמש המאושר הנוכחי. ViewSet משתמש במספר סדרנים " "בהתאם לפעולה הספציפית המתבצעת ומאכוף הרשאות בהתאם בעת אינטראקציה עם נתוני " "הזמנה." @@ -3259,8 +3267,8 @@ msgstr "" msgid "" "Provides a viewset for managing OrderProduct entities. This viewset enables " "CRUD operations and custom actions specific to the OrderProduct model. It " -"includes filtering, permission checks, and serializer switching based on the" -" requested action. Additionally, it provides a detailed action for handling " +"includes filtering, permission checks, and serializer switching based on the " +"requested action. Additionally, it provides a detailed action for handling " "feedback on OrderProduct instances" msgstr "" "מספק סט תצוגה לניהול ישויות OrderProduct. סט תצוגה זה מאפשר פעולות CRUD " @@ -3290,8 +3298,8 @@ msgstr "מטפל בפעולות הקשורות לנתוני המלאי במער msgid "" "ViewSet for managing Wishlist operations. The WishlistViewSet provides " "endpoints for interacting with a user's wish list, allowing for the " -"retrieval, modification, and customization of products within the wish list." -" This ViewSet facilitates functionality such as adding, removing, and bulk " +"retrieval, modification, and customization of products within the wish list. " +"This ViewSet facilitates functionality such as adding, removing, and bulk " "actions for wishlist products. Permission checks are integrated to ensure " "that users can only manage their own wishlists unless explicit permissions " "are granted." diff --git a/engine/core/locale/hi_IN/LC_MESSAGES/django.mo b/engine/core/locale/hi_IN/LC_MESSAGES/django.mo index 7640ce0078328b8d3c57147021d7d1b23f128abd..9964f0bf6f21a7376a5f3b631dd55508538e3d72 100644 GIT binary patch delta 14 VcmaFP^qgrzIJ23a;l?OlMgS-41Zw~Q delta 14 VcmaFP^qgrzIJ2pq$;K#NMgS-C1Z@BS diff --git a/engine/core/locale/hi_IN/LC_MESSAGES/django.po b/engine/core/locale/hi_IN/LC_MESSAGES/django.po index 90e05573..062aad45 100644 --- a/engine/core/locale/hi_IN/LC_MESSAGES/django.po +++ b/engine/core/locale/hi_IN/LC_MESSAGES/django.po @@ -2,12 +2,12 @@ # Copyright (C) 2025 EGOR GORBUNOV # This file is distributed under the same license as the EVIBES package. # EGOR GORBUNOV , 2025. -# +# msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-12-21 00:38+0300\n" +"POT-Creation-Date: 2026-01-04 19:25+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: LANGUAGE \n" @@ -91,8 +91,8 @@ msgstr "" msgid "selected items have been deactivated." msgstr "" -#: engine/core/admin.py:196 engine/core/graphene/object_types.py:652 -#: engine/core/graphene/object_types.py:659 engine/core/models.py:825 +#: engine/core/admin.py:196 engine/core/graphene/object_types.py:653 +#: engine/core/graphene/object_types.py:660 engine/core/models.py:825 #: engine/core/models.py:833 msgid "attribute value" msgstr "" @@ -106,7 +106,7 @@ msgstr "" msgid "image" msgstr "" -#: engine/core/admin.py:209 engine/core/graphene/object_types.py:529 +#: engine/core/admin.py:209 engine/core/graphene/object_types.py:530 msgid "images" msgstr "" @@ -114,7 +114,7 @@ msgstr "" msgid "stock" msgstr "" -#: engine/core/admin.py:221 engine/core/graphene/object_types.py:712 +#: engine/core/admin.py:221 engine/core/graphene/object_types.py:713 msgid "stocks" msgstr "" @@ -122,7 +122,7 @@ msgstr "" msgid "order product" msgstr "" -#: engine/core/admin.py:233 engine/core/graphene/object_types.py:440 +#: engine/core/admin.py:233 engine/core/graphene/object_types.py:441 #: engine/core/models.py:1932 msgid "order products" msgstr "" @@ -345,8 +345,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:280 engine/core/docs/drf/viewsets.py:757 #: engine/core/docs/drf/viewsets.py:1046 #: engine/core/graphene/object_types.py:119 -#: engine/core/graphene/object_types.py:238 -#: engine/core/graphene/object_types.py:539 +#: engine/core/graphene/object_types.py:239 +#: engine/core/graphene/object_types.py:540 msgid "SEO Meta snapshot" msgstr "" @@ -1168,8 +1168,8 @@ msgid "elasticsearch - works like a charm" msgstr "" #: engine/core/graphene/object_types.py:84 -#: engine/core/graphene/object_types.py:419 -#: engine/core/graphene/object_types.py:470 engine/core/models.py:796 +#: engine/core/graphene/object_types.py:420 +#: engine/core/graphene/object_types.py:471 engine/core/models.py:796 #: engine/core/models.py:1290 engine/core/models.py:2022 msgid "attributes" msgstr "" @@ -1183,8 +1183,8 @@ msgid "groups of attributes" msgstr "" #: engine/core/graphene/object_types.py:118 -#: engine/core/graphene/object_types.py:216 -#: engine/core/graphene/object_types.py:254 engine/core/models.py:440 +#: engine/core/graphene/object_types.py:217 +#: engine/core/graphene/object_types.py:255 engine/core/models.py:440 msgid "categories" msgstr "" @@ -1192,130 +1192,130 @@ msgstr "" msgid "brands" msgstr "" -#: engine/core/graphene/object_types.py:218 +#: engine/core/graphene/object_types.py:219 msgid "category image url" msgstr "" -#: engine/core/graphene/object_types.py:219 -#: engine/core/graphene/object_types.py:364 engine/core/models.py:278 +#: engine/core/graphene/object_types.py:220 +#: engine/core/graphene/object_types.py:365 engine/core/models.py:278 msgid "markup percentage" msgstr "" -#: engine/core/graphene/object_types.py:223 +#: engine/core/graphene/object_types.py:224 msgid "which attributes and values can be used for filtering this category." msgstr "" -#: engine/core/graphene/object_types.py:229 +#: engine/core/graphene/object_types.py:230 msgid "minimum and maximum prices for products in this category, if available." msgstr "" -#: engine/core/graphene/object_types.py:233 +#: engine/core/graphene/object_types.py:234 msgid "tags for this category" msgstr "" -#: engine/core/graphene/object_types.py:236 +#: engine/core/graphene/object_types.py:237 msgid "products in this category" msgstr "" -#: engine/core/graphene/object_types.py:371 engine/core/models.py:183 +#: engine/core/graphene/object_types.py:372 engine/core/models.py:183 msgid "vendors" msgstr "" -#: engine/core/graphene/object_types.py:375 +#: engine/core/graphene/object_types.py:376 msgid "Latitude (Y coordinate)" msgstr "" -#: engine/core/graphene/object_types.py:376 +#: engine/core/graphene/object_types.py:377 msgid "Longitude (X coordinate)" msgstr "" -#: engine/core/graphene/object_types.py:405 +#: engine/core/graphene/object_types.py:406 msgid "comment" msgstr "" -#: engine/core/graphene/object_types.py:407 -#: engine/core/graphene/object_types.py:541 +#: engine/core/graphene/object_types.py:408 +#: engine/core/graphene/object_types.py:542 msgid "rating value from 1 to 10, inclusive, or 0 if not set." msgstr "" -#: engine/core/graphene/object_types.py:415 +#: engine/core/graphene/object_types.py:416 msgid "represents feedback from a user." msgstr "" -#: engine/core/graphene/object_types.py:420 -#: engine/core/graphene/object_types.py:471 engine/core/models.py:1284 +#: engine/core/graphene/object_types.py:421 +#: engine/core/graphene/object_types.py:472 engine/core/models.py:1284 msgid "notifications" msgstr "" -#: engine/core/graphene/object_types.py:422 +#: engine/core/graphene/object_types.py:423 msgid "download url for this order product if applicable" msgstr "" -#: engine/core/graphene/object_types.py:424 engine/core/models.py:1849 +#: engine/core/graphene/object_types.py:425 engine/core/models.py:1849 msgid "feedback" msgstr "" -#: engine/core/graphene/object_types.py:458 +#: engine/core/graphene/object_types.py:459 msgid "a list of order products in this order" msgstr "" -#: engine/core/graphene/object_types.py:460 engine/core/models.py:1254 +#: engine/core/graphene/object_types.py:461 engine/core/models.py:1254 msgid "billing address" msgstr "" -#: engine/core/graphene/object_types.py:464 +#: engine/core/graphene/object_types.py:465 msgid "" "shipping address for this order, leave blank if same as billing address or " "if not applicable" msgstr "" -#: engine/core/graphene/object_types.py:467 +#: engine/core/graphene/object_types.py:468 msgid "total price of this order" msgstr "" -#: engine/core/graphene/object_types.py:468 +#: engine/core/graphene/object_types.py:469 msgid "total quantity of products in order" msgstr "" -#: engine/core/graphene/object_types.py:469 +#: engine/core/graphene/object_types.py:470 msgid "are all products in the order digital" msgstr "" -#: engine/core/graphene/object_types.py:473 +#: engine/core/graphene/object_types.py:474 msgid "transactions for this order" msgstr "" -#: engine/core/graphene/object_types.py:493 engine/core/models.py:1318 +#: engine/core/graphene/object_types.py:494 engine/core/models.py:1318 msgid "orders" msgstr "" -#: engine/core/graphene/object_types.py:514 +#: engine/core/graphene/object_types.py:515 msgid "image url" msgstr "" -#: engine/core/graphene/object_types.py:521 +#: engine/core/graphene/object_types.py:522 msgid "product's images" msgstr "" -#: engine/core/graphene/object_types.py:528 engine/core/models.py:439 +#: engine/core/graphene/object_types.py:529 engine/core/models.py:439 #: engine/core/models.py:596 msgid "category" msgstr "" -#: engine/core/graphene/object_types.py:530 engine/core/models.py:1850 +#: engine/core/graphene/object_types.py:531 engine/core/models.py:1850 msgid "feedbacks" msgstr "" -#: engine/core/graphene/object_types.py:531 engine/core/models.py:510 +#: engine/core/graphene/object_types.py:532 engine/core/models.py:510 #: engine/core/models.py:605 msgid "brand" msgstr "" -#: engine/core/graphene/object_types.py:533 engine/core/models.py:103 +#: engine/core/graphene/object_types.py:534 engine/core/models.py:103 msgid "attribute groups" msgstr "" -#: engine/core/graphene/object_types.py:535 +#: engine/core/graphene/object_types.py:536 #: engine/core/templates/digital_order_created_email.html:111 #: engine/core/templates/digital_order_delivered_email.html:109 #: engine/core/templates/shipped_order_created_email.html:109 @@ -1323,7 +1323,7 @@ msgstr "" msgid "price" msgstr "" -#: engine/core/graphene/object_types.py:536 +#: engine/core/graphene/object_types.py:537 #: engine/core/templates/digital_order_created_email.html:110 #: engine/core/templates/digital_order_delivered_email.html:108 #: engine/core/templates/shipped_order_created_email.html:108 @@ -1331,39 +1331,39 @@ msgstr "" msgid "quantity" msgstr "" -#: engine/core/graphene/object_types.py:537 +#: engine/core/graphene/object_types.py:538 msgid "number of feedbacks" msgstr "" -#: engine/core/graphene/object_types.py:538 +#: engine/core/graphene/object_types.py:539 msgid "only available for personal orders" msgstr "" -#: engine/core/graphene/object_types.py:543 +#: engine/core/graphene/object_types.py:544 msgid "discount price" msgstr "" -#: engine/core/graphene/object_types.py:567 engine/core/models.py:677 +#: engine/core/graphene/object_types.py:568 engine/core/models.py:677 msgid "products" msgstr "" -#: engine/core/graphene/object_types.py:677 +#: engine/core/graphene/object_types.py:678 msgid "promocodes" msgstr "" -#: engine/core/graphene/object_types.py:692 +#: engine/core/graphene/object_types.py:693 msgid "products on sale" msgstr "" -#: engine/core/graphene/object_types.py:700 engine/core/models.py:928 +#: engine/core/graphene/object_types.py:701 engine/core/models.py:928 msgid "promotions" msgstr "" -#: engine/core/graphene/object_types.py:704 engine/core/models.py:182 +#: engine/core/graphene/object_types.py:705 engine/core/models.py:182 msgid "vendor" msgstr "" -#: engine/core/graphene/object_types.py:705 engine/core/models.py:676 +#: engine/core/graphene/object_types.py:706 engine/core/models.py:676 #: engine/core/templates/digital_order_created_email.html:109 #: engine/core/templates/digital_order_delivered_email.html:107 #: engine/core/templates/shipped_order_created_email.html:107 @@ -1371,98 +1371,98 @@ msgstr "" msgid "product" msgstr "" -#: engine/core/graphene/object_types.py:717 engine/core/models.py:951 +#: engine/core/graphene/object_types.py:718 engine/core/models.py:951 msgid "wishlisted products" msgstr "" -#: engine/core/graphene/object_types.py:724 engine/core/models.py:968 +#: engine/core/graphene/object_types.py:725 engine/core/models.py:968 msgid "wishlists" msgstr "" -#: engine/core/graphene/object_types.py:729 +#: engine/core/graphene/object_types.py:730 msgid "tagged products" msgstr "" -#: engine/core/graphene/object_types.py:737 engine/core/models.py:219 +#: engine/core/graphene/object_types.py:738 engine/core/models.py:219 #: engine/core/models.py:611 msgid "product tags" msgstr "" -#: engine/core/graphene/object_types.py:742 +#: engine/core/graphene/object_types.py:743 msgid "tagged categories" msgstr "" -#: engine/core/graphene/object_types.py:750 +#: engine/core/graphene/object_types.py:751 msgid "categories tags" msgstr "" -#: engine/core/graphene/object_types.py:754 +#: engine/core/graphene/object_types.py:755 msgid "project name" msgstr "" -#: engine/core/graphene/object_types.py:755 +#: engine/core/graphene/object_types.py:756 msgid "company name" msgstr "" -#: engine/core/graphene/object_types.py:756 +#: engine/core/graphene/object_types.py:757 msgid "company address" msgstr "" -#: engine/core/graphene/object_types.py:757 +#: engine/core/graphene/object_types.py:758 msgid "company phone number" msgstr "" -#: engine/core/graphene/object_types.py:760 +#: engine/core/graphene/object_types.py:761 msgid "email from, sometimes it must be used instead of host user value" msgstr "" -#: engine/core/graphene/object_types.py:763 +#: engine/core/graphene/object_types.py:764 msgid "email host user" msgstr "" -#: engine/core/graphene/object_types.py:764 +#: engine/core/graphene/object_types.py:765 msgid "maximum amount for payment" msgstr "" -#: engine/core/graphene/object_types.py:765 +#: engine/core/graphene/object_types.py:766 msgid "minimum amount for payment" msgstr "" -#: engine/core/graphene/object_types.py:766 +#: engine/core/graphene/object_types.py:767 msgid "analytics data" msgstr "" -#: engine/core/graphene/object_types.py:767 +#: engine/core/graphene/object_types.py:768 msgid "advertisement data" msgstr "" -#: engine/core/graphene/object_types.py:770 +#: engine/core/graphene/object_types.py:771 msgid "company configuration" msgstr "" -#: engine/core/graphene/object_types.py:774 +#: engine/core/graphene/object_types.py:775 msgid "language code" msgstr "" -#: engine/core/graphene/object_types.py:775 +#: engine/core/graphene/object_types.py:776 msgid "language name" msgstr "" -#: engine/core/graphene/object_types.py:776 +#: engine/core/graphene/object_types.py:777 msgid "language flag, if exists :)" msgstr "" -#: engine/core/graphene/object_types.py:779 +#: engine/core/graphene/object_types.py:780 msgid "supported languages" msgstr "" -#: engine/core/graphene/object_types.py:811 -#: engine/core/graphene/object_types.py:814 -#: engine/core/graphene/object_types.py:817 +#: engine/core/graphene/object_types.py:812 +#: engine/core/graphene/object_types.py:815 +#: engine/core/graphene/object_types.py:818 msgid "products search results" msgstr "" -#: engine/core/graphene/object_types.py:819 +#: engine/core/graphene/object_types.py:820 msgid "posts search results" msgstr "" diff --git a/engine/core/locale/hr_HR/LC_MESSAGES/django.mo b/engine/core/locale/hr_HR/LC_MESSAGES/django.mo index 6c5906d1cd061dff54de8b533942893de34efc9e..f7b56b65f23ddd46f0761a3fd031f6e6afd9436e 100644 GIT binary patch delta 28 jcmcb}be?H~3Zv*mRSjO(Fi$7fU, YEAR. -# +# msgid "" msgstr "" -"Project-Id-Version: PACKAGE VERSION\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-12-21 00:38+0300\n" +"POT-Creation-Date: 2026-01-04 19:25+0300\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -91,8 +91,8 @@ msgstr "" msgid "selected items have been deactivated." msgstr "" -#: engine/core/admin.py:196 engine/core/graphene/object_types.py:652 -#: engine/core/graphene/object_types.py:659 engine/core/models.py:825 +#: engine/core/admin.py:196 engine/core/graphene/object_types.py:653 +#: engine/core/graphene/object_types.py:660 engine/core/models.py:825 #: engine/core/models.py:833 msgid "attribute value" msgstr "" @@ -106,7 +106,7 @@ msgstr "" msgid "image" msgstr "" -#: engine/core/admin.py:209 engine/core/graphene/object_types.py:529 +#: engine/core/admin.py:209 engine/core/graphene/object_types.py:530 msgid "images" msgstr "" @@ -114,7 +114,7 @@ msgstr "" msgid "stock" msgstr "" -#: engine/core/admin.py:221 engine/core/graphene/object_types.py:712 +#: engine/core/admin.py:221 engine/core/graphene/object_types.py:713 msgid "stocks" msgstr "" @@ -122,7 +122,7 @@ msgstr "" msgid "order product" msgstr "" -#: engine/core/admin.py:233 engine/core/graphene/object_types.py:440 +#: engine/core/admin.py:233 engine/core/graphene/object_types.py:441 #: engine/core/models.py:1932 msgid "order products" msgstr "" @@ -345,8 +345,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:280 engine/core/docs/drf/viewsets.py:757 #: engine/core/docs/drf/viewsets.py:1046 #: engine/core/graphene/object_types.py:119 -#: engine/core/graphene/object_types.py:238 -#: engine/core/graphene/object_types.py:539 +#: engine/core/graphene/object_types.py:239 +#: engine/core/graphene/object_types.py:540 msgid "SEO Meta snapshot" msgstr "" @@ -1168,8 +1168,8 @@ msgid "elasticsearch - works like a charm" msgstr "" #: engine/core/graphene/object_types.py:84 -#: engine/core/graphene/object_types.py:419 -#: engine/core/graphene/object_types.py:470 engine/core/models.py:796 +#: engine/core/graphene/object_types.py:420 +#: engine/core/graphene/object_types.py:471 engine/core/models.py:796 #: engine/core/models.py:1290 engine/core/models.py:2022 msgid "attributes" msgstr "" @@ -1183,8 +1183,8 @@ msgid "groups of attributes" msgstr "" #: engine/core/graphene/object_types.py:118 -#: engine/core/graphene/object_types.py:216 -#: engine/core/graphene/object_types.py:254 engine/core/models.py:440 +#: engine/core/graphene/object_types.py:217 +#: engine/core/graphene/object_types.py:255 engine/core/models.py:440 msgid "categories" msgstr "" @@ -1192,130 +1192,130 @@ msgstr "" msgid "brands" msgstr "" -#: engine/core/graphene/object_types.py:218 +#: engine/core/graphene/object_types.py:219 msgid "category image url" msgstr "" -#: engine/core/graphene/object_types.py:219 -#: engine/core/graphene/object_types.py:364 engine/core/models.py:278 +#: engine/core/graphene/object_types.py:220 +#: engine/core/graphene/object_types.py:365 engine/core/models.py:278 msgid "markup percentage" msgstr "" -#: engine/core/graphene/object_types.py:223 +#: engine/core/graphene/object_types.py:224 msgid "which attributes and values can be used for filtering this category." msgstr "" -#: engine/core/graphene/object_types.py:229 +#: engine/core/graphene/object_types.py:230 msgid "minimum and maximum prices for products in this category, if available." msgstr "" -#: engine/core/graphene/object_types.py:233 +#: engine/core/graphene/object_types.py:234 msgid "tags for this category" msgstr "" -#: engine/core/graphene/object_types.py:236 +#: engine/core/graphene/object_types.py:237 msgid "products in this category" msgstr "" -#: engine/core/graphene/object_types.py:371 engine/core/models.py:183 +#: engine/core/graphene/object_types.py:372 engine/core/models.py:183 msgid "vendors" msgstr "" -#: engine/core/graphene/object_types.py:375 +#: engine/core/graphene/object_types.py:376 msgid "Latitude (Y coordinate)" msgstr "" -#: engine/core/graphene/object_types.py:376 +#: engine/core/graphene/object_types.py:377 msgid "Longitude (X coordinate)" msgstr "" -#: engine/core/graphene/object_types.py:405 +#: engine/core/graphene/object_types.py:406 msgid "comment" msgstr "" -#: engine/core/graphene/object_types.py:407 -#: engine/core/graphene/object_types.py:541 +#: engine/core/graphene/object_types.py:408 +#: engine/core/graphene/object_types.py:542 msgid "rating value from 1 to 10, inclusive, or 0 if not set." msgstr "" -#: engine/core/graphene/object_types.py:415 +#: engine/core/graphene/object_types.py:416 msgid "represents feedback from a user." msgstr "" -#: engine/core/graphene/object_types.py:420 -#: engine/core/graphene/object_types.py:471 engine/core/models.py:1284 +#: engine/core/graphene/object_types.py:421 +#: engine/core/graphene/object_types.py:472 engine/core/models.py:1284 msgid "notifications" msgstr "" -#: engine/core/graphene/object_types.py:422 +#: engine/core/graphene/object_types.py:423 msgid "download url for this order product if applicable" msgstr "" -#: engine/core/graphene/object_types.py:424 engine/core/models.py:1849 +#: engine/core/graphene/object_types.py:425 engine/core/models.py:1849 msgid "feedback" msgstr "" -#: engine/core/graphene/object_types.py:458 +#: engine/core/graphene/object_types.py:459 msgid "a list of order products in this order" msgstr "" -#: engine/core/graphene/object_types.py:460 engine/core/models.py:1254 +#: engine/core/graphene/object_types.py:461 engine/core/models.py:1254 msgid "billing address" msgstr "" -#: engine/core/graphene/object_types.py:464 +#: engine/core/graphene/object_types.py:465 msgid "" "shipping address for this order, leave blank if same as billing address or " "if not applicable" msgstr "" -#: engine/core/graphene/object_types.py:467 +#: engine/core/graphene/object_types.py:468 msgid "total price of this order" msgstr "" -#: engine/core/graphene/object_types.py:468 +#: engine/core/graphene/object_types.py:469 msgid "total quantity of products in order" msgstr "" -#: engine/core/graphene/object_types.py:469 +#: engine/core/graphene/object_types.py:470 msgid "are all products in the order digital" msgstr "" -#: engine/core/graphene/object_types.py:473 +#: engine/core/graphene/object_types.py:474 msgid "transactions for this order" msgstr "" -#: engine/core/graphene/object_types.py:493 engine/core/models.py:1318 +#: engine/core/graphene/object_types.py:494 engine/core/models.py:1318 msgid "orders" msgstr "" -#: engine/core/graphene/object_types.py:514 +#: engine/core/graphene/object_types.py:515 msgid "image url" msgstr "" -#: engine/core/graphene/object_types.py:521 +#: engine/core/graphene/object_types.py:522 msgid "product's images" msgstr "" -#: engine/core/graphene/object_types.py:528 engine/core/models.py:439 +#: engine/core/graphene/object_types.py:529 engine/core/models.py:439 #: engine/core/models.py:596 msgid "category" msgstr "" -#: engine/core/graphene/object_types.py:530 engine/core/models.py:1850 +#: engine/core/graphene/object_types.py:531 engine/core/models.py:1850 msgid "feedbacks" msgstr "" -#: engine/core/graphene/object_types.py:531 engine/core/models.py:510 +#: engine/core/graphene/object_types.py:532 engine/core/models.py:510 #: engine/core/models.py:605 msgid "brand" msgstr "" -#: engine/core/graphene/object_types.py:533 engine/core/models.py:103 +#: engine/core/graphene/object_types.py:534 engine/core/models.py:103 msgid "attribute groups" msgstr "" -#: engine/core/graphene/object_types.py:535 +#: engine/core/graphene/object_types.py:536 #: engine/core/templates/digital_order_created_email.html:111 #: engine/core/templates/digital_order_delivered_email.html:109 #: engine/core/templates/shipped_order_created_email.html:109 @@ -1323,7 +1323,7 @@ msgstr "" msgid "price" msgstr "" -#: engine/core/graphene/object_types.py:536 +#: engine/core/graphene/object_types.py:537 #: engine/core/templates/digital_order_created_email.html:110 #: engine/core/templates/digital_order_delivered_email.html:108 #: engine/core/templates/shipped_order_created_email.html:108 @@ -1331,39 +1331,39 @@ msgstr "" msgid "quantity" msgstr "" -#: engine/core/graphene/object_types.py:537 +#: engine/core/graphene/object_types.py:538 msgid "number of feedbacks" msgstr "" -#: engine/core/graphene/object_types.py:538 +#: engine/core/graphene/object_types.py:539 msgid "only available for personal orders" msgstr "" -#: engine/core/graphene/object_types.py:543 +#: engine/core/graphene/object_types.py:544 msgid "discount price" msgstr "" -#: engine/core/graphene/object_types.py:567 engine/core/models.py:677 +#: engine/core/graphene/object_types.py:568 engine/core/models.py:677 msgid "products" msgstr "" -#: engine/core/graphene/object_types.py:677 +#: engine/core/graphene/object_types.py:678 msgid "promocodes" msgstr "" -#: engine/core/graphene/object_types.py:692 +#: engine/core/graphene/object_types.py:693 msgid "products on sale" msgstr "" -#: engine/core/graphene/object_types.py:700 engine/core/models.py:928 +#: engine/core/graphene/object_types.py:701 engine/core/models.py:928 msgid "promotions" msgstr "" -#: engine/core/graphene/object_types.py:704 engine/core/models.py:182 +#: engine/core/graphene/object_types.py:705 engine/core/models.py:182 msgid "vendor" msgstr "" -#: engine/core/graphene/object_types.py:705 engine/core/models.py:676 +#: engine/core/graphene/object_types.py:706 engine/core/models.py:676 #: engine/core/templates/digital_order_created_email.html:109 #: engine/core/templates/digital_order_delivered_email.html:107 #: engine/core/templates/shipped_order_created_email.html:107 @@ -1371,98 +1371,98 @@ msgstr "" msgid "product" msgstr "" -#: engine/core/graphene/object_types.py:717 engine/core/models.py:951 +#: engine/core/graphene/object_types.py:718 engine/core/models.py:951 msgid "wishlisted products" msgstr "" -#: engine/core/graphene/object_types.py:724 engine/core/models.py:968 +#: engine/core/graphene/object_types.py:725 engine/core/models.py:968 msgid "wishlists" msgstr "" -#: engine/core/graphene/object_types.py:729 +#: engine/core/graphene/object_types.py:730 msgid "tagged products" msgstr "" -#: engine/core/graphene/object_types.py:737 engine/core/models.py:219 +#: engine/core/graphene/object_types.py:738 engine/core/models.py:219 #: engine/core/models.py:611 msgid "product tags" msgstr "" -#: engine/core/graphene/object_types.py:742 +#: engine/core/graphene/object_types.py:743 msgid "tagged categories" msgstr "" -#: engine/core/graphene/object_types.py:750 +#: engine/core/graphene/object_types.py:751 msgid "categories tags" msgstr "" -#: engine/core/graphene/object_types.py:754 +#: engine/core/graphene/object_types.py:755 msgid "project name" msgstr "" -#: engine/core/graphene/object_types.py:755 +#: engine/core/graphene/object_types.py:756 msgid "company name" msgstr "" -#: engine/core/graphene/object_types.py:756 +#: engine/core/graphene/object_types.py:757 msgid "company address" msgstr "" -#: engine/core/graphene/object_types.py:757 +#: engine/core/graphene/object_types.py:758 msgid "company phone number" msgstr "" -#: engine/core/graphene/object_types.py:760 +#: engine/core/graphene/object_types.py:761 msgid "email from, sometimes it must be used instead of host user value" msgstr "" -#: engine/core/graphene/object_types.py:763 +#: engine/core/graphene/object_types.py:764 msgid "email host user" msgstr "" -#: engine/core/graphene/object_types.py:764 +#: engine/core/graphene/object_types.py:765 msgid "maximum amount for payment" msgstr "" -#: engine/core/graphene/object_types.py:765 +#: engine/core/graphene/object_types.py:766 msgid "minimum amount for payment" msgstr "" -#: engine/core/graphene/object_types.py:766 +#: engine/core/graphene/object_types.py:767 msgid "analytics data" msgstr "" -#: engine/core/graphene/object_types.py:767 +#: engine/core/graphene/object_types.py:768 msgid "advertisement data" msgstr "" -#: engine/core/graphene/object_types.py:770 +#: engine/core/graphene/object_types.py:771 msgid "company configuration" msgstr "" -#: engine/core/graphene/object_types.py:774 +#: engine/core/graphene/object_types.py:775 msgid "language code" msgstr "" -#: engine/core/graphene/object_types.py:775 +#: engine/core/graphene/object_types.py:776 msgid "language name" msgstr "" -#: engine/core/graphene/object_types.py:776 +#: engine/core/graphene/object_types.py:777 msgid "language flag, if exists :)" msgstr "" -#: engine/core/graphene/object_types.py:779 +#: engine/core/graphene/object_types.py:780 msgid "supported languages" msgstr "" -#: engine/core/graphene/object_types.py:811 -#: engine/core/graphene/object_types.py:814 -#: engine/core/graphene/object_types.py:817 +#: engine/core/graphene/object_types.py:812 +#: engine/core/graphene/object_types.py:815 +#: engine/core/graphene/object_types.py:818 msgid "products search results" msgstr "" -#: engine/core/graphene/object_types.py:819 +#: engine/core/graphene/object_types.py:820 msgid "posts search results" msgstr "" diff --git a/engine/core/locale/id_ID/LC_MESSAGES/django.mo b/engine/core/locale/id_ID/LC_MESSAGES/django.mo index 8cb97f136ab114481b7824f8bf0403b73c6326ed..ab6e827edd4418baf25c53fffce396f1bcee0c5f 100644 GIT binary patch delta 18 acmcb6jP>p@)(zdqn9cMIH}@SoKL-F=g$Y~$ delta 18 acmcb6jP>p@)(zdqm`(LeHuoJnKL-F=j|pA? diff --git a/engine/core/locale/id_ID/LC_MESSAGES/django.po b/engine/core/locale/id_ID/LC_MESSAGES/django.po index 89e42f95..ed79f7ad 100644 --- a/engine/core/locale/id_ID/LC_MESSAGES/django.po +++ b/engine/core/locale/id_ID/LC_MESSAGES/django.po @@ -1,9 +1,9 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-12-21 00:38+0300\n" +"POT-Creation-Date: 2026-01-04 19:25+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" @@ -19,8 +19,7 @@ msgstr "ID unik" #: engine/core/abstract.py:13 msgid "unique id is used to surely identify any database object" -msgstr "" -"ID unik digunakan untuk mengidentifikasi objek basis data secara pasti" +msgstr "ID unik digunakan untuk mengidentifikasi objek basis data secara pasti" #: engine/core/abstract.py:20 msgid "is active" @@ -28,8 +27,7 @@ msgstr "Aktif" #: engine/core/abstract.py:22 msgid "" -"if set to false, this object can't be seen by users without needed " -"permission" +"if set to false, this object can't be seen by users without needed permission" msgstr "" "Jika diset ke false, objek ini tidak dapat dilihat oleh pengguna tanpa izin " "yang diperlukan" @@ -92,8 +90,8 @@ msgstr "Menonaktifkan %(verbose_name_plural)s yang dipilih" msgid "selected items have been deactivated." msgstr "Item yang dipilih telah dinonaktifkan!" -#: engine/core/admin.py:196 engine/core/graphene/object_types.py:652 -#: engine/core/graphene/object_types.py:659 engine/core/models.py:825 +#: engine/core/admin.py:196 engine/core/graphene/object_types.py:653 +#: engine/core/graphene/object_types.py:660 engine/core/models.py:825 #: engine/core/models.py:833 msgid "attribute value" msgstr "Nilai Atribut" @@ -107,7 +105,7 @@ msgstr "Nilai Atribut" msgid "image" msgstr "Gambar" -#: engine/core/admin.py:209 engine/core/graphene/object_types.py:529 +#: engine/core/admin.py:209 engine/core/graphene/object_types.py:530 msgid "images" msgstr "Gambar" @@ -115,7 +113,7 @@ msgstr "Gambar" msgid "stock" msgstr "Stok" -#: engine/core/admin.py:221 engine/core/graphene/object_types.py:712 +#: engine/core/admin.py:221 engine/core/graphene/object_types.py:713 msgid "stocks" msgstr "Saham" @@ -123,7 +121,7 @@ msgstr "Saham" msgid "order product" msgstr "Pesan Produk" -#: engine/core/admin.py:233 engine/core/graphene/object_types.py:440 +#: engine/core/admin.py:233 engine/core/graphene/object_types.py:441 #: engine/core/models.py:1932 msgid "order products" msgstr "Pesan Produk" @@ -156,8 +154,7 @@ msgstr "Disampaikan." msgid "canceled" msgstr "Dibatalkan" -#: engine/core/choices.py:8 engine/core/choices.py:16 -#: engine/core/choices.py:24 +#: engine/core/choices.py:8 engine/core/choices.py:16 engine/core/choices.py:24 msgid "failed" msgstr "Gagal" @@ -195,8 +192,8 @@ msgid "" "negotiation. Language can be selected with Accept-Language and query " "parameter both." msgstr "" -"Skema OpenApi3 untuk API ini. Format dapat dipilih melalui negosiasi konten." -" Bahasa dapat dipilih dengan parameter Accept-Language dan parameter kueri." +"Skema OpenApi3 untuk API ini. Format dapat dipilih melalui negosiasi konten. " +"Bahasa dapat dipilih dengan parameter Accept-Language dan parameter kueri." #: engine/core/docs/drf/views.py:46 engine/core/graphene/mutations.py:36 msgid "cache I/O" @@ -208,7 +205,8 @@ msgid "" "apply key, data and timeout with authentication to write data to cache." msgstr "" "Terapkan hanya kunci untuk membaca data yang diizinkan dari cache.\n" -"Menerapkan kunci, data, dan batas waktu dengan autentikasi untuk menulis data ke cache." +"Menerapkan kunci, data, dan batas waktu dengan autentikasi untuk menulis " +"data ke cache." #: engine/core/docs/drf/views.py:66 msgid "get a list of supported languages" @@ -274,8 +272,7 @@ msgstr "" "dapat diedit" #: engine/core/docs/drf/viewsets.py:107 -msgid "" -"rewrite some fields of an existing attribute group saving non-editables" +msgid "rewrite some fields of an existing attribute group saving non-editables" msgstr "" "Menulis ulang beberapa bidang dari grup atribut yang sudah ada sehingga " "tidak dapat diedit" @@ -331,8 +328,7 @@ msgstr "" "dapat diedit" #: engine/core/docs/drf/viewsets.py:208 -msgid "" -"rewrite some fields of an existing attribute value saving non-editables" +msgid "rewrite some fields of an existing attribute value saving non-editables" msgstr "" "Menulis ulang beberapa bidang dari nilai atribut yang sudah ada sehingga " "tidak dapat diedit" @@ -372,8 +368,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:280 engine/core/docs/drf/viewsets.py:757 #: engine/core/docs/drf/viewsets.py:1046 #: engine/core/graphene/object_types.py:119 -#: engine/core/graphene/object_types.py:238 -#: engine/core/graphene/object_types.py:539 +#: engine/core/graphene/object_types.py:239 +#: engine/core/graphene/object_types.py:540 msgid "SEO Meta snapshot" msgstr "Cuplikan Meta SEO" @@ -392,8 +388,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:309 msgid "" -"Case-insensitive substring search across human_readable_id, " -"order_products.product.name, and order_products.product.partnumber" +"Case-insensitive substring search across human_readable_id, order_products." +"product.name, and order_products.product.partnumber" msgstr "" "Pencarian substring yang tidak peka huruf besar/kecil di human_readable_id, " "order_produk.product.name, dan order_produk.product.partnumber" @@ -417,8 +413,7 @@ msgstr "Filter berdasarkan ID pesanan yang dapat dibaca manusia" #: engine/core/docs/drf/viewsets.py:336 msgid "Filter by user's email (case-insensitive exact match)" msgstr "" -"Filter berdasarkan email pengguna (pencocokan persis tanpa huruf besar-" -"kecil)" +"Filter berdasarkan email pengguna (pencocokan persis tanpa huruf besar-kecil)" #: engine/core/docs/drf/viewsets.py:341 msgid "Filter by user's UUID" @@ -432,9 +427,9 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:354 msgid "" -"Order by one of: uuid, human_readable_id, user_email, user, status, created," -" modified, buy_time, random. Prefix with '-' for descending (e.g. " -"'-buy_time')." +"Order by one of: uuid, human_readable_id, user_email, user, status, created, " +"modified, buy_time, random. Prefix with '-' for descending (e.g. '-" +"buy_time')." msgstr "" "Urutkan berdasarkan salah satu dari: uuid, human_readable_id, user_email, " "user, status, created, modified, buy_time, random. Awalan dengan '-' untuk " @@ -643,20 +638,31 @@ msgstr "" msgid "" "Filter by one or more attribute name/value pairs. \n" "• **Syntax**: `attr_name=method-value[;attr2=method2-value2]…` \n" -"• **Methods** (defaults to `icontains` if omitted): `iexact`, `exact`, `icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, `iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in` \n" -"• **Value typing**: JSON is attempted first (so you can pass lists/dicts), `true`/`false` for booleans, integers, floats; otherwise treated as string. \n" +"• **Methods** (defaults to `icontains` if omitted): `iexact`, `exact`, " +"`icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, " +"`iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in` \n" +"• **Value typing**: JSON is attempted first (so you can pass lists/dicts), " +"`true`/`false` for booleans, integers, floats; otherwise treated as " +"string. \n" "• **Base64**: prefix with `b64-` to URL-safe base64-encode the raw value. \n" "Examples: \n" -"`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\",\"bluetooth\"]`, \n" +"`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\"," +"\"bluetooth\"]`, \n" "`b64-description=icontains-aGVhdC1jb2xk`" msgstr "" "Memfilter berdasarkan satu atau beberapa pasangan nama/nilai atribut. \n" "- **Sintaks**: `attr_name = metode-nilai[;attr2 = metode2-nilai2]...`\n" -"- **Metode** (default ke `icontains` jika dihilangkan): `iexact`, `exact`, `icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, `iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in`\n" -"- Pengetikan nilai**: JSON dicoba terlebih dahulu (sehingga Anda dapat mengoper daftar/diktat), `true`/`false` untuk boolean, bilangan bulat, float; jika tidak, maka akan diperlakukan sebagai string. \n" -"- **Base64**: awalan dengan `b64-` untuk menyandikan base64 yang aman bagi URL untuk menyandikan nilai mentah. \n" +"- **Metode** (default ke `icontains` jika dihilangkan): `iexact`, `exact`, " +"`icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, " +"`iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in`\n" +"- Pengetikan nilai**: JSON dicoba terlebih dahulu (sehingga Anda dapat " +"mengoper daftar/diktat), `true`/`false` untuk boolean, bilangan bulat, " +"float; jika tidak, maka akan diperlakukan sebagai string. \n" +"- **Base64**: awalan dengan `b64-` untuk menyandikan base64 yang aman bagi " +"URL untuk menyandikan nilai mentah. \n" "Contoh: \n" -"`warna=merah-pasti`, `ukuran=gt-10`, `fitur=dalam-[\"wifi\", \"bluetooth\"]`,\n" +"`warna=merah-pasti`, `ukuran=gt-10`, `fitur=dalam-[\"wifi\", " +"\"bluetooth\"]`,\n" "`b64-description = berisi-aGVhdC1jb2xk`" #: engine/core/docs/drf/viewsets.py:617 engine/core/docs/drf/viewsets.py:618 @@ -669,11 +675,14 @@ msgstr "UUID Produk (persis)" #: engine/core/docs/drf/viewsets.py:630 msgid "" -"Comma-separated list of fields to sort by. Prefix with `-` for descending. \n" +"Comma-separated list of fields to sort by. Prefix with `-` for " +"descending. \n" "**Allowed:** uuid, rating, name, slug, created, modified, price, random" msgstr "" -"Daftar bidang yang dipisahkan koma untuk mengurutkan. Awalan dengan `-` untuk mengurutkan. \n" -"**Diizinkan:** uuid, peringkat, nama, siput, dibuat, dimodifikasi, harga, acak" +"Daftar bidang yang dipisahkan koma untuk mengurutkan. Awalan dengan `-` " +"untuk mengurutkan. \n" +"**Diizinkan:** uuid, peringkat, nama, siput, dibuat, dimodifikasi, harga, " +"acak" #: engine/core/docs/drf/viewsets.py:647 engine/core/docs/drf/viewsets.py:648 msgid "retrieve a single product (detailed view)" @@ -745,8 +754,7 @@ msgstr "Masukan alamat pelengkapan otomatis" #: engine/core/docs/drf/viewsets.py:848 msgid "raw data query string, please append with data from geo-IP endpoint" msgstr "" -"String kueri data mentah, harap tambahkan dengan data dari titik akhir geo-" -"IP" +"String kueri data mentah, harap tambahkan dengan data dari titik akhir geo-IP" #: engine/core/docs/drf/viewsets.py:855 msgid "limit the results amount, 1 < limit < 10, default: 5" @@ -1239,8 +1247,8 @@ msgstr "Beli pesanan" #: engine/core/graphene/mutations.py:542 msgid "" -"please send the attributes as the string formatted like " -"attr1=value1,attr2=value2" +"please send the attributes as the string formatted like attr1=value1," +"attr2=value2" msgstr "" "Kirimkan atribut dalam bentuk string seperti attr1 = nilai1, attr2 = nilai2" @@ -1278,8 +1286,8 @@ msgid "elasticsearch - works like a charm" msgstr "ElasticSearch - bekerja dengan sangat baik" #: engine/core/graphene/object_types.py:84 -#: engine/core/graphene/object_types.py:419 -#: engine/core/graphene/object_types.py:470 engine/core/models.py:796 +#: engine/core/graphene/object_types.py:420 +#: engine/core/graphene/object_types.py:471 engine/core/models.py:796 #: engine/core/models.py:1290 engine/core/models.py:2022 msgid "attributes" msgstr "Atribut" @@ -1293,8 +1301,8 @@ msgid "groups of attributes" msgstr "Kelompok atribut" #: engine/core/graphene/object_types.py:118 -#: engine/core/graphene/object_types.py:216 -#: engine/core/graphene/object_types.py:254 engine/core/models.py:440 +#: engine/core/graphene/object_types.py:217 +#: engine/core/graphene/object_types.py:255 engine/core/models.py:440 msgid "categories" msgstr "Kategori" @@ -1302,82 +1310,81 @@ msgstr "Kategori" msgid "brands" msgstr "Merek" -#: engine/core/graphene/object_types.py:218 +#: engine/core/graphene/object_types.py:219 msgid "category image url" msgstr "Kategori" -#: engine/core/graphene/object_types.py:219 -#: engine/core/graphene/object_types.py:364 engine/core/models.py:278 +#: engine/core/graphene/object_types.py:220 +#: engine/core/graphene/object_types.py:365 engine/core/models.py:278 msgid "markup percentage" msgstr "Persentase Markup" -#: engine/core/graphene/object_types.py:223 +#: engine/core/graphene/object_types.py:224 msgid "which attributes and values can be used for filtering this category." msgstr "" "Atribut dan nilai mana yang dapat digunakan untuk memfilter kategori ini." -#: engine/core/graphene/object_types.py:229 -msgid "" -"minimum and maximum prices for products in this category, if available." +#: engine/core/graphene/object_types.py:230 +msgid "minimum and maximum prices for products in this category, if available." msgstr "" "Harga minimum dan maksimum untuk produk dalam kategori ini, jika tersedia." -#: engine/core/graphene/object_types.py:233 +#: engine/core/graphene/object_types.py:234 msgid "tags for this category" msgstr "Tag untuk kategori ini" -#: engine/core/graphene/object_types.py:236 +#: engine/core/graphene/object_types.py:237 msgid "products in this category" msgstr "Produk dalam kategori ini" -#: engine/core/graphene/object_types.py:371 engine/core/models.py:183 +#: engine/core/graphene/object_types.py:372 engine/core/models.py:183 msgid "vendors" msgstr "Vendor" -#: engine/core/graphene/object_types.py:375 +#: engine/core/graphene/object_types.py:376 msgid "Latitude (Y coordinate)" msgstr "Lintang (koordinat Y)" -#: engine/core/graphene/object_types.py:376 +#: engine/core/graphene/object_types.py:377 msgid "Longitude (X coordinate)" msgstr "Bujur (koordinat X)" -#: engine/core/graphene/object_types.py:405 +#: engine/core/graphene/object_types.py:406 msgid "comment" msgstr "Bagaimana cara" -#: engine/core/graphene/object_types.py:407 -#: engine/core/graphene/object_types.py:541 +#: engine/core/graphene/object_types.py:408 +#: engine/core/graphene/object_types.py:542 msgid "rating value from 1 to 10, inclusive, or 0 if not set." msgstr "" "Nilai penilaian dari 1 hingga 10, inklusif, atau 0 jika tidak ditetapkan." -#: engine/core/graphene/object_types.py:415 +#: engine/core/graphene/object_types.py:416 msgid "represents feedback from a user." msgstr "Merupakan umpan balik dari pengguna." -#: engine/core/graphene/object_types.py:420 -#: engine/core/graphene/object_types.py:471 engine/core/models.py:1284 +#: engine/core/graphene/object_types.py:421 +#: engine/core/graphene/object_types.py:472 engine/core/models.py:1284 msgid "notifications" msgstr "Pemberitahuan" -#: engine/core/graphene/object_types.py:422 +#: engine/core/graphene/object_types.py:423 msgid "download url for this order product if applicable" msgstr "Unduh url untuk produk pesanan ini jika ada" -#: engine/core/graphene/object_types.py:424 engine/core/models.py:1849 +#: engine/core/graphene/object_types.py:425 engine/core/models.py:1849 msgid "feedback" msgstr "Umpan balik" -#: engine/core/graphene/object_types.py:458 +#: engine/core/graphene/object_types.py:459 msgid "a list of order products in this order" msgstr "Daftar produk pesanan dalam urutan ini" -#: engine/core/graphene/object_types.py:460 engine/core/models.py:1254 +#: engine/core/graphene/object_types.py:461 engine/core/models.py:1254 msgid "billing address" msgstr "Alamat penagihan" -#: engine/core/graphene/object_types.py:464 +#: engine/core/graphene/object_types.py:465 msgid "" "shipping address for this order, leave blank if same as billing address or " "if not applicable" @@ -1385,53 +1392,53 @@ msgstr "" "Alamat pengiriman untuk pesanan ini, kosongkan jika sama dengan alamat " "penagihan atau jika tidak berlaku" -#: engine/core/graphene/object_types.py:467 +#: engine/core/graphene/object_types.py:468 msgid "total price of this order" msgstr "Total harga pesanan ini" -#: engine/core/graphene/object_types.py:468 +#: engine/core/graphene/object_types.py:469 msgid "total quantity of products in order" msgstr "Jumlah total produk yang dipesan" -#: engine/core/graphene/object_types.py:469 +#: engine/core/graphene/object_types.py:470 msgid "are all products in the order digital" msgstr "Apakah semua produk dalam pesanan digital" -#: engine/core/graphene/object_types.py:473 +#: engine/core/graphene/object_types.py:474 msgid "transactions for this order" msgstr "Transaksi untuk pesanan ini" -#: engine/core/graphene/object_types.py:493 engine/core/models.py:1318 +#: engine/core/graphene/object_types.py:494 engine/core/models.py:1318 msgid "orders" msgstr "Pesanan" -#: engine/core/graphene/object_types.py:514 +#: engine/core/graphene/object_types.py:515 msgid "image url" msgstr "URL gambar" -#: engine/core/graphene/object_types.py:521 +#: engine/core/graphene/object_types.py:522 msgid "product's images" msgstr "Gambar produk" -#: engine/core/graphene/object_types.py:528 engine/core/models.py:439 +#: engine/core/graphene/object_types.py:529 engine/core/models.py:439 #: engine/core/models.py:596 msgid "category" msgstr "Kategori" -#: engine/core/graphene/object_types.py:530 engine/core/models.py:1850 +#: engine/core/graphene/object_types.py:531 engine/core/models.py:1850 msgid "feedbacks" msgstr "Umpan balik" -#: engine/core/graphene/object_types.py:531 engine/core/models.py:510 +#: engine/core/graphene/object_types.py:532 engine/core/models.py:510 #: engine/core/models.py:605 msgid "brand" msgstr "Merek" -#: engine/core/graphene/object_types.py:533 engine/core/models.py:103 +#: engine/core/graphene/object_types.py:534 engine/core/models.py:103 msgid "attribute groups" msgstr "Kelompok atribut" -#: engine/core/graphene/object_types.py:535 +#: engine/core/graphene/object_types.py:536 #: engine/core/templates/digital_order_created_email.html:111 #: engine/core/templates/digital_order_delivered_email.html:109 #: engine/core/templates/shipped_order_created_email.html:109 @@ -1439,7 +1446,7 @@ msgstr "Kelompok atribut" msgid "price" msgstr "Harga" -#: engine/core/graphene/object_types.py:536 +#: engine/core/graphene/object_types.py:537 #: engine/core/templates/digital_order_created_email.html:110 #: engine/core/templates/digital_order_delivered_email.html:108 #: engine/core/templates/shipped_order_created_email.html:108 @@ -1447,39 +1454,39 @@ msgstr "Harga" msgid "quantity" msgstr "Kuantitas" -#: engine/core/graphene/object_types.py:537 +#: engine/core/graphene/object_types.py:538 msgid "number of feedbacks" msgstr "Jumlah umpan balik" -#: engine/core/graphene/object_types.py:538 +#: engine/core/graphene/object_types.py:539 msgid "only available for personal orders" msgstr "Produk hanya tersedia untuk pesanan pribadi" -#: engine/core/graphene/object_types.py:543 +#: engine/core/graphene/object_types.py:544 msgid "discount price" msgstr "Harga diskon" -#: engine/core/graphene/object_types.py:567 engine/core/models.py:677 +#: engine/core/graphene/object_types.py:568 engine/core/models.py:677 msgid "products" msgstr "Produk" -#: engine/core/graphene/object_types.py:677 +#: engine/core/graphene/object_types.py:678 msgid "promocodes" msgstr "Kode promosi" -#: engine/core/graphene/object_types.py:692 +#: engine/core/graphene/object_types.py:693 msgid "products on sale" msgstr "Produk yang dijual" -#: engine/core/graphene/object_types.py:700 engine/core/models.py:928 +#: engine/core/graphene/object_types.py:701 engine/core/models.py:928 msgid "promotions" msgstr "Promosi" -#: engine/core/graphene/object_types.py:704 engine/core/models.py:182 +#: engine/core/graphene/object_types.py:705 engine/core/models.py:182 msgid "vendor" msgstr "Vendor" -#: engine/core/graphene/object_types.py:705 engine/core/models.py:676 +#: engine/core/graphene/object_types.py:706 engine/core/models.py:676 #: engine/core/templates/digital_order_created_email.html:109 #: engine/core/templates/digital_order_delivered_email.html:107 #: engine/core/templates/shipped_order_created_email.html:107 @@ -1487,100 +1494,99 @@ msgstr "Vendor" msgid "product" msgstr "Produk" -#: engine/core/graphene/object_types.py:717 engine/core/models.py:951 +#: engine/core/graphene/object_types.py:718 engine/core/models.py:951 msgid "wishlisted products" msgstr "Produk yang diinginkan" -#: engine/core/graphene/object_types.py:724 engine/core/models.py:968 +#: engine/core/graphene/object_types.py:725 engine/core/models.py:968 msgid "wishlists" msgstr "Daftar keinginan" -#: engine/core/graphene/object_types.py:729 +#: engine/core/graphene/object_types.py:730 msgid "tagged products" msgstr "Produk yang ditandai" -#: engine/core/graphene/object_types.py:737 engine/core/models.py:219 +#: engine/core/graphene/object_types.py:738 engine/core/models.py:219 #: engine/core/models.py:611 msgid "product tags" msgstr "Label produk" -#: engine/core/graphene/object_types.py:742 +#: engine/core/graphene/object_types.py:743 msgid "tagged categories" msgstr "Kategori yang ditandai" -#: engine/core/graphene/object_types.py:750 +#: engine/core/graphene/object_types.py:751 msgid "categories tags" msgstr "Tag kategori" -#: engine/core/graphene/object_types.py:754 +#: engine/core/graphene/object_types.py:755 msgid "project name" msgstr "Nama proyek" -#: engine/core/graphene/object_types.py:755 +#: engine/core/graphene/object_types.py:756 msgid "company name" msgstr "Nama Perusahaan" -#: engine/core/graphene/object_types.py:756 +#: engine/core/graphene/object_types.py:757 msgid "company address" msgstr "Alamat Perusahaan" -#: engine/core/graphene/object_types.py:757 +#: engine/core/graphene/object_types.py:758 msgid "company phone number" msgstr "Nomor Telepon Perusahaan" -#: engine/core/graphene/object_types.py:760 +#: engine/core/graphene/object_types.py:761 msgid "email from, sometimes it must be used instead of host user value" msgstr "" -"'email from', terkadang harus digunakan sebagai pengganti nilai pengguna " -"host" +"'email from', terkadang harus digunakan sebagai pengganti nilai pengguna host" -#: engine/core/graphene/object_types.py:763 +#: engine/core/graphene/object_types.py:764 msgid "email host user" msgstr "Pengguna host email" -#: engine/core/graphene/object_types.py:764 +#: engine/core/graphene/object_types.py:765 msgid "maximum amount for payment" msgstr "Jumlah maksimum untuk pembayaran" -#: engine/core/graphene/object_types.py:765 +#: engine/core/graphene/object_types.py:766 msgid "minimum amount for payment" msgstr "Jumlah minimum untuk pembayaran" -#: engine/core/graphene/object_types.py:766 +#: engine/core/graphene/object_types.py:767 msgid "analytics data" msgstr "Data analisis" -#: engine/core/graphene/object_types.py:767 +#: engine/core/graphene/object_types.py:768 msgid "advertisement data" msgstr "Data iklan" -#: engine/core/graphene/object_types.py:770 +#: engine/core/graphene/object_types.py:771 msgid "company configuration" msgstr "Konfigurasi" -#: engine/core/graphene/object_types.py:774 +#: engine/core/graphene/object_types.py:775 msgid "language code" msgstr "Kode bahasa" -#: engine/core/graphene/object_types.py:775 +#: engine/core/graphene/object_types.py:776 msgid "language name" msgstr "Nama bahasa" -#: engine/core/graphene/object_types.py:776 +#: engine/core/graphene/object_types.py:777 msgid "language flag, if exists :)" msgstr "Bendera bahasa, jika ada :)" -#: engine/core/graphene/object_types.py:779 +#: engine/core/graphene/object_types.py:780 msgid "supported languages" msgstr "Dapatkan daftar bahasa yang didukung" -#: engine/core/graphene/object_types.py:811 -#: engine/core/graphene/object_types.py:814 -#: engine/core/graphene/object_types.py:817 +#: engine/core/graphene/object_types.py:812 +#: engine/core/graphene/object_types.py:815 +#: engine/core/graphene/object_types.py:818 msgid "products search results" msgstr "Hasil pencarian produk" -#: engine/core/graphene/object_types.py:819 +#: engine/core/graphene/object_types.py:820 msgid "posts search results" msgstr "Hasil pencarian produk" @@ -1593,9 +1599,9 @@ msgid "" msgstr "" "Mewakili sekelompok atribut, yang dapat berupa hirarki. Kelas ini digunakan " "untuk mengelola dan mengatur grup atribut. Sebuah grup atribut dapat " -"memiliki grup induk, membentuk struktur hirarki. Hal ini dapat berguna untuk" -" mengkategorikan dan mengelola atribut secara lebih efektif dalam sistem " -"yang kompleks." +"memiliki grup induk, membentuk struktur hirarki. Hal ini dapat berguna untuk " +"mengkategorikan dan mengelola atribut secara lebih efektif dalam sistem yang " +"kompleks." #: engine/core/models.py:88 msgid "parent of this group" @@ -1625,8 +1631,8 @@ msgid "" msgstr "" "Mewakili entitas vendor yang mampu menyimpan informasi tentang vendor " "eksternal dan persyaratan interaksinya. Kelas Vendor digunakan untuk " -"mendefinisikan dan mengelola informasi yang terkait dengan vendor eksternal." -" Kelas ini menyimpan nama vendor, detail otentikasi yang diperlukan untuk " +"mendefinisikan dan mengelola informasi yang terkait dengan vendor eksternal. " +"Kelas ini menyimpan nama vendor, detail otentikasi yang diperlukan untuk " "komunikasi, dan persentase markup yang diterapkan pada produk yang diambil " "dari vendor. Model ini juga menyimpan metadata dan batasan tambahan, " "sehingga cocok untuk digunakan dalam sistem yang berinteraksi dengan vendor " @@ -1685,8 +1691,8 @@ msgstr "" "Merupakan tag produk yang digunakan untuk mengklasifikasikan atau " "mengidentifikasi produk. Kelas ProductTag dirancang untuk mengidentifikasi " "dan mengklasifikasikan produk secara unik melalui kombinasi pengenal tag " -"internal dan nama tampilan yang mudah digunakan. Kelas ini mendukung operasi" -" yang diekspor melalui mixin dan menyediakan penyesuaian metadata untuk " +"internal dan nama tampilan yang mudah digunakan. Kelas ini mendukung operasi " +"yang diekspor melalui mixin dan menyediakan penyesuaian metadata untuk " "tujuan administratif." #: engine/core/models.py:204 engine/core/models.py:235 @@ -1715,8 +1721,8 @@ msgid "" "tag that can be used to associate and classify products. It includes " "attributes for an internal tag identifier and a user-friendly display name." msgstr "" -"Merupakan tag kategori yang digunakan untuk produk. Kelas ini memodelkan tag" -" kategori yang dapat digunakan untuk mengaitkan dan mengklasifikasikan " +"Merupakan tag kategori yang digunakan untuk produk. Kelas ini memodelkan tag " +"kategori yang dapat digunakan untuk mengaitkan dan mengklasifikasikan " "produk. Kelas ini mencakup atribut untuk pengenal tag internal dan nama " "tampilan yang mudah digunakan." @@ -1742,9 +1748,9 @@ msgid "" msgstr "" "Merupakan entitas kategori untuk mengatur dan mengelompokkan item terkait " "dalam struktur hierarki. Kategori dapat memiliki hubungan hierarkis dengan " -"kategori lain, yang mendukung hubungan induk-anak. Kelas ini mencakup bidang" -" untuk metadata dan representasi visual, yang berfungsi sebagai fondasi " -"untuk fitur-fitur terkait kategori. Kelas ini biasanya digunakan untuk " +"kategori lain, yang mendukung hubungan induk-anak. Kelas ini mencakup bidang " +"untuk metadata dan representasi visual, yang berfungsi sebagai fondasi untuk " +"fitur-fitur terkait kategori. Kelas ini biasanya digunakan untuk " "mendefinisikan dan mengelola kategori produk atau pengelompokan serupa " "lainnya dalam aplikasi, yang memungkinkan pengguna atau administrator " "menentukan nama, deskripsi, dan hierarki kategori, serta menetapkan atribut " @@ -1799,13 +1805,12 @@ msgid "" "Represents a Brand object in the system. This class handles information and " "attributes related to a brand, including its name, logos, description, " "associated categories, a unique slug, and priority order. It allows for the " -"organization and representation of brand-related data within the " -"application." +"organization and representation of brand-related data within the application." msgstr "" -"Mewakili objek Merek dalam sistem. Kelas ini menangani informasi dan atribut" -" yang terkait dengan merek, termasuk nama, logo, deskripsi, kategori " -"terkait, siput unik, dan urutan prioritas. Kelas ini memungkinkan pengaturan" -" dan representasi data yang terkait dengan merek di dalam aplikasi." +"Mewakili objek Merek dalam sistem. Kelas ini menangani informasi dan atribut " +"yang terkait dengan merek, termasuk nama, logo, deskripsi, kategori terkait, " +"siput unik, dan urutan prioritas. Kelas ini memungkinkan pengaturan dan " +"representasi data yang terkait dengan merek di dalam aplikasi." #: engine/core/models.py:456 msgid "name of this brand" @@ -1849,8 +1854,8 @@ msgstr "Kategori" #: engine/core/models.py:516 msgid "" -"Represents the stock of a product managed in the system. This class provides" -" details about the relationship between vendors, products, and their stock " +"Represents the stock of a product managed in the system. This class provides " +"details about the relationship between vendors, products, and their stock " "information, as well as inventory-related properties like price, purchase " "price, quantity, SKU, and digital assets. It is part of the inventory " "management system to allow tracking and evaluation of products available " @@ -1858,10 +1863,10 @@ msgid "" msgstr "" "Mewakili stok produk yang dikelola dalam sistem. Kelas ini memberikan " "rincian tentang hubungan antara vendor, produk, dan informasi stok mereka, " -"serta properti terkait inventaris seperti harga, harga pembelian, kuantitas," -" SKU, dan aset digital. Ini adalah bagian dari sistem manajemen inventaris " -"untuk memungkinkan pelacakan dan evaluasi produk yang tersedia dari berbagai" -" vendor." +"serta properti terkait inventaris seperti harga, harga pembelian, kuantitas, " +"SKU, dan aset digital. Ini adalah bagian dari sistem manajemen inventaris " +"untuk memungkinkan pelacakan dan evaluasi produk yang tersedia dari berbagai " +"vendor." #: engine/core/models.py:528 msgid "the vendor supplying this product stock" @@ -1939,13 +1944,13 @@ msgid "" "properties to improve performance. It is used to define and manipulate " "product data and its associated information within an application." msgstr "" -"Merepresentasikan produk dengan atribut seperti kategori, merek, tag, status" -" digital, nama, deskripsi, nomor komponen, dan siput. Menyediakan properti " +"Merepresentasikan produk dengan atribut seperti kategori, merek, tag, status " +"digital, nama, deskripsi, nomor komponen, dan siput. Menyediakan properti " "utilitas terkait untuk mengambil peringkat, jumlah umpan balik, harga, " "kuantitas, dan total pesanan. Dirancang untuk digunakan dalam sistem yang " "menangani e-commerce atau manajemen inventaris. Kelas ini berinteraksi " -"dengan model terkait (seperti Kategori, Merek, dan ProductTag) dan mengelola" -" cache untuk properti yang sering diakses untuk meningkatkan kinerja. Kelas " +"dengan model terkait (seperti Kategori, Merek, dan ProductTag) dan mengelola " +"cache untuk properti yang sering diakses untuk meningkatkan kinerja. Kelas " "ini digunakan untuk mendefinisikan dan memanipulasi data produk dan " "informasi terkait di dalam aplikasi." @@ -2010,12 +2015,12 @@ msgid "" "Represents an attribute in the system. This class is used to define and " "manage attributes, which are customizable pieces of data that can be " "associated with other entities. Attributes have associated categories, " -"groups, value types, and names. The model supports multiple types of values," -" including string, integer, float, boolean, array, and object. This allows " +"groups, value types, and names. The model supports multiple types of values, " +"including string, integer, float, boolean, array, and object. This allows " "for dynamic and flexible data structuring." msgstr "" -"Merupakan atribut dalam sistem. Kelas ini digunakan untuk mendefinisikan dan" -" mengelola atribut, yang merupakan bagian data yang dapat disesuaikan yang " +"Merupakan atribut dalam sistem. Kelas ini digunakan untuk mendefinisikan dan " +"mengelola atribut, yang merupakan bagian data yang dapat disesuaikan yang " "dapat dikaitkan dengan entitas lain. Atribut memiliki kategori, grup, tipe " "nilai, dan nama yang terkait. Model ini mendukung berbagai jenis nilai, " "termasuk string, integer, float, boolean, array, dan objek. Hal ini " @@ -2081,9 +2086,9 @@ msgstr "Atribut" #: engine/core/models.py:801 msgid "" -"Represents a specific value for an attribute that is linked to a product. It" -" links the 'attribute' to a unique 'value', allowing better organization and" -" dynamic representation of product characteristics." +"Represents a specific value for an attribute that is linked to a product. It " +"links the 'attribute' to a unique 'value', allowing better organization and " +"dynamic representation of product characteristics." msgstr "" "Mewakili nilai spesifik untuk atribut yang terkait dengan produk. Ini " "menghubungkan 'atribut' dengan 'nilai' yang unik, memungkinkan pengaturan " @@ -2104,14 +2109,14 @@ msgstr "Nilai spesifik untuk atribut ini" #: engine/core/models.py:839 msgid "" "Represents a product image associated with a product in the system. This " -"class is designed to manage images for products, including functionality for" -" uploading image files, associating them with specific products, and " +"class is designed to manage images for products, including functionality for " +"uploading image files, associating them with specific products, and " "determining their display order. It also includes an accessibility feature " "with alternative text for the images." msgstr "" "Mewakili gambar produk yang terkait dengan produk dalam sistem. Kelas ini " -"dirancang untuk mengelola gambar untuk produk, termasuk fungsionalitas untuk" -" mengunggah file gambar, mengasosiasikannya dengan produk tertentu, dan " +"dirancang untuk mengelola gambar untuk produk, termasuk fungsionalitas untuk " +"mengunggah file gambar, mengasosiasikannya dengan produk tertentu, dan " "menentukan urutan tampilannya. Kelas ini juga mencakup fitur aksesibilitas " "dengan teks alternatif untuk gambar." @@ -2153,8 +2158,8 @@ msgid "" "is used to define and manage promotional campaigns that offer a percentage-" "based discount for products. The class includes attributes for setting the " "discount rate, providing details about the promotion, and linking it to the " -"applicable products. It integrates with the product catalog to determine the" -" affected items in the campaign." +"applicable products. It integrates with the product catalog to determine the " +"affected items in the campaign." msgstr "" "Merupakan kampanye promosi untuk produk dengan diskon. Kelas ini digunakan " "untuk mendefinisikan dan mengelola kampanye promosi yang menawarkan diskon " @@ -2230,8 +2235,8 @@ msgid "" "store information about documentaries related to specific products, " "including file uploads and their metadata. It contains methods and " "properties to handle the file type and storage path for the documentary " -"files. It extends functionality from specific mixins and provides additional" -" custom features." +"files. It extends functionality from specific mixins and provides additional " +"custom features." msgstr "" "Merupakan catatan dokumenter yang terkait dengan suatu produk. Kelas ini " "digunakan untuk menyimpan informasi tentang film dokumenter yang terkait " @@ -2254,14 +2259,14 @@ msgstr "Belum terselesaikan" #: engine/core/models.py:1040 msgid "" -"Represents an address entity that includes location details and associations" -" with a user. Provides functionality for geographic and address data " -"storage, as well as integration with geocoding services. This class is " -"designed to store detailed address information including components like " -"street, city, region, country, and geolocation (longitude and latitude). It " -"supports integration with geocoding APIs, enabling the storage of raw API " -"responses for further processing or inspection. The class also allows " -"associating an address with a user, facilitating personalized data handling." +"Represents an address entity that includes location details and associations " +"with a user. Provides functionality for geographic and address data storage, " +"as well as integration with geocoding services. This class is designed to " +"store detailed address information including components like street, city, " +"region, country, and geolocation (longitude and latitude). It supports " +"integration with geocoding APIs, enabling the storage of raw API responses " +"for further processing or inspection. The class also allows associating an " +"address with a user, facilitating personalized data handling." msgstr "" "Mewakili entitas alamat yang mencakup detail lokasi dan asosiasi dengan " "pengguna. Menyediakan fungsionalitas untuk penyimpanan data geografis dan " @@ -2335,8 +2340,8 @@ msgid "" "apply the promo code to an order while ensuring constraints are met." msgstr "" "Mewakili kode promosi yang dapat digunakan untuk diskon, mengelola " -"validitas, jenis diskon, dan penerapannya. Kelas PromoCode menyimpan rincian" -" tentang kode promosi, termasuk pengenal unik, properti diskon (jumlah atau " +"validitas, jenis diskon, dan penerapannya. Kelas PromoCode menyimpan rincian " +"tentang kode promosi, termasuk pengenal unik, properti diskon (jumlah atau " "persentase), masa berlaku, pengguna terkait (jika ada), dan status " "penggunaannya. Ini termasuk fungsionalitas untuk memvalidasi dan menerapkan " "kode promo ke pesanan sambil memastikan batasan terpenuhi." @@ -2427,8 +2432,8 @@ msgstr "Jenis diskon tidak valid untuk kode promo {self.uuid}!" msgid "" "Represents an order placed by a user. This class models an order within the " "application, including its various attributes such as billing and shipping " -"information, status, associated user, notifications, and related operations." -" Orders can have associated products, promotions can be applied, addresses " +"information, status, associated user, notifications, and related operations. " +"Orders can have associated products, promotions can be applied, addresses " "set, and shipping or billing details updated. Equally, functionality " "supports managing the products in the order lifecycle." msgstr "" @@ -2471,8 +2476,8 @@ msgstr "Status pesanan" #: engine/core/models.py:1283 engine/core/models.py:1882 msgid "json structure of notifications to display to users" msgstr "" -"Struktur JSON dari notifikasi untuk ditampilkan kepada pengguna, di UI admin" -" digunakan table-view" +"Struktur JSON dari notifikasi untuk ditampilkan kepada pengguna, di UI admin " +"digunakan table-view" #: engine/core/models.py:1289 msgid "json representation of order attributes for this order" @@ -2619,8 +2624,7 @@ msgid "feedback comments" msgstr "Komentar umpan balik" #: engine/core/models.py:1827 -msgid "" -"references the specific product in an order that this feedback is about" +msgid "references the specific product in an order that this feedback is about" msgstr "Merujuk ke produk tertentu sesuai dengan urutan umpan balik ini" #: engine/core/models.py:1829 @@ -2652,8 +2656,8 @@ msgstr "" "pesanan, termasuk rincian seperti harga pembelian, kuantitas, atribut " "produk, dan status. Model ini mengelola notifikasi untuk pengguna dan " "administrator dan menangani operasi seperti mengembalikan saldo produk atau " -"menambahkan umpan balik. Model ini juga menyediakan metode dan properti yang" -" mendukung logika bisnis, seperti menghitung harga total atau menghasilkan " +"menambahkan umpan balik. Model ini juga menyediakan metode dan properti yang " +"mendukung logika bisnis, seperti menghitung harga total atau menghasilkan " "URL unduhan untuk produk digital. Model ini terintegrasi dengan model " "Pesanan dan Produk dan menyimpan referensi ke keduanya." @@ -2765,9 +2769,9 @@ msgid "" "Represents the downloading functionality for digital assets associated with " "orders. The DigitalAssetDownload class provides the ability to manage and " "access downloads related to order products. It maintains information about " -"the associated order product, the number of downloads, and whether the asset" -" is publicly visible. It includes a method to generate a URL for downloading" -" the asset when the associated order is in a completed status." +"the associated order product, the number of downloads, and whether the asset " +"is publicly visible. It includes a method to generate a URL for downloading " +"the asset when the associated order is in a completed status." msgstr "" "Mewakili fungsionalitas pengunduhan untuk aset digital yang terkait dengan " "pesanan. Kelas DigitalAssetDownload menyediakan kemampuan untuk mengelola " @@ -2982,7 +2986,8 @@ msgstr "Halo %(order.user.first_name)s," #, python-format msgid "" "thank you for your order #%(order.pk)s! we are pleased to inform you that\n" -" we have taken your order into work. below are the details of your\n" +" we have taken your order into work. below are " +"the details of your\n" " order:" msgstr "" "Terima kasih atas pesanan Anda #%(order.pk)s! Dengan senang hati kami " @@ -3091,13 +3096,15 @@ msgid "" "Thank you for staying with us! We have granted you with a promocode\n" " for " msgstr "" -"Terima kasih telah tinggal bersama kami! Kami telah memberikan Anda kode promo\n" +"Terima kasih telah tinggal bersama kami! Kami telah memberikan Anda kode " +"promo\n" " untuk" #: engine/core/templates/shipped_order_created_email.html:101 #: engine/core/templates/shipped_order_delivered_email.html:101 msgid "" -"thank you for your order! we are pleased to confirm your purchase. below are\n" +"thank you for your order! we are pleased to confirm your purchase. below " +"are\n" " the details of your order:" msgstr "" "Terima kasih atas pesanan Anda! Dengan senang hati kami mengkonfirmasi " @@ -3202,8 +3209,8 @@ msgid "" "Handles cache operations such as reading and setting cache data with a " "specified key and timeout." msgstr "" -"Menangani operasi cache seperti membaca dan mengatur data cache dengan kunci" -" dan batas waktu tertentu." +"Menangani operasi cache seperti membaca dan mengatur data cache dengan kunci " +"dan batas waktu tertentu." #: engine/core/views.py:220 msgid "Handles `contact us` form submissions." @@ -3228,10 +3235,14 @@ msgstr "Menangani logika pembelian sebagai bisnis tanpa registrasi." #: engine/core/views.py:337 msgid "" "Handles the downloading of a digital asset associated with an order.\n" -"This function attempts to serve the digital asset file located in the storage directory of the project. If the file is not found, an HTTP 404 error is raised to indicate the resource is unavailable." +"This function attempts to serve the digital asset file located in the " +"storage directory of the project. If the file is not found, an HTTP 404 " +"error is raised to indicate the resource is unavailable." msgstr "" "Menangani pengunduhan aset digital yang terkait dengan pesanan.\n" -"Fungsi ini mencoba untuk menyajikan file aset digital yang terletak di direktori penyimpanan proyek. Jika file tidak ditemukan, kesalahan HTTP 404 akan muncul untuk mengindikasikan bahwa sumber daya tidak tersedia." +"Fungsi ini mencoba untuk menyajikan file aset digital yang terletak di " +"direktori penyimpanan proyek. Jika file tidak ditemukan, kesalahan HTTP 404 " +"akan muncul untuk mengindikasikan bahwa sumber daya tidak tersedia." #: engine/core/views.py:348 msgid "order_product_uuid is required" @@ -3260,15 +3271,19 @@ msgstr "favicon tidak ditemukan" #: engine/core/views.py:418 msgid "" "Handles requests for the favicon of a website.\n" -"This function attempts to serve the favicon file located in the static directory of the project. If the favicon file is not found, an HTTP 404 error is raised to indicate the resource is unavailable." +"This function attempts to serve the favicon file located in the static " +"directory of the project. If the favicon file is not found, an HTTP 404 " +"error is raised to indicate the resource is unavailable." msgstr "" "Menangani permintaan favicon dari sebuah situs web.\n" -"Fungsi ini mencoba menyajikan file favicon yang terletak di direktori statis proyek. Jika file favicon tidak ditemukan, kesalahan HTTP 404 akan dimunculkan untuk mengindikasikan bahwa sumber daya tidak tersedia." +"Fungsi ini mencoba menyajikan file favicon yang terletak di direktori statis " +"proyek. Jika file favicon tidak ditemukan, kesalahan HTTP 404 akan " +"dimunculkan untuk mengindikasikan bahwa sumber daya tidak tersedia." #: engine/core/views.py:432 msgid "" -"Redirects the request to the admin index page. The function handles incoming" -" HTTP requests and redirects them to the Django admin interface index page. " +"Redirects the request to the admin index page. The function handles incoming " +"HTTP requests and redirects them to the Django admin interface index page. " "It uses Django's `redirect` function for handling the HTTP redirection." msgstr "" "Mengalihkan permintaan ke halaman indeks admin. Fungsi ini menangani " @@ -3305,11 +3320,10 @@ msgstr "" #: engine/core/viewsets.py:160 msgid "" -"Represents a viewset for managing AttributeGroup objects. Handles operations" -" related to AttributeGroup, including filtering, serialization, and " -"retrieval of data. This class is part of the application's API layer and " -"provides a standardized way to process requests and responses for " -"AttributeGroup data." +"Represents a viewset for managing AttributeGroup objects. Handles operations " +"related to AttributeGroup, including filtering, serialization, and retrieval " +"of data. This class is part of the application's API layer and provides a " +"standardized way to process requests and responses for AttributeGroup data." msgstr "" "Mewakili sebuah viewset untuk mengelola objek AttributeGroup. Menangani " "operasi yang terkait dengan AttributeGroup, termasuk pemfilteran, " @@ -3338,11 +3352,11 @@ msgid "" "A viewset for managing AttributeValue objects. This viewset provides " "functionality for listing, retrieving, creating, updating, and deleting " "AttributeValue objects. It integrates with Django REST Framework's viewset " -"mechanisms and uses appropriate serializers for different actions. Filtering" -" capabilities are provided through the DjangoFilterBackend." +"mechanisms and uses appropriate serializers for different actions. Filtering " +"capabilities are provided through the DjangoFilterBackend." msgstr "" -"Sebuah viewset untuk mengelola objek AttributeValue. Viewset ini menyediakan" -" fungsionalitas untuk mendaftarkan, mengambil, membuat, memperbarui, dan " +"Sebuah viewset untuk mengelola objek AttributeValue. Viewset ini menyediakan " +"fungsionalitas untuk mendaftarkan, mengambil, membuat, memperbarui, dan " "menghapus objek AttributeValue. Ini terintegrasi dengan mekanisme viewset " "Django REST Framework dan menggunakan serializer yang sesuai untuk tindakan " "yang berbeda. Kemampuan pemfilteran disediakan melalui DjangoFilterBackend." @@ -3356,10 +3370,10 @@ msgid "" "can access specific data." msgstr "" "Mengelola tampilan untuk operasi terkait Kategori. Kelas CategoryViewSet " -"bertanggung jawab untuk menangani operasi yang terkait dengan model Kategori" -" dalam sistem. Kelas ini mendukung pengambilan, pemfilteran, dan serialisasi" -" data kategori. ViewSet juga memberlakukan izin untuk memastikan bahwa hanya" -" pengguna yang memiliki izin yang dapat mengakses data tertentu." +"bertanggung jawab untuk menangani operasi yang terkait dengan model Kategori " +"dalam sistem. Kelas ini mendukung pengambilan, pemfilteran, dan serialisasi " +"data kategori. ViewSet juga memberlakukan izin untuk memastikan bahwa hanya " +"pengguna yang memiliki izin yang dapat mengakses data tertentu." #: engine/core/viewsets.py:346 msgid "" @@ -3370,8 +3384,8 @@ msgid "" msgstr "" "Mewakili sebuah viewset untuk mengelola instance Brand. Kelas ini " "menyediakan fungsionalitas untuk melakukan kueri, penyaringan, dan " -"serialisasi objek Brand. Kelas ini menggunakan kerangka kerja ViewSet Django" -" untuk menyederhanakan implementasi titik akhir API untuk objek Brand." +"serialisasi objek Brand. Kelas ini menggunakan kerangka kerja ViewSet Django " +"untuk menyederhanakan implementasi titik akhir API untuk objek Brand." #: engine/core/viewsets.py:458 msgid "" @@ -3384,11 +3398,11 @@ msgid "" "product." msgstr "" "Mengelola operasi yang terkait dengan model `Product` dalam sistem. Kelas " -"ini menyediakan sebuah viewset untuk mengelola produk, termasuk pemfilteran," -" serialisasi, dan operasi pada instance tertentu. Kelas ini diperluas dari " +"ini menyediakan sebuah viewset untuk mengelola produk, termasuk pemfilteran, " +"serialisasi, dan operasi pada instance tertentu. Kelas ini diperluas dari " "`EvibesViewSet` untuk menggunakan fungsionalitas umum dan terintegrasi " -"dengan kerangka kerja Django REST untuk operasi RESTful API. Termasuk metode" -" untuk mengambil detail produk, menerapkan izin, dan mengakses umpan balik " +"dengan kerangka kerja Django REST untuk operasi RESTful API. Termasuk metode " +"untuk mengambil detail produk, menerapkan izin, dan mengakses umpan balik " "terkait produk." #: engine/core/viewsets.py:605 @@ -3411,15 +3425,15 @@ msgid "" "Representation of a view set handling Feedback objects. This class manages " "operations related to Feedback objects, including listing, filtering, and " "retrieving details. The purpose of this view set is to provide different " -"serializers for different actions and implement permission-based handling of" -" accessible Feedback objects. It extends the base `EvibesViewSet` and makes " +"serializers for different actions and implement permission-based handling of " +"accessible Feedback objects. It extends the base `EvibesViewSet` and makes " "use of Django's filtering system for querying data." msgstr "" "Representasi set tampilan yang menangani objek Umpan Balik. Kelas ini " "mengelola operasi yang terkait dengan objek Umpan Balik, termasuk " "mendaftarkan, memfilter, dan mengambil detail. Tujuan dari set tampilan ini " -"adalah untuk menyediakan serializer yang berbeda untuk tindakan yang berbeda" -" dan mengimplementasikan penanganan berbasis izin untuk objek Umpan Balik " +"adalah untuk menyediakan serializer yang berbeda untuk tindakan yang berbeda " +"dan mengimplementasikan penanganan berbasis izin untuk objek Umpan Balik " "yang dapat diakses. Kelas ini memperluas `EvibesViewSet` dasar dan " "menggunakan sistem penyaringan Django untuk meminta data." @@ -3428,9 +3442,9 @@ msgid "" "ViewSet for managing orders and related operations. This class provides " "functionality to retrieve, modify, and manage order objects. It includes " "various endpoints for handling order operations such as adding or removing " -"products, performing purchases for registered as well as unregistered users," -" and retrieving the current authenticated user's pending orders. The ViewSet" -" uses multiple serializers based on the specific action being performed and " +"products, performing purchases for registered as well as unregistered users, " +"and retrieving the current authenticated user's pending orders. The ViewSet " +"uses multiple serializers based on the specific action being performed and " "enforces permissions accordingly while interacting with order data." msgstr "" "ViewSet untuk mengelola pesanan dan operasi terkait. Kelas ini menyediakan " @@ -3446,8 +3460,8 @@ msgstr "" msgid "" "Provides a viewset for managing OrderProduct entities. This viewset enables " "CRUD operations and custom actions specific to the OrderProduct model. It " -"includes filtering, permission checks, and serializer switching based on the" -" requested action. Additionally, it provides a detailed action for handling " +"includes filtering, permission checks, and serializer switching based on the " +"requested action. Additionally, it provides a detailed action for handling " "feedback on OrderProduct instances" msgstr "" "Menyediakan viewset untuk mengelola entitas OrderProduct. Viewset ini " @@ -3480,17 +3494,17 @@ msgstr "Menangani operasi yang terkait dengan data Stok di dalam sistem." msgid "" "ViewSet for managing Wishlist operations. The WishlistViewSet provides " "endpoints for interacting with a user's wish list, allowing for the " -"retrieval, modification, and customization of products within the wish list." -" This ViewSet facilitates functionality such as adding, removing, and bulk " +"retrieval, modification, and customization of products within the wish list. " +"This ViewSet facilitates functionality such as adding, removing, and bulk " "actions for wishlist products. Permission checks are integrated to ensure " "that users can only manage their own wishlists unless explicit permissions " "are granted." msgstr "" "ViewSet untuk mengelola operasi Wishlist. WishlistViewSet menyediakan titik " -"akhir untuk berinteraksi dengan daftar keinginan pengguna, yang memungkinkan" -" pengambilan, modifikasi, dan penyesuaian produk dalam daftar keinginan. " -"ViewSet ini memfasilitasi fungsionalitas seperti menambahkan, menghapus, dan" -" tindakan massal untuk produk daftar keinginan. Pemeriksaan izin " +"akhir untuk berinteraksi dengan daftar keinginan pengguna, yang memungkinkan " +"pengambilan, modifikasi, dan penyesuaian produk dalam daftar keinginan. " +"ViewSet ini memfasilitasi fungsionalitas seperti menambahkan, menghapus, dan " +"tindakan massal untuk produk daftar keinginan. Pemeriksaan izin " "diintegrasikan untuk memastikan bahwa pengguna hanya dapat mengelola daftar " "keinginan mereka sendiri kecuali jika izin eksplisit diberikan." @@ -3502,8 +3516,8 @@ msgid "" "different HTTP methods, serializer overrides, and permission handling based " "on the request context." msgstr "" -"Kelas ini menyediakan fungsionalitas viewset untuk mengelola objek `Alamat`." -" Kelas AddressViewSet memungkinkan operasi CRUD, pemfilteran, dan tindakan " +"Kelas ini menyediakan fungsionalitas viewset untuk mengelola objek `Alamat`. " +"Kelas AddressViewSet memungkinkan operasi CRUD, pemfilteran, dan tindakan " "khusus yang terkait dengan entitas alamat. Kelas ini mencakup perilaku " "khusus untuk metode HTTP yang berbeda, penggantian serializer, dan " "penanganan izin berdasarkan konteks permintaan." diff --git a/engine/core/locale/it_IT/LC_MESSAGES/django.mo b/engine/core/locale/it_IT/LC_MESSAGES/django.mo index 53ddb898faf0c455578407a059d7b36090077a21..40e02df7bcf9a13cf225e7ba1a52ba4772562d33 100644 GIT binary patch delta 18 acmZ4efOYi))(zdqn9cMIH}@TzyAl9Z;t2-; delta 18 acmZ4efOYi))(zdqm`(LeHuoKyyAl9Z>\n" "Language-Team: BRITISH ENGLISH \n" @@ -29,11 +29,10 @@ msgstr "È attivo" #: engine/core/abstract.py:22 msgid "" -"if set to false, this object can't be seen by users without needed " -"permission" +"if set to false, this object can't be seen by users without needed permission" msgstr "" -"Se impostato a false, questo oggetto non può essere visto dagli utenti senza" -" i necessari permessi." +"Se impostato a false, questo oggetto non può essere visto dagli utenti senza " +"i necessari permessi." #: engine/core/abstract.py:26 engine/core/choices.py:18 msgid "created" @@ -93,8 +92,8 @@ msgstr "Disattivare il %(verbose_name_plural)s selezionato" msgid "selected items have been deactivated." msgstr "Gli articoli selezionati sono stati disattivati!" -#: engine/core/admin.py:196 engine/core/graphene/object_types.py:652 -#: engine/core/graphene/object_types.py:659 engine/core/models.py:825 +#: engine/core/admin.py:196 engine/core/graphene/object_types.py:653 +#: engine/core/graphene/object_types.py:660 engine/core/models.py:825 #: engine/core/models.py:833 msgid "attribute value" msgstr "Valore dell'attributo" @@ -108,7 +107,7 @@ msgstr "Valori degli attributi" msgid "image" msgstr "Immagine" -#: engine/core/admin.py:209 engine/core/graphene/object_types.py:529 +#: engine/core/admin.py:209 engine/core/graphene/object_types.py:530 msgid "images" msgstr "Immagini" @@ -116,7 +115,7 @@ msgstr "Immagini" msgid "stock" msgstr "Stock" -#: engine/core/admin.py:221 engine/core/graphene/object_types.py:712 +#: engine/core/admin.py:221 engine/core/graphene/object_types.py:713 msgid "stocks" msgstr "Le scorte" @@ -124,7 +123,7 @@ msgstr "Le scorte" msgid "order product" msgstr "Ordina il prodotto" -#: engine/core/admin.py:233 engine/core/graphene/object_types.py:440 +#: engine/core/admin.py:233 engine/core/graphene/object_types.py:441 #: engine/core/models.py:1932 msgid "order products" msgstr "Ordinare i prodotti" @@ -157,8 +156,7 @@ msgstr "Consegnato" msgid "canceled" msgstr "Annullato" -#: engine/core/choices.py:8 engine/core/choices.py:16 -#: engine/core/choices.py:24 +#: engine/core/choices.py:8 engine/core/choices.py:16 engine/core/choices.py:24 msgid "failed" msgstr "Fallito" @@ -196,9 +194,9 @@ msgid "" "negotiation. Language can be selected with Accept-Language and query " "parameter both." msgstr "" -"Schema OpenApi3 per questa API. Il formato può essere selezionato tramite la" -" negoziazione dei contenuti. La lingua può essere selezionata sia con " -"Accept-Language che con il parametro query." +"Schema OpenApi3 per questa API. Il formato può essere selezionato tramite la " +"negoziazione dei contenuti. La lingua può essere selezionata sia con Accept-" +"Language che con il parametro query." #: engine/core/docs/drf/views.py:46 engine/core/graphene/mutations.py:36 msgid "cache I/O" @@ -210,7 +208,8 @@ msgid "" "apply key, data and timeout with authentication to write data to cache." msgstr "" "Applicare solo una chiave per leggere i dati consentiti dalla cache.\n" -"Applicare chiave, dati e timeout con autenticazione per scrivere dati nella cache." +"Applicare chiave, dati e timeout con autenticazione per scrivere dati nella " +"cache." #: engine/core/docs/drf/views.py:66 msgid "get a list of supported languages" @@ -275,8 +274,7 @@ msgstr "" "Riscrivere un gruppo di attributi esistente salvando i non modificabili" #: engine/core/docs/drf/viewsets.py:107 -msgid "" -"rewrite some fields of an existing attribute group saving non-editables" +msgid "rewrite some fields of an existing attribute group saving non-editables" msgstr "" "Riscrivere alcuni campi di un gruppo di attributi esistente salvando quelli " "non modificabili" @@ -331,8 +329,7 @@ msgstr "" "modificabili" #: engine/core/docs/drf/viewsets.py:208 -msgid "" -"rewrite some fields of an existing attribute value saving non-editables" +msgid "rewrite some fields of an existing attribute value saving non-editables" msgstr "" "Riscrivere alcuni campi di un valore di attributo esistente salvando i " "valori non modificabili" @@ -365,14 +362,14 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:270 engine/core/docs/drf/viewsets.py:272 msgid "rewrite some fields of an existing category saving non-editables" msgstr "" -"Riscrivere alcuni campi di una categoria esistente salvando gli elementi non" -" modificabili" +"Riscrivere alcuni campi di una categoria esistente salvando gli elementi non " +"modificabili" #: engine/core/docs/drf/viewsets.py:280 engine/core/docs/drf/viewsets.py:757 #: engine/core/docs/drf/viewsets.py:1046 #: engine/core/graphene/object_types.py:119 -#: engine/core/graphene/object_types.py:238 -#: engine/core/graphene/object_types.py:539 +#: engine/core/graphene/object_types.py:239 +#: engine/core/graphene/object_types.py:540 msgid "SEO Meta snapshot" msgstr "Meta-immagine SEO" @@ -392,12 +389,12 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:309 msgid "" -"Case-insensitive substring search across human_readable_id, " -"order_products.product.name, and order_products.product.partnumber" +"Case-insensitive substring search across human_readable_id, order_products." +"product.name, and order_products.product.partnumber" msgstr "" "Ricerca di sottostringhe senza distinzione di maiuscole e minuscole tra " -"human_readable_id, order_products.product.name e " -"order_products.product.partnumber" +"human_readable_id, order_products.product.name e order_products.product." +"partnumber" #: engine/core/docs/drf/viewsets.py:316 msgid "Filter orders with buy_time >= this ISO 8601 datetime" @@ -433,9 +430,9 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:354 msgid "" -"Order by one of: uuid, human_readable_id, user_email, user, status, created," -" modified, buy_time, random. Prefix with '-' for descending (e.g. " -"'-buy_time')." +"Order by one of: uuid, human_readable_id, user_email, user, status, created, " +"modified, buy_time, random. Prefix with '-' for descending (e.g. '-" +"buy_time')." msgstr "" "Ordinare per uno dei seguenti criteri: uuid, human_readable_id, user_email, " "user, status, created, modified, buy_time, random. Prefisso con '-' per la " @@ -469,8 +466,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:403 msgid "rewrite some fields of an existing order saving non-editables" msgstr "" -"Riscrivere alcuni campi di una categoria esistente salvando gli elementi non" -" modificabili" +"Riscrivere alcuni campi di una categoria esistente salvando gli elementi non " +"modificabili" #: engine/core/docs/drf/viewsets.py:410 msgid "purchase an order" @@ -483,8 +480,8 @@ msgid "" "transaction is initiated." msgstr "" "Finalizza l'acquisto dell'ordine. Se si utilizza `forza_bilancio`, " -"l'acquisto viene completato utilizzando il saldo dell'utente; se si utilizza" -" `forza_pagamento`, viene avviata una transazione." +"l'acquisto viene completato utilizzando il saldo dell'utente; se si utilizza " +"`forza_pagamento`, viene avviata una transazione." #: engine/core/docs/drf/viewsets.py:427 msgid "retrieve current pending order of a user" @@ -560,8 +557,8 @@ msgstr "Elenco di tutti gli attributi (vista semplice)" #: engine/core/docs/drf/viewsets.py:498 msgid "for non-staff users, only their own wishlists are returned." msgstr "" -"Per gli utenti che non fanno parte del personale, vengono restituite solo le" -" loro liste dei desideri." +"Per gli utenti che non fanno parte del personale, vengono restituite solo le " +"loro liste dei desideri." #: engine/core/docs/drf/viewsets.py:508 msgid "retrieve a single wishlist (detailed view)" @@ -642,18 +639,28 @@ msgstr "" msgid "" "Filter by one or more attribute name/value pairs. \n" "• **Syntax**: `attr_name=method-value[;attr2=method2-value2]…` \n" -"• **Methods** (defaults to `icontains` if omitted): `iexact`, `exact`, `icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, `iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in` \n" -"• **Value typing**: JSON is attempted first (so you can pass lists/dicts), `true`/`false` for booleans, integers, floats; otherwise treated as string. \n" +"• **Methods** (defaults to `icontains` if omitted): `iexact`, `exact`, " +"`icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, " +"`iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in` \n" +"• **Value typing**: JSON is attempted first (so you can pass lists/dicts), " +"`true`/`false` for booleans, integers, floats; otherwise treated as " +"string. \n" "• **Base64**: prefix with `b64-` to URL-safe base64-encode the raw value. \n" "Examples: \n" -"`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\",\"bluetooth\"]`, \n" +"`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\"," +"\"bluetooth\"]`, \n" "`b64-description=icontains-aGVhdC1jb2xk`" msgstr "" "Filtrare in base a una o più coppie nome/valore dell'attributo. \n" "- **Sintassi**: `nome_attraverso=metodo-valore[;attr2=metodo2-valore2]...`\n" -"- **Metodi** (predefiniti a `icontains` se omessi): `iexact`, `exact`, `icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, `iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in`.\n" -"- **Tipo di valore**: JSON viene tentato per primo (in modo da poter passare liste/dict), `true`/`false` per booleani, interi, float; altrimenti viene trattato come stringa. \n" -"- **Base64**: prefisso con `b64-` per codificare in base64 il valore grezzo. \n" +"- **Metodi** (predefiniti a `icontains` se omessi): `iexact`, `exact`, " +"`icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, " +"`iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in`.\n" +"- **Tipo di valore**: JSON viene tentato per primo (in modo da poter passare " +"liste/dict), `true`/`false` per booleani, interi, float; altrimenti viene " +"trattato come stringa. \n" +"- **Base64**: prefisso con `b64-` per codificare in base64 il valore " +"grezzo. \n" "Esempi: \n" "`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\", \"bluetooth\"]`,\n" "`b64-description=icontains-aGVhdC1jb2xk`" @@ -668,10 +675,12 @@ msgstr "(esatto) UUID del prodotto" #: engine/core/docs/drf/viewsets.py:630 msgid "" -"Comma-separated list of fields to sort by. Prefix with `-` for descending. \n" +"Comma-separated list of fields to sort by. Prefix with `-` for " +"descending. \n" "**Allowed:** uuid, rating, name, slug, created, modified, price, random" msgstr "" -"Elenco separato da virgole dei campi da ordinare. Prefisso con `-` per l'ordinamento discendente. \n" +"Elenco separato da virgole dei campi da ordinare. Prefisso con `-` per " +"l'ordinamento discendente. \n" "**Consentito:** uuid, rating, nome, slug, creato, modificato, prezzo, casuale" #: engine/core/docs/drf/viewsets.py:647 engine/core/docs/drf/viewsets.py:648 @@ -690,8 +699,7 @@ msgstr "Creare un prodotto" #: engine/core/docs/drf/viewsets.py:677 engine/core/docs/drf/viewsets.py:678 msgid "rewrite an existing product, preserving non-editable fields" -msgstr "" -"Riscrivere un prodotto esistente, preservando i campi non modificabili" +msgstr "Riscrivere un prodotto esistente, preservando i campi non modificabili" #: engine/core/docs/drf/viewsets.py:697 engine/core/docs/drf/viewsets.py:700 msgid "" @@ -773,8 +781,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:909 msgid "rewrite some fields of an existing feedback saving non-editables" msgstr "" -"Riscrivere alcuni campi di una categoria esistente salvando gli elementi non" -" modificabili" +"Riscrivere alcuni campi di una categoria esistente salvando gli elementi non " +"modificabili" #: engine/core/docs/drf/viewsets.py:919 msgid "list all order–product relations (simple view)" @@ -832,8 +840,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:1039 msgid "rewrite some fields of an existing brand saving non-editables" msgstr "" -"Riscrivere alcuni campi di una categoria esistente salvando gli elementi non" -" modificabili" +"Riscrivere alcuni campi di una categoria esistente salvando gli elementi non " +"modificabili" #: engine/core/docs/drf/viewsets.py:1064 msgid "list all vendors (simple view)" @@ -859,8 +867,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:1102 msgid "rewrite some fields of an existing vendor saving non-editables" msgstr "" -"Riscrivere alcuni campi di una categoria esistente salvando gli elementi non" -" modificabili" +"Riscrivere alcuni campi di una categoria esistente salvando gli elementi non " +"modificabili" #: engine/core/docs/drf/viewsets.py:1112 msgid "list all product images (simple view)" @@ -886,8 +894,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:1154 msgid "rewrite some fields of an existing product image saving non-editables" msgstr "" -"Riscrivere alcuni campi di una categoria esistente salvando gli elementi non" -" modificabili" +"Riscrivere alcuni campi di una categoria esistente salvando gli elementi non " +"modificabili" #: engine/core/docs/drf/viewsets.py:1165 msgid "list all promo codes (simple view)" @@ -913,8 +921,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:1203 msgid "rewrite some fields of an existing promo code saving non-editables" msgstr "" -"Riscrivere alcuni campi di una categoria esistente salvando gli elementi non" -" modificabili" +"Riscrivere alcuni campi di una categoria esistente salvando gli elementi non " +"modificabili" #: engine/core/docs/drf/viewsets.py:1213 msgid "list all promotions (simple view)" @@ -940,8 +948,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:1251 msgid "rewrite some fields of an existing promotion saving non-editables" msgstr "" -"Riscrivere alcuni campi di una categoria esistente salvando gli elementi non" -" modificabili" +"Riscrivere alcuni campi di una categoria esistente salvando gli elementi non " +"modificabili" #: engine/core/docs/drf/viewsets.py:1261 msgid "list all stocks (simple view)" @@ -967,8 +975,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:1297 msgid "rewrite some fields of an existing stock record saving non-editables" msgstr "" -"Riscrivere alcuni campi di una categoria esistente salvando gli elementi non" -" modificabili" +"Riscrivere alcuni campi di una categoria esistente salvando gli elementi non " +"modificabili" #: engine/core/docs/drf/viewsets.py:1308 msgid "list all product tags (simple view)" @@ -994,8 +1002,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:1350 msgid "rewrite some fields of an existing product tag saving non-editables" msgstr "" -"Riscrivere alcuni campi di una categoria esistente salvando gli elementi non" -" modificabili" +"Riscrivere alcuni campi di una categoria esistente salvando gli elementi non " +"modificabili" #: engine/core/elasticsearch/__init__.py:128 #: engine/core/elasticsearch/__init__.py:629 @@ -1180,8 +1188,7 @@ msgstr "" #: engine/core/graphene/mutations.py:249 engine/core/graphene/mutations.py:524 #: engine/core/graphene/mutations.py:573 engine/core/viewsets.py:753 msgid "wrong type came from order.buy() method: {type(instance)!s}" -msgstr "" -"Il metodo order.buy() ha fornito un tipo sbagliato: {type(instance)!s}" +msgstr "Il metodo order.buy() ha fornito un tipo sbagliato: {type(instance)!s}" #: engine/core/graphene/mutations.py:260 msgid "perform an action on a list of products in the order" @@ -1232,11 +1239,11 @@ msgstr "Acquistare un ordine" #: engine/core/graphene/mutations.py:542 msgid "" -"please send the attributes as the string formatted like " -"attr1=value1,attr2=value2" +"please send the attributes as the string formatted like attr1=value1," +"attr2=value2" msgstr "" -"Inviare gli attributi come stringa formattata come " -"attr1=valore1,attr2=valore2" +"Inviare gli attributi come stringa formattata come attr1=valore1," +"attr2=valore2" #: engine/core/graphene/mutations.py:580 msgid "add or delete a feedback for orderproduct" @@ -1272,8 +1279,8 @@ msgid "elasticsearch - works like a charm" msgstr "ElasticSearch: funziona a meraviglia" #: engine/core/graphene/object_types.py:84 -#: engine/core/graphene/object_types.py:419 -#: engine/core/graphene/object_types.py:470 engine/core/models.py:796 +#: engine/core/graphene/object_types.py:420 +#: engine/core/graphene/object_types.py:471 engine/core/models.py:796 #: engine/core/models.py:1290 engine/core/models.py:2022 msgid "attributes" msgstr "Attributi" @@ -1287,8 +1294,8 @@ msgid "groups of attributes" msgstr "Gruppi di attributi" #: engine/core/graphene/object_types.py:118 -#: engine/core/graphene/object_types.py:216 -#: engine/core/graphene/object_types.py:254 engine/core/models.py:440 +#: engine/core/graphene/object_types.py:217 +#: engine/core/graphene/object_types.py:255 engine/core/models.py:440 msgid "categories" msgstr "Categorie" @@ -1296,82 +1303,81 @@ msgstr "Categorie" msgid "brands" msgstr "Marche" -#: engine/core/graphene/object_types.py:218 +#: engine/core/graphene/object_types.py:219 msgid "category image url" msgstr "Categorie" -#: engine/core/graphene/object_types.py:219 -#: engine/core/graphene/object_types.py:364 engine/core/models.py:278 +#: engine/core/graphene/object_types.py:220 +#: engine/core/graphene/object_types.py:365 engine/core/models.py:278 msgid "markup percentage" msgstr "Percentuale di markup" -#: engine/core/graphene/object_types.py:223 +#: engine/core/graphene/object_types.py:224 msgid "which attributes and values can be used for filtering this category." msgstr "" "Quali attributi e valori possono essere utilizzati per filtrare questa " "categoria." -#: engine/core/graphene/object_types.py:229 -msgid "" -"minimum and maximum prices for products in this category, if available." +#: engine/core/graphene/object_types.py:230 +msgid "minimum and maximum prices for products in this category, if available." msgstr "" "Prezzi minimi e massimi per i prodotti di questa categoria, se disponibili." -#: engine/core/graphene/object_types.py:233 +#: engine/core/graphene/object_types.py:234 msgid "tags for this category" msgstr "Tag per questa categoria" -#: engine/core/graphene/object_types.py:236 +#: engine/core/graphene/object_types.py:237 msgid "products in this category" msgstr "Prodotti in questa categoria" -#: engine/core/graphene/object_types.py:371 engine/core/models.py:183 +#: engine/core/graphene/object_types.py:372 engine/core/models.py:183 msgid "vendors" msgstr "Venditori" -#: engine/core/graphene/object_types.py:375 +#: engine/core/graphene/object_types.py:376 msgid "Latitude (Y coordinate)" msgstr "Latitudine (coordinata Y)" -#: engine/core/graphene/object_types.py:376 +#: engine/core/graphene/object_types.py:377 msgid "Longitude (X coordinate)" msgstr "Longitudine (coordinata X)" -#: engine/core/graphene/object_types.py:405 +#: engine/core/graphene/object_types.py:406 msgid "comment" msgstr "Come" -#: engine/core/graphene/object_types.py:407 -#: engine/core/graphene/object_types.py:541 +#: engine/core/graphene/object_types.py:408 +#: engine/core/graphene/object_types.py:542 msgid "rating value from 1 to 10, inclusive, or 0 if not set." msgstr "Valore di valutazione da 1 a 10, incluso, o 0 se non impostato." -#: engine/core/graphene/object_types.py:415 +#: engine/core/graphene/object_types.py:416 msgid "represents feedback from a user." msgstr "Rappresenta il feedback di un utente." -#: engine/core/graphene/object_types.py:420 -#: engine/core/graphene/object_types.py:471 engine/core/models.py:1284 +#: engine/core/graphene/object_types.py:421 +#: engine/core/graphene/object_types.py:472 engine/core/models.py:1284 msgid "notifications" msgstr "Notifiche" -#: engine/core/graphene/object_types.py:422 +#: engine/core/graphene/object_types.py:423 msgid "download url for this order product if applicable" msgstr "URL di download per il prodotto dell'ordine, se applicabile" -#: engine/core/graphene/object_types.py:424 engine/core/models.py:1849 +#: engine/core/graphene/object_types.py:425 engine/core/models.py:1849 msgid "feedback" msgstr "Feedback" -#: engine/core/graphene/object_types.py:458 +#: engine/core/graphene/object_types.py:459 msgid "a list of order products in this order" msgstr "Un elenco di prodotti ordinati in questo ordine" -#: engine/core/graphene/object_types.py:460 engine/core/models.py:1254 +#: engine/core/graphene/object_types.py:461 engine/core/models.py:1254 msgid "billing address" msgstr "Indirizzo di fatturazione" -#: engine/core/graphene/object_types.py:464 +#: engine/core/graphene/object_types.py:465 msgid "" "shipping address for this order, leave blank if same as billing address or " "if not applicable" @@ -1379,53 +1385,53 @@ msgstr "" "Indirizzo di spedizione per questo ordine, lasciare in bianco se è uguale " "all'indirizzo di fatturazione o se non è applicabile" -#: engine/core/graphene/object_types.py:467 +#: engine/core/graphene/object_types.py:468 msgid "total price of this order" msgstr "Prezzo totale dell'ordine" -#: engine/core/graphene/object_types.py:468 +#: engine/core/graphene/object_types.py:469 msgid "total quantity of products in order" msgstr "Quantità totale di prodotti in ordine" -#: engine/core/graphene/object_types.py:469 +#: engine/core/graphene/object_types.py:470 msgid "are all products in the order digital" msgstr "Tutti i prodotti sono presenti nell'ordine digitale" -#: engine/core/graphene/object_types.py:473 +#: engine/core/graphene/object_types.py:474 msgid "transactions for this order" msgstr "Transazioni per questo ordine" -#: engine/core/graphene/object_types.py:493 engine/core/models.py:1318 +#: engine/core/graphene/object_types.py:494 engine/core/models.py:1318 msgid "orders" msgstr "Ordini" -#: engine/core/graphene/object_types.py:514 +#: engine/core/graphene/object_types.py:515 msgid "image url" msgstr "URL immagine" -#: engine/core/graphene/object_types.py:521 +#: engine/core/graphene/object_types.py:522 msgid "product's images" msgstr "Immagini del prodotto" -#: engine/core/graphene/object_types.py:528 engine/core/models.py:439 +#: engine/core/graphene/object_types.py:529 engine/core/models.py:439 #: engine/core/models.py:596 msgid "category" msgstr "Categoria" -#: engine/core/graphene/object_types.py:530 engine/core/models.py:1850 +#: engine/core/graphene/object_types.py:531 engine/core/models.py:1850 msgid "feedbacks" msgstr "Feedback" -#: engine/core/graphene/object_types.py:531 engine/core/models.py:510 +#: engine/core/graphene/object_types.py:532 engine/core/models.py:510 #: engine/core/models.py:605 msgid "brand" msgstr "Marchio" -#: engine/core/graphene/object_types.py:533 engine/core/models.py:103 +#: engine/core/graphene/object_types.py:534 engine/core/models.py:103 msgid "attribute groups" msgstr "Gruppi di attributi" -#: engine/core/graphene/object_types.py:535 +#: engine/core/graphene/object_types.py:536 #: engine/core/templates/digital_order_created_email.html:111 #: engine/core/templates/digital_order_delivered_email.html:109 #: engine/core/templates/shipped_order_created_email.html:109 @@ -1433,7 +1439,7 @@ msgstr "Gruppi di attributi" msgid "price" msgstr "Prezzo" -#: engine/core/graphene/object_types.py:536 +#: engine/core/graphene/object_types.py:537 #: engine/core/templates/digital_order_created_email.html:110 #: engine/core/templates/digital_order_delivered_email.html:108 #: engine/core/templates/shipped_order_created_email.html:108 @@ -1441,39 +1447,39 @@ msgstr "Prezzo" msgid "quantity" msgstr "Quantità" -#: engine/core/graphene/object_types.py:537 +#: engine/core/graphene/object_types.py:538 msgid "number of feedbacks" msgstr "Numero di feedback" -#: engine/core/graphene/object_types.py:538 +#: engine/core/graphene/object_types.py:539 msgid "only available for personal orders" msgstr "Prodotti disponibili solo per ordini personali" -#: engine/core/graphene/object_types.py:543 +#: engine/core/graphene/object_types.py:544 msgid "discount price" msgstr "Prezzo scontato" -#: engine/core/graphene/object_types.py:567 engine/core/models.py:677 +#: engine/core/graphene/object_types.py:568 engine/core/models.py:677 msgid "products" msgstr "Prodotti" -#: engine/core/graphene/object_types.py:677 +#: engine/core/graphene/object_types.py:678 msgid "promocodes" msgstr "Codici promozionali" -#: engine/core/graphene/object_types.py:692 +#: engine/core/graphene/object_types.py:693 msgid "products on sale" msgstr "Prodotti in vendita" -#: engine/core/graphene/object_types.py:700 engine/core/models.py:928 +#: engine/core/graphene/object_types.py:701 engine/core/models.py:928 msgid "promotions" msgstr "Promozioni" -#: engine/core/graphene/object_types.py:704 engine/core/models.py:182 +#: engine/core/graphene/object_types.py:705 engine/core/models.py:182 msgid "vendor" msgstr "Venditore" -#: engine/core/graphene/object_types.py:705 engine/core/models.py:676 +#: engine/core/graphene/object_types.py:706 engine/core/models.py:676 #: engine/core/templates/digital_order_created_email.html:109 #: engine/core/templates/digital_order_delivered_email.html:107 #: engine/core/templates/shipped_order_created_email.html:107 @@ -1481,99 +1487,99 @@ msgstr "Venditore" msgid "product" msgstr "Prodotto" -#: engine/core/graphene/object_types.py:717 engine/core/models.py:951 +#: engine/core/graphene/object_types.py:718 engine/core/models.py:951 msgid "wishlisted products" msgstr "Prodotti desiderati" -#: engine/core/graphene/object_types.py:724 engine/core/models.py:968 +#: engine/core/graphene/object_types.py:725 engine/core/models.py:968 msgid "wishlists" msgstr "Liste dei desideri" -#: engine/core/graphene/object_types.py:729 +#: engine/core/graphene/object_types.py:730 msgid "tagged products" msgstr "Prodotti contrassegnati" -#: engine/core/graphene/object_types.py:737 engine/core/models.py:219 +#: engine/core/graphene/object_types.py:738 engine/core/models.py:219 #: engine/core/models.py:611 msgid "product tags" msgstr "Tag del prodotto" -#: engine/core/graphene/object_types.py:742 +#: engine/core/graphene/object_types.py:743 msgid "tagged categories" msgstr "Contrassegnato dalle categorie" -#: engine/core/graphene/object_types.py:750 +#: engine/core/graphene/object_types.py:751 msgid "categories tags" msgstr "Tag delle categorie" -#: engine/core/graphene/object_types.py:754 +#: engine/core/graphene/object_types.py:755 msgid "project name" msgstr "Nome del progetto" -#: engine/core/graphene/object_types.py:755 +#: engine/core/graphene/object_types.py:756 msgid "company name" msgstr "Nome della società" -#: engine/core/graphene/object_types.py:756 +#: engine/core/graphene/object_types.py:757 msgid "company address" msgstr "Indirizzo dell'azienda" -#: engine/core/graphene/object_types.py:757 +#: engine/core/graphene/object_types.py:758 msgid "company phone number" msgstr "Numero di telefono dell'azienda" -#: engine/core/graphene/object_types.py:760 +#: engine/core/graphene/object_types.py:761 msgid "email from, sometimes it must be used instead of host user value" msgstr "" "'email from', a volte deve essere usato al posto del valore dell'utente host" -#: engine/core/graphene/object_types.py:763 +#: engine/core/graphene/object_types.py:764 msgid "email host user" msgstr "Utente host dell'e-mail" -#: engine/core/graphene/object_types.py:764 +#: engine/core/graphene/object_types.py:765 msgid "maximum amount for payment" msgstr "Importo massimo per il pagamento" -#: engine/core/graphene/object_types.py:765 +#: engine/core/graphene/object_types.py:766 msgid "minimum amount for payment" msgstr "Importo minimo per il pagamento" -#: engine/core/graphene/object_types.py:766 +#: engine/core/graphene/object_types.py:767 msgid "analytics data" msgstr "Dati analitici" -#: engine/core/graphene/object_types.py:767 +#: engine/core/graphene/object_types.py:768 msgid "advertisement data" msgstr "Dati pubblicitari" -#: engine/core/graphene/object_types.py:770 +#: engine/core/graphene/object_types.py:771 msgid "company configuration" msgstr "Configurazione" -#: engine/core/graphene/object_types.py:774 +#: engine/core/graphene/object_types.py:775 msgid "language code" msgstr "Codice lingua" -#: engine/core/graphene/object_types.py:775 +#: engine/core/graphene/object_types.py:776 msgid "language name" msgstr "Nome della lingua" -#: engine/core/graphene/object_types.py:776 +#: engine/core/graphene/object_types.py:777 msgid "language flag, if exists :)" msgstr "Bandiera della lingua, se esiste :)" -#: engine/core/graphene/object_types.py:779 +#: engine/core/graphene/object_types.py:780 msgid "supported languages" msgstr "Ottenere un elenco delle lingue supportate" -#: engine/core/graphene/object_types.py:811 -#: engine/core/graphene/object_types.py:814 -#: engine/core/graphene/object_types.py:817 +#: engine/core/graphene/object_types.py:812 +#: engine/core/graphene/object_types.py:815 +#: engine/core/graphene/object_types.py:818 msgid "products search results" msgstr "Risultati della ricerca dei prodotti" -#: engine/core/graphene/object_types.py:819 +#: engine/core/graphene/object_types.py:820 msgid "posts search results" msgstr "Risultati della ricerca dei prodotti" @@ -1584,9 +1590,9 @@ msgid "" "parent group, forming a hierarchical structure. This can be useful for " "categorizing and managing attributes more effectively in acomplex system." msgstr "" -"Rappresenta un gruppo di attributi, che può essere gerarchico. Questa classe" -" viene utilizzata per gestire e organizzare i gruppi di attributi. Un gruppo" -" di attributi può avere un gruppo padre, formando una struttura gerarchica. " +"Rappresenta un gruppo di attributi, che può essere gerarchico. Questa classe " +"viene utilizzata per gestire e organizzare i gruppi di attributi. Un gruppo " +"di attributi può avere un gruppo padre, formando una struttura gerarchica. " "Questo può essere utile per categorizzare e gestire meglio gli attributi in " "un sistema complesso." @@ -1710,8 +1716,8 @@ msgid "" msgstr "" "Rappresenta un tag di categoria utilizzato per i prodotti. Questa classe " "modella un tag di categoria che può essere usato per associare e " -"classificare i prodotti. Include gli attributi per un identificatore interno" -" del tag e un nome di visualizzazione facile da usare." +"classificare i prodotti. Include gli attributi per un identificatore interno " +"del tag e un nome di visualizzazione facile da usare." #: engine/core/models.py:249 msgid "category tag" @@ -1735,12 +1741,12 @@ msgid "" msgstr "" "Rappresenta un'entità di categoria per organizzare e raggruppare gli " "elementi correlati in una struttura gerarchica. Le categorie possono avere " -"relazioni gerarchiche con altre categorie, supportando le relazioni " -"genitore-figlio. La classe include campi per i metadati e per la " -"rappresentazione visiva, che servono come base per le funzionalità legate " -"alle categorie. Questa classe viene tipicamente utilizzata per definire e " -"gestire le categorie di prodotti o altri raggruppamenti simili all'interno " -"di un'applicazione, consentendo agli utenti o agli amministratori di " +"relazioni gerarchiche con altre categorie, supportando le relazioni genitore-" +"figlio. La classe include campi per i metadati e per la rappresentazione " +"visiva, che servono come base per le funzionalità legate alle categorie. " +"Questa classe viene tipicamente utilizzata per definire e gestire le " +"categorie di prodotti o altri raggruppamenti simili all'interno di " +"un'applicazione, consentendo agli utenti o agli amministratori di " "specificare il nome, la descrizione e la gerarchia delle categorie, nonché " "di assegnare attributi come immagini, tag o priorità." @@ -1794,14 +1800,13 @@ msgid "" "Represents a Brand object in the system. This class handles information and " "attributes related to a brand, including its name, logos, description, " "associated categories, a unique slug, and priority order. It allows for the " -"organization and representation of brand-related data within the " -"application." +"organization and representation of brand-related data within the application." msgstr "" "Rappresenta un oggetto Marchio nel sistema. Questa classe gestisce le " "informazioni e gli attributi relativi a un marchio, tra cui il nome, il " "logo, la descrizione, le categorie associate, uno slug unico e l'ordine di " -"priorità. Permette di organizzare e rappresentare i dati relativi al marchio" -" all'interno dell'applicazione." +"priorità. Permette di organizzare e rappresentare i dati relativi al marchio " +"all'interno dell'applicazione." #: engine/core/models.py:456 msgid "name of this brand" @@ -1845,8 +1850,8 @@ msgstr "Categorie" #: engine/core/models.py:516 msgid "" -"Represents the stock of a product managed in the system. This class provides" -" details about the relationship between vendors, products, and their stock " +"Represents the stock of a product managed in the system. This class provides " +"details about the relationship between vendors, products, and their stock " "information, as well as inventory-related properties like price, purchase " "price, quantity, SKU, and digital assets. It is part of the inventory " "management system to allow tracking and evaluation of products available " @@ -1854,10 +1859,10 @@ msgid "" msgstr "" "Rappresenta lo stock di un prodotto gestito nel sistema. Questa classe " "fornisce dettagli sulla relazione tra fornitori, prodotti e informazioni " -"sulle scorte, oltre a proprietà legate all'inventario come prezzo, prezzo di" -" acquisto, quantità, SKU e asset digitali. Fa parte del sistema di gestione " -"dell'inventario per consentire il monitoraggio e la valutazione dei prodotti" -" disponibili presso i vari fornitori." +"sulle scorte, oltre a proprietà legate all'inventario come prezzo, prezzo di " +"acquisto, quantità, SKU e asset digitali. Fa parte del sistema di gestione " +"dell'inventario per consentire il monitoraggio e la valutazione dei prodotti " +"disponibili presso i vari fornitori." #: engine/core/models.py:528 msgid "the vendor supplying this product stock" @@ -1942,8 +1947,8 @@ msgstr "" "sistema che gestisce il commercio elettronico o l'inventario. Questa classe " "interagisce con i modelli correlati (come Category, Brand e ProductTag) e " "gestisce la cache per le proprietà a cui si accede di frequente, per " -"migliorare le prestazioni. Viene utilizzata per definire e manipolare i dati" -" dei prodotti e le informazioni ad essi associate all'interno di " +"migliorare le prestazioni. Viene utilizzata per definire e manipolare i dati " +"dei prodotti e le informazioni ad essi associate all'interno di " "un'applicazione." #: engine/core/models.py:595 @@ -2008,16 +2013,16 @@ msgid "" "Represents an attribute in the system. This class is used to define and " "manage attributes, which are customizable pieces of data that can be " "associated with other entities. Attributes have associated categories, " -"groups, value types, and names. The model supports multiple types of values," -" including string, integer, float, boolean, array, and object. This allows " +"groups, value types, and names. The model supports multiple types of values, " +"including string, integer, float, boolean, array, and object. This allows " "for dynamic and flexible data structuring." msgstr "" "Rappresenta un attributo nel sistema. Questa classe viene utilizzata per " -"definire e gestire gli attributi, che sono dati personalizzabili che possono" -" essere associati ad altre entità. Gli attributi hanno categorie, gruppi, " -"tipi di valori e nomi associati. Il modello supporta diversi tipi di valori," -" tra cui stringa, intero, float, booleano, array e oggetto. Ciò consente una" -" strutturazione dinamica e flessibile dei dati." +"definire e gestire gli attributi, che sono dati personalizzabili che possono " +"essere associati ad altre entità. Gli attributi hanno categorie, gruppi, " +"tipi di valori e nomi associati. Il modello supporta diversi tipi di valori, " +"tra cui stringa, intero, float, booleano, array e oggetto. Ciò consente una " +"strutturazione dinamica e flessibile dei dati." #: engine/core/models.py:755 msgid "group of this attribute" @@ -2080,9 +2085,9 @@ msgstr "Attributo" #: engine/core/models.py:801 msgid "" -"Represents a specific value for an attribute that is linked to a product. It" -" links the 'attribute' to a unique 'value', allowing better organization and" -" dynamic representation of product characteristics." +"Represents a specific value for an attribute that is linked to a product. It " +"links the 'attribute' to a unique 'value', allowing better organization and " +"dynamic representation of product characteristics." msgstr "" "Rappresenta un valore specifico per un attributo collegato a un prodotto. " "Collega l'\"attributo\" a un \"valore\" unico, consentendo una migliore " @@ -2104,14 +2109,14 @@ msgstr "Il valore specifico per questo attributo" #: engine/core/models.py:839 msgid "" "Represents a product image associated with a product in the system. This " -"class is designed to manage images for products, including functionality for" -" uploading image files, associating them with specific products, and " +"class is designed to manage images for products, including functionality for " +"uploading image files, associating them with specific products, and " "determining their display order. It also includes an accessibility feature " "with alternative text for the images." msgstr "" "Rappresenta l'immagine di un prodotto associata a un prodotto del sistema. " -"Questa classe è progettata per gestire le immagini dei prodotti, comprese le" -" funzionalità di caricamento dei file immagine, di associazione a prodotti " +"Questa classe è progettata per gestire le immagini dei prodotti, comprese le " +"funzionalità di caricamento dei file immagine, di associazione a prodotti " "specifici e di determinazione dell'ordine di visualizzazione. Include anche " "una funzione di accessibilità con testo alternativo per le immagini." @@ -2154,11 +2159,11 @@ msgid "" "is used to define and manage promotional campaigns that offer a percentage-" "based discount for products. The class includes attributes for setting the " "discount rate, providing details about the promotion, and linking it to the " -"applicable products. It integrates with the product catalog to determine the" -" affected items in the campaign." +"applicable products. It integrates with the product catalog to determine the " +"affected items in the campaign." msgstr "" -"Rappresenta una campagna promozionale per prodotti con sconto. Questa classe" -" viene utilizzata per definire e gestire campagne promozionali che offrono " +"Rappresenta una campagna promozionale per prodotti con sconto. Questa classe " +"viene utilizzata per definire e gestire campagne promozionali che offrono " "uno sconto in percentuale sui prodotti. La classe include attributi per " "impostare la percentuale di sconto, fornire dettagli sulla promozione e " "collegarla ai prodotti applicabili. Si integra con il catalogo dei prodotti " @@ -2231,13 +2236,13 @@ msgid "" "store information about documentaries related to specific products, " "including file uploads and their metadata. It contains methods and " "properties to handle the file type and storage path for the documentary " -"files. It extends functionality from specific mixins and provides additional" -" custom features." +"files. It extends functionality from specific mixins and provides additional " +"custom features." msgstr "" -"Rappresenta un record documentario legato a un prodotto. Questa classe viene" -" utilizzata per memorizzare informazioni sui documentari relativi a prodotti" -" specifici, compresi i file caricati e i relativi metadati. Contiene metodi " -"e proprietà per gestire il tipo di file e il percorso di archiviazione dei " +"Rappresenta un record documentario legato a un prodotto. Questa classe viene " +"utilizzata per memorizzare informazioni sui documentari relativi a prodotti " +"specifici, compresi i file caricati e i relativi metadati. Contiene metodi e " +"proprietà per gestire il tipo di file e il percorso di archiviazione dei " "file documentari. Estende le funzionalità di mixin specifici e fornisce " "ulteriori caratteristiche personalizzate." @@ -2255,14 +2260,14 @@ msgstr "Non risolto" #: engine/core/models.py:1040 msgid "" -"Represents an address entity that includes location details and associations" -" with a user. Provides functionality for geographic and address data " -"storage, as well as integration with geocoding services. This class is " -"designed to store detailed address information including components like " -"street, city, region, country, and geolocation (longitude and latitude). It " -"supports integration with geocoding APIs, enabling the storage of raw API " -"responses for further processing or inspection. The class also allows " -"associating an address with a user, facilitating personalized data handling." +"Represents an address entity that includes location details and associations " +"with a user. Provides functionality for geographic and address data storage, " +"as well as integration with geocoding services. This class is designed to " +"store detailed address information including components like street, city, " +"region, country, and geolocation (longitude and latitude). It supports " +"integration with geocoding APIs, enabling the storage of raw API responses " +"for further processing or inspection. The class also allows associating an " +"address with a user, facilitating personalized data handling." msgstr "" "Rappresenta un'entità indirizzo che include dettagli sulla posizione e " "associazioni con un utente. Fornisce funzionalità per la memorizzazione di " @@ -2336,8 +2341,8 @@ msgid "" "any), and status of its usage. It includes functionality to validate and " "apply the promo code to an order while ensuring constraints are met." msgstr "" -"Rappresenta un codice promozionale che può essere utilizzato per gli sconti," -" gestendone la validità, il tipo di sconto e l'applicazione. La classe " +"Rappresenta un codice promozionale che può essere utilizzato per gli sconti, " +"gestendone la validità, il tipo di sconto e l'applicazione. La classe " "PromoCode memorizza i dettagli di un codice promozionale, tra cui il suo " "identificatore univoco, le proprietà dello sconto (importo o percentuale), " "il periodo di validità, l'utente associato (se presente) e lo stato di " @@ -2354,8 +2359,7 @@ msgstr "Identificatore del codice promozionale" #: engine/core/models.py:1127 msgid "fixed discount amount applied if percent is not used" -msgstr "" -"Importo fisso dello sconto applicato se non si utilizza la percentuale" +msgstr "Importo fisso dello sconto applicato se non si utilizza la percentuale" #: engine/core/models.py:1128 msgid "fixed discount amount" @@ -2416,8 +2420,8 @@ msgid "" "only one type of discount should be defined (amount or percent), but not " "both or neither." msgstr "" -"È necessario definire un solo tipo di sconto (importo o percentuale), ma non" -" entrambi o nessuno." +"È necessario definire un solo tipo di sconto (importo o percentuale), ma non " +"entrambi o nessuno." #: engine/core/models.py:1205 msgid "promocode already used" @@ -2432,19 +2436,18 @@ msgstr "Tipo di sconto non valido per il codice promozionale {self.uuid}!" msgid "" "Represents an order placed by a user. This class models an order within the " "application, including its various attributes such as billing and shipping " -"information, status, associated user, notifications, and related operations." -" Orders can have associated products, promotions can be applied, addresses " +"information, status, associated user, notifications, and related operations. " +"Orders can have associated products, promotions can be applied, addresses " "set, and shipping or billing details updated. Equally, functionality " "supports managing the products in the order lifecycle." msgstr "" "Rappresenta un ordine effettuato da un utente. Questa classe modella un " -"ordine all'interno dell'applicazione, includendo i suoi vari attributi, come" -" le informazioni di fatturazione e spedizione, lo stato, l'utente associato," -" le notifiche e le operazioni correlate. Gli ordini possono avere prodotti " +"ordine all'interno dell'applicazione, includendo i suoi vari attributi, come " +"le informazioni di fatturazione e spedizione, lo stato, l'utente associato, " +"le notifiche e le operazioni correlate. Gli ordini possono avere prodotti " "associati, possono essere applicate promozioni, impostati indirizzi e " "aggiornati i dettagli di spedizione o fatturazione. Allo stesso modo, la " -"funzionalità supporta la gestione dei prodotti nel ciclo di vita " -"dell'ordine." +"funzionalità supporta la gestione dei prodotti nel ciclo di vita dell'ordine." #: engine/core/models.py:1253 msgid "the billing address used for this order" @@ -2608,8 +2611,8 @@ msgstr "" "per catturare e memorizzare i commenti degli utenti su prodotti specifici " "che hanno acquistato. Contiene attributi per memorizzare i commenti degli " "utenti, un riferimento al prodotto correlato nell'ordine e una valutazione " -"assegnata dall'utente. La classe utilizza campi del database per modellare e" -" gestire efficacemente i dati di feedback." +"assegnata dall'utente. La classe utilizza campi del database per modellare e " +"gestire efficacemente i dati di feedback." #: engine/core/models.py:1818 msgid "user-provided comments about their experience with the product" @@ -2620,8 +2623,7 @@ msgid "feedback comments" msgstr "Commenti di feedback" #: engine/core/models.py:1827 -msgid "" -"references the specific product in an order that this feedback is about" +msgid "references the specific product in an order that this feedback is about" msgstr "" "Riferisce il prodotto specifico in un ordine di cui si tratta il feedback." @@ -2767,9 +2769,9 @@ msgid "" "Represents the downloading functionality for digital assets associated with " "orders. The DigitalAssetDownload class provides the ability to manage and " "access downloads related to order products. It maintains information about " -"the associated order product, the number of downloads, and whether the asset" -" is publicly visible. It includes a method to generate a URL for downloading" -" the asset when the associated order is in a completed status." +"the associated order product, the number of downloads, and whether the asset " +"is publicly visible. It includes a method to generate a URL for downloading " +"the asset when the associated order is in a completed status." msgstr "" "Rappresenta la funzionalità di download degli asset digitali associati agli " "ordini. La classe DigitalAssetDownload offre la possibilità di gestire e " @@ -2791,8 +2793,8 @@ msgstr "Scaricamento" msgid "" "you must provide a comment, rating, and order product uuid to add feedback." msgstr "" -"per aggiungere un feedback è necessario fornire un commento, una valutazione" -" e l'uuid del prodotto dell'ordine." +"per aggiungere un feedback è necessario fornire un commento, una valutazione " +"e l'uuid del prodotto dell'ordine." #: engine/core/sitemaps.py:25 msgid "Home" @@ -2984,7 +2986,8 @@ msgstr "Hello %(order.user.first_name)s," #, python-format msgid "" "thank you for your order #%(order.pk)s! we are pleased to inform you that\n" -" we have taken your order into work. below are the details of your\n" +" we have taken your order into work. below are " +"the details of your\n" " order:" msgstr "" "Grazie per il vostro ordine #%(order.pk)s! Siamo lieti di informarla che " @@ -3013,8 +3016,8 @@ msgid "" "if you have any questions, feel free to contact our support at\n" " %(config.EMAIL_HOST_USER)s." msgstr "" -"Per qualsiasi domanda, non esitate a contattare il nostro supporto al numero" -" %(config.EMAIL_HOST_USER)s." +"Per qualsiasi domanda, non esitate a contattare il nostro supporto al numero " +"%(config.EMAIL_HOST_USER)s." #: engine/core/templates/digital_order_created_email.html:133 #, python-format @@ -3066,8 +3069,8 @@ msgid "" "if you have any questions, feel free to contact our support at\n" " %(contact_email)s." msgstr "" -"Per qualsiasi domanda, non esitate a contattare il nostro supporto al numero" -" %(contact_email)s." +"Per qualsiasi domanda, non esitate a contattare il nostro supporto al numero " +"%(contact_email)s." #: engine/core/templates/digital_order_delivered_email.html:165 #: engine/core/templates/promocode_granted_email.html:108 @@ -3099,7 +3102,8 @@ msgstr "" #: engine/core/templates/shipped_order_created_email.html:101 #: engine/core/templates/shipped_order_delivered_email.html:101 msgid "" -"thank you for your order! we are pleased to confirm your purchase. below are\n" +"thank you for your order! we are pleased to confirm your purchase. below " +"are\n" " the details of your order:" msgstr "" "Grazie per il vostro ordine! Siamo lieti di confermare il suo acquisto. Di " @@ -3171,8 +3175,8 @@ msgstr "Il parametro NOMINATIM_URL deve essere configurato!" #, python-brace-format msgid "image dimensions should not exceed w{max_width} x h{max_height} pixels" msgstr "" -"Le dimensioni dell'immagine non devono superare w{max_width} x h{max_height}" -" pixel" +"Le dimensioni dell'immagine non devono superare w{max_width} x h{max_height} " +"pixel" #: engine/core/views.py:104 msgid "" @@ -3234,10 +3238,15 @@ msgstr "Gestisce la logica dell'acquisto come azienda senza registrazione." #: engine/core/views.py:337 msgid "" "Handles the downloading of a digital asset associated with an order.\n" -"This function attempts to serve the digital asset file located in the storage directory of the project. If the file is not found, an HTTP 404 error is raised to indicate the resource is unavailable." +"This function attempts to serve the digital asset file located in the " +"storage directory of the project. If the file is not found, an HTTP 404 " +"error is raised to indicate the resource is unavailable." msgstr "" "Gestisce il download di una risorsa digitale associata a un ordine.\n" -"Questa funzione tenta di servire il file della risorsa digitale che si trova nella directory di archiviazione del progetto. Se il file non viene trovato, viene generato un errore HTTP 404 per indicare che la risorsa non è disponibile." +"Questa funzione tenta di servire il file della risorsa digitale che si trova " +"nella directory di archiviazione del progetto. Se il file non viene trovato, " +"viene generato un errore HTTP 404 per indicare che la risorsa non è " +"disponibile." #: engine/core/views.py:348 msgid "order_product_uuid is required" @@ -3266,15 +3275,19 @@ msgstr "favicon non trovata" #: engine/core/views.py:418 msgid "" "Handles requests for the favicon of a website.\n" -"This function attempts to serve the favicon file located in the static directory of the project. If the favicon file is not found, an HTTP 404 error is raised to indicate the resource is unavailable." +"This function attempts to serve the favicon file located in the static " +"directory of the project. If the favicon file is not found, an HTTP 404 " +"error is raised to indicate the resource is unavailable." msgstr "" "Gestisce le richieste per la favicon di un sito web.\n" -"Questa funzione tenta di servire il file favicon situato nella cartella statica del progetto. Se il file favicon non viene trovato, viene generato un errore HTTP 404 per indicare che la risorsa non è disponibile." +"Questa funzione tenta di servire il file favicon situato nella cartella " +"statica del progetto. Se il file favicon non viene trovato, viene generato " +"un errore HTTP 404 per indicare che la risorsa non è disponibile." #: engine/core/views.py:432 msgid "" -"Redirects the request to the admin index page. The function handles incoming" -" HTTP requests and redirects them to the Django admin interface index page. " +"Redirects the request to the admin index page. The function handles incoming " +"HTTP requests and redirects them to the Django admin interface index page. " "It uses Django's `redirect` function for handling the HTTP redirection." msgstr "" "Reindirizza la richiesta alla pagina indice dell'amministrazione. La " @@ -3306,20 +3319,19 @@ msgstr "" "Definisce un insieme di viste per la gestione delle operazioni relative a " "Evibes. La classe EvibesViewSet eredita da ModelViewSet e fornisce " "funzionalità per la gestione di azioni e operazioni sulle entità Evibes. " -"Include il supporto per classi di serializzatori dinamici in base all'azione" -" corrente, permessi personalizzabili e formati di rendering." +"Include il supporto per classi di serializzatori dinamici in base all'azione " +"corrente, permessi personalizzabili e formati di rendering." #: engine/core/viewsets.py:160 msgid "" -"Represents a viewset for managing AttributeGroup objects. Handles operations" -" related to AttributeGroup, including filtering, serialization, and " -"retrieval of data. This class is part of the application's API layer and " -"provides a standardized way to process requests and responses for " -"AttributeGroup data." +"Represents a viewset for managing AttributeGroup objects. Handles operations " +"related to AttributeGroup, including filtering, serialization, and retrieval " +"of data. This class is part of the application's API layer and provides a " +"standardized way to process requests and responses for AttributeGroup data." msgstr "" "Rappresenta un insieme di viste per la gestione degli oggetti " -"AttributeGroup. Gestisce le operazioni relative agli AttributeGroup, tra cui" -" il filtraggio, la serializzazione e il recupero dei dati. Questa classe fa " +"AttributeGroup. Gestisce le operazioni relative agli AttributeGroup, tra cui " +"il filtraggio, la serializzazione e il recupero dei dati. Questa classe fa " "parte del livello API dell'applicazione e fornisce un modo standardizzato " "per elaborare le richieste e le risposte per i dati di AttributeGroup." @@ -3336,16 +3348,16 @@ msgstr "" "dell'applicazione. Fornisce un insieme di endpoint API per interagire con i " "dati Attribute. Questa classe gestisce l'interrogazione, il filtraggio e la " "serializzazione degli oggetti Attribute, consentendo un controllo dinamico " -"sui dati restituiti, come il filtraggio per campi specifici o il recupero di" -" informazioni dettagliate o semplificate, a seconda della richiesta." +"sui dati restituiti, come il filtraggio per campi specifici o il recupero di " +"informazioni dettagliate o semplificate, a seconda della richiesta." #: engine/core/viewsets.py:198 msgid "" "A viewset for managing AttributeValue objects. This viewset provides " "functionality for listing, retrieving, creating, updating, and deleting " "AttributeValue objects. It integrates with Django REST Framework's viewset " -"mechanisms and uses appropriate serializers for different actions. Filtering" -" capabilities are provided through the DjangoFilterBackend." +"mechanisms and uses appropriate serializers for different actions. Filtering " +"capabilities are provided through the DjangoFilterBackend." msgstr "" "Un insieme di viste per la gestione degli oggetti AttributeValue. Questo " "insieme di viste fornisce funzionalità per elencare, recuperare, creare, " @@ -3377,9 +3389,9 @@ msgid "" "endpoints for Brand objects." msgstr "" "Rappresenta un insieme di viste per la gestione delle istanze del marchio. " -"Questa classe fornisce funzionalità per interrogare, filtrare e serializzare" -" gli oggetti Brand. Utilizza il framework ViewSet di Django per semplificare" -" l'implementazione di endpoint API per gli oggetti Brand." +"Questa classe fornisce funzionalità per interrogare, filtrare e serializzare " +"gli oggetti Brand. Utilizza il framework ViewSet di Django per semplificare " +"l'implementazione di endpoint API per gli oggetti Brand." #: engine/core/viewsets.py:458 msgid "" @@ -3394,8 +3406,8 @@ msgstr "" "Gestisce le operazioni relative al modello `Product` nel sistema. Questa " "classe fornisce un insieme di viste per la gestione dei prodotti, compreso " "il loro filtraggio, la serializzazione e le operazioni su istanze " -"specifiche. Si estende da `EvibesViewSet` per utilizzare funzionalità comuni" -" e si integra con il framework Django REST per le operazioni API RESTful. " +"specifiche. Si estende da `EvibesViewSet` per utilizzare funzionalità comuni " +"e si integra con il framework Django REST per le operazioni API RESTful. " "Include metodi per recuperare i dettagli del prodotto, applicare i permessi " "e accedere ai feedback correlati di un prodotto." @@ -3407,9 +3419,9 @@ msgid "" "actions. The purpose of this class is to provide streamlined access to " "Vendor-related resources through the Django REST framework." msgstr "" -"Rappresenta un insieme di viste per la gestione degli oggetti Vendor. Questo" -" insieme di viste consente di recuperare, filtrare e serializzare i dati del" -" fornitore. Definisce il queryset, le configurazioni dei filtri e le classi " +"Rappresenta un insieme di viste per la gestione degli oggetti Vendor. Questo " +"insieme di viste consente di recuperare, filtrare e serializzare i dati del " +"fornitore. Definisce il queryset, le configurazioni dei filtri e le classi " "di serializzazione utilizzate per gestire le diverse azioni. Lo scopo di " "questa classe è fornire un accesso semplificato alle risorse relative a " "Vendor attraverso il framework REST di Django." @@ -3419,14 +3431,14 @@ msgid "" "Representation of a view set handling Feedback objects. This class manages " "operations related to Feedback objects, including listing, filtering, and " "retrieving details. The purpose of this view set is to provide different " -"serializers for different actions and implement permission-based handling of" -" accessible Feedback objects. It extends the base `EvibesViewSet` and makes " +"serializers for different actions and implement permission-based handling of " +"accessible Feedback objects. It extends the base `EvibesViewSet` and makes " "use of Django's filtering system for querying data." msgstr "" "Rappresentazione di un insieme di viste che gestisce gli oggetti Feedback. " -"Questa classe gestisce le operazioni relative agli oggetti Feedback, tra cui" -" l'elencazione, il filtraggio e il recupero dei dettagli. Lo scopo di questo" -" insieme di viste è fornire serializzatori diversi per azioni diverse e " +"Questa classe gestisce le operazioni relative agli oggetti Feedback, tra cui " +"l'elencazione, il filtraggio e il recupero dei dettagli. Lo scopo di questo " +"insieme di viste è fornire serializzatori diversi per azioni diverse e " "implementare una gestione basata sui permessi degli oggetti Feedback " "accessibili. Estende l'insieme di base `EvibesViewSet` e fa uso del sistema " "di filtraggio di Django per interrogare i dati." @@ -3436,9 +3448,9 @@ msgid "" "ViewSet for managing orders and related operations. This class provides " "functionality to retrieve, modify, and manage order objects. It includes " "various endpoints for handling order operations such as adding or removing " -"products, performing purchases for registered as well as unregistered users," -" and retrieving the current authenticated user's pending orders. The ViewSet" -" uses multiple serializers based on the specific action being performed and " +"products, performing purchases for registered as well as unregistered users, " +"and retrieving the current authenticated user's pending orders. The ViewSet " +"uses multiple serializers based on the specific action being performed and " "enforces permissions accordingly while interacting with order data." msgstr "" "ViewSet per la gestione degli ordini e delle operazioni correlate. Questa " @@ -3454,8 +3466,8 @@ msgstr "" msgid "" "Provides a viewset for managing OrderProduct entities. This viewset enables " "CRUD operations and custom actions specific to the OrderProduct model. It " -"includes filtering, permission checks, and serializer switching based on the" -" requested action. Additionally, it provides a detailed action for handling " +"includes filtering, permission checks, and serializer switching based on the " +"requested action. Additionally, it provides a detailed action for handling " "feedback on OrderProduct instances" msgstr "" "Fornisce un insieme di viste per la gestione delle entità OrderProduct. " @@ -3468,8 +3480,7 @@ msgstr "" #: engine/core/viewsets.py:974 msgid "Manages operations related to Product images in the application. " msgstr "" -"Gestisce le operazioni relative alle immagini dei prodotti " -"nell'applicazione." +"Gestisce le operazioni relative alle immagini dei prodotti nell'applicazione." #: engine/core/viewsets.py:988 msgid "" @@ -3491,8 +3502,8 @@ msgstr "Gestisce le operazioni relative ai dati delle scorte nel sistema." msgid "" "ViewSet for managing Wishlist operations. The WishlistViewSet provides " "endpoints for interacting with a user's wish list, allowing for the " -"retrieval, modification, and customization of products within the wish list." -" This ViewSet facilitates functionality such as adding, removing, and bulk " +"retrieval, modification, and customization of products within the wish list. " +"This ViewSet facilitates functionality such as adding, removing, and bulk " "actions for wishlist products. Permission checks are integrated to ensure " "that users can only manage their own wishlists unless explicit permissions " "are granted." @@ -3504,8 +3515,8 @@ msgstr "" "ViewSet facilita funzionalità quali l'aggiunta, la rimozione e le azioni di " "massa per i prodotti della lista dei desideri. I controlli delle " "autorizzazioni sono integrati per garantire che gli utenti possano gestire " -"solo la propria lista dei desideri, a meno che non vengano concessi permessi" -" espliciti." +"solo la propria lista dei desideri, a meno che non vengano concessi permessi " +"espliciti." #: engine/core/viewsets.py:1183 msgid "" @@ -3515,8 +3526,8 @@ msgid "" "different HTTP methods, serializer overrides, and permission handling based " "on the request context." msgstr "" -"Questa classe fornisce la funzionalità viewset per la gestione degli oggetti" -" `Address`. La classe AddressViewSet consente operazioni CRUD, filtri e " +"Questa classe fornisce la funzionalità viewset per la gestione degli oggetti " +"`Address`. La classe AddressViewSet consente operazioni CRUD, filtri e " "azioni personalizzate relative alle entità indirizzo. Include comportamenti " "specializzati per diversi metodi HTTP, override del serializzatore e " "gestione dei permessi in base al contesto della richiesta." diff --git a/engine/core/locale/ja_JP/LC_MESSAGES/django.mo b/engine/core/locale/ja_JP/LC_MESSAGES/django.mo index 8f942e1b2b57ebc2daa58a7ddb65959b4fa5f13d..bdb5af7a9385ea8d2772efbb3426e84220724eee 100644 GIT binary patch delta 18 acmaFb$@a99ZA14lW-~p*&3(th_W=M>c?g~W delta 18 acmaFb$@a99ZA14lW>Yg9xAi diff --git a/engine/core/locale/ja_JP/LC_MESSAGES/django.po b/engine/core/locale/ja_JP/LC_MESSAGES/django.po index 870cb981..fbec46f1 100644 --- a/engine/core/locale/ja_JP/LC_MESSAGES/django.po +++ b/engine/core/locale/ja_JP/LC_MESSAGES/django.po @@ -1,9 +1,9 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-12-21 00:38+0300\n" +"POT-Creation-Date: 2026-01-04 19:25+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" @@ -19,7 +19,8 @@ msgstr "ユニークID" #: engine/core/abstract.py:13 msgid "unique id is used to surely identify any database object" -msgstr "ユニークIDは、データベースオブジェクトを確実に識別するために使用されます。" +msgstr "" +"ユニークIDは、データベースオブジェクトを確実に識別するために使用されます。" #: engine/core/abstract.py:20 msgid "is active" @@ -27,9 +28,10 @@ msgstr "アクティブ" #: engine/core/abstract.py:22 msgid "" -"if set to false, this object can't be seen by users without needed " -"permission" -msgstr "falseに設定された場合、このオブジェクトは必要なパーミッションのないユーザーには見えない。" +"if set to false, this object can't be seen by users without needed permission" +msgstr "" +"falseに設定された場合、このオブジェクトは必要なパーミッションのないユーザーに" +"は見えない。" #: engine/core/abstract.py:26 engine/core/choices.py:18 msgid "created" @@ -89,8 +91,8 @@ msgstr "選択された%(verbose_name_plural)sを非アクティブにする" msgid "selected items have been deactivated." msgstr "選択されたアイテムは無効化されました!" -#: engine/core/admin.py:196 engine/core/graphene/object_types.py:652 -#: engine/core/graphene/object_types.py:659 engine/core/models.py:825 +#: engine/core/admin.py:196 engine/core/graphene/object_types.py:653 +#: engine/core/graphene/object_types.py:660 engine/core/models.py:825 #: engine/core/models.py:833 msgid "attribute value" msgstr "属性値" @@ -104,7 +106,7 @@ msgstr "属性値" msgid "image" msgstr "画像" -#: engine/core/admin.py:209 engine/core/graphene/object_types.py:529 +#: engine/core/admin.py:209 engine/core/graphene/object_types.py:530 msgid "images" msgstr "画像" @@ -112,7 +114,7 @@ msgstr "画像" msgid "stock" msgstr "在庫" -#: engine/core/admin.py:221 engine/core/graphene/object_types.py:712 +#: engine/core/admin.py:221 engine/core/graphene/object_types.py:713 msgid "stocks" msgstr "株式" @@ -120,7 +122,7 @@ msgstr "株式" msgid "order product" msgstr "商品のご注文" -#: engine/core/admin.py:233 engine/core/graphene/object_types.py:440 +#: engine/core/admin.py:233 engine/core/graphene/object_types.py:441 #: engine/core/models.py:1932 msgid "order products" msgstr "商品のご注文" @@ -153,8 +155,7 @@ msgstr "配信" msgid "canceled" msgstr "キャンセル" -#: engine/core/choices.py:8 engine/core/choices.py:16 -#: engine/core/choices.py:24 +#: engine/core/choices.py:8 engine/core/choices.py:16 engine/core/choices.py:24 msgid "failed" msgstr "失敗" @@ -192,8 +193,8 @@ msgid "" "negotiation. Language can be selected with Accept-Language and query " "parameter both." msgstr "" -"この API の OpenApi3 スキーマ。フォーマットはコンテントネゴシエーションで選択できる。言語は Accept-Language " -"とクエリパラメータで選択できる。" +"この API の OpenApi3 スキーマ。フォーマットはコンテントネゴシエーションで選択" +"できる。言語は Accept-Language とクエリパラメータで選択できる。" #: engine/core/docs/drf/views.py:46 engine/core/graphene/mutations.py:36 msgid "cache I/O" @@ -205,7 +206,8 @@ msgid "" "apply key, data and timeout with authentication to write data to cache." msgstr "" "許可されたデータをキャッシュから読み出すには、キーのみを適用する。\n" -"キャッシュにデータを書き込むには、認証付きのキー、データ、タイムアウトを適用する。" +"キャッシュにデータを書き込むには、認証付きのキー、データ、タイムアウトを適用" +"する。" #: engine/core/docs/drf/views.py:66 msgid "get a list of supported languages" @@ -239,7 +241,9 @@ msgstr "ビジネスとして注文を購入する" msgid "" "purchase an order as a business, using the provided `products` with " "`product_uuid` and `attributes`." -msgstr "提供された `product` と `product_uuid` と `attributes` を使用して、ビジネスとして注文を購入する。" +msgstr "" +"提供された `product` と `product_uuid` と `attributes` を使用して、ビジネスと" +"して注文を購入する。" #: engine/core/docs/drf/views.py:180 msgid "download a digital asset from purchased digital order" @@ -266,9 +270,10 @@ msgid "rewrite an existing attribute group saving non-editables" msgstr "既存の属性グループを書き換えて、編集不可能なものを保存する。" #: engine/core/docs/drf/viewsets.py:107 -msgid "" -"rewrite some fields of an existing attribute group saving non-editables" -msgstr "既存の属性グループのいくつかのフィールドを書き換え、編集不可能なものを保存する。" +msgid "rewrite some fields of an existing attribute group saving non-editables" +msgstr "" +"既存の属性グループのいくつかのフィールドを書き換え、編集不可能なものを保存す" +"る。" #: engine/core/docs/drf/viewsets.py:118 msgid "list all attributes (simple view)" @@ -292,7 +297,8 @@ msgstr "既存の属性を書き換える。" #: engine/core/docs/drf/viewsets.py:156 msgid "rewrite some fields of an existing attribute saving non-editables" -msgstr "既存の属性のいくつかのフィールドを書き換え、編集不可能なものを保存する。" +msgstr "" +"既存の属性のいくつかのフィールドを書き換え、編集不可能なものを保存する。" #: engine/core/docs/drf/viewsets.py:166 msgid "list all attribute values (simple view)" @@ -315,9 +321,9 @@ msgid "rewrite an existing attribute value saving non-editables" msgstr "既存の属性値を書き換える。" #: engine/core/docs/drf/viewsets.py:208 -msgid "" -"rewrite some fields of an existing attribute value saving non-editables" -msgstr "既存の属性値のいくつかのフィールドを書き換え、編集不可能な値を保存する。" +msgid "rewrite some fields of an existing attribute value saving non-editables" +msgstr "" +"既存の属性値のいくつかのフィールドを書き換え、編集不可能な値を保存する。" #: engine/core/docs/drf/viewsets.py:219 engine/core/docs/drf/viewsets.py:220 msgid "list all categories (simple view)" @@ -350,8 +356,8 @@ msgstr "編集不可を保存している既存のカテゴリのいくつかの #: engine/core/docs/drf/viewsets.py:280 engine/core/docs/drf/viewsets.py:757 #: engine/core/docs/drf/viewsets.py:1046 #: engine/core/graphene/object_types.py:119 -#: engine/core/graphene/object_types.py:238 -#: engine/core/graphene/object_types.py:539 +#: engine/core/graphene/object_types.py:239 +#: engine/core/graphene/object_types.py:540 msgid "SEO Meta snapshot" msgstr "SEOメタ・スナップショット" @@ -369,10 +375,11 @@ msgstr "スタッフ以外のユーザーについては、自分の注文のみ #: engine/core/docs/drf/viewsets.py:309 msgid "" -"Case-insensitive substring search across human_readable_id, " -"order_products.product.name, and order_products.product.partnumber" +"Case-insensitive substring search across human_readable_id, order_products." +"product.name, and order_products.product.partnumber" msgstr "" -"human_readable_id、order_products.product.name、order_products.product.partnumberの大文字小文字を区別しない部分文字列検索" +"human_readable_id、order_products.product.name、order_products.product." +"partnumberの大文字小文字を区別しない部分文字列検索" #: engine/core/docs/drf/viewsets.py:316 msgid "Filter orders with buy_time >= this ISO 8601 datetime" @@ -392,7 +399,8 @@ msgstr "人間が読み取れる正確な注文IDによるフィルタリング" #: engine/core/docs/drf/viewsets.py:336 msgid "Filter by user's email (case-insensitive exact match)" -msgstr "ユーザーのEメールによるフィルタリング(大文字・小文字を区別しない完全一致)" +msgstr "" +"ユーザーのEメールによるフィルタリング(大文字・小文字を区別しない完全一致)" #: engine/core/docs/drf/viewsets.py:341 msgid "Filter by user's UUID" @@ -400,15 +408,19 @@ msgstr "ユーザーのUUIDによるフィルタリング" #: engine/core/docs/drf/viewsets.py:347 msgid "Filter by order status (case-insensitive substring match)" -msgstr "注文ステータスによるフィルタリング(大文字と小文字を区別しない部分文字列マッチ)" +msgstr "" +"注文ステータスによるフィルタリング(大文字と小文字を区別しない部分文字列マッ" +"チ)" #: engine/core/docs/drf/viewsets.py:354 msgid "" -"Order by one of: uuid, human_readable_id, user_email, user, status, created," -" modified, buy_time, random. Prefix with '-' for descending (e.g. " -"'-buy_time')." +"Order by one of: uuid, human_readable_id, user_email, user, status, created, " +"modified, buy_time, random. Prefix with '-' for descending (e.g. '-" +"buy_time')." msgstr "" -"uuid、human_readable_id、user_email、user、status、created、modified、buy_time、randomのいずれかによる順序。降順の場合は'-'をプレフィックスとしてつける(例:'-buy_time')。" +"uuid、human_readable_id、user_email、user、status、created、modified、" +"buy_time、randomのいずれかによる順序。降順の場合は'-'をプレフィックスとしてつ" +"ける(例:'-buy_time')。" #: engine/core/docs/drf/viewsets.py:366 msgid "retrieve a single order (detailed view)" @@ -448,8 +460,9 @@ msgid "" "completed using the user's balance; if `force_payment` is used, a " "transaction is initiated." msgstr "" -"注文の購入を確定する。force_balance` が使用された場合、ユーザーの残高を使用して購入が完了します。 `force_payment` " -"が使用された場合、トランザクションが開始されます。" +"注文の購入を確定する。force_balance` が使用された場合、ユーザーの残高を使用し" +"て購入が完了します。 `force_payment` が使用された場合、トランザクションが開始" +"されます。" #: engine/core/docs/drf/viewsets.py:427 msgid "retrieve current pending order of a user" @@ -475,7 +488,8 @@ msgstr "注文に商品を追加する" msgid "" "adds a product to an order using the provided `product_uuid` and " "`attributes`." -msgstr "指定した `product_uuid` と `attributes` を使用して、商品を注文に追加する。" +msgstr "" +"指定した `product_uuid` と `attributes` を使用して、商品を注文に追加する。" #: engine/core/docs/drf/viewsets.py:461 msgid "add a list of products to order, quantities will not count" @@ -485,7 +499,9 @@ msgstr "数量はカウントされません。" msgid "" "adds a list of products to an order using the provided `product_uuid` and " "`attributes`." -msgstr "指定された `product_uuid` と `attributes` を使用して、注文に商品のリストを追加する。" +msgstr "" +"指定された `product_uuid` と `attributes` を使用して、注文に商品のリストを追" +"加する。" #: engine/core/docs/drf/viewsets.py:472 msgid "remove product from order" @@ -495,7 +511,9 @@ msgstr "注文から商品を削除する" msgid "" "removes a product from an order using the provided `product_uuid` and " "`attributes`." -msgstr "指定された `product_uuid` と `attributes` を使用して、注文から商品を削除する。" +msgstr "" +"指定された `product_uuid` と `attributes` を使用して、注文から商品を削除す" +"る。" #: engine/core/docs/drf/viewsets.py:483 msgid "remove product from order, quantities will not count" @@ -505,7 +523,9 @@ msgstr "注文から商品を削除すると、数量はカウントされませ msgid "" "removes a list of products from an order using the provided `product_uuid` " "and `attributes`" -msgstr "指定された `product_uuid` と `attributes` を用いて、注文から商品のリストを削除する。" +msgstr "" +"指定された `product_uuid` と `attributes` を用いて、注文から商品のリストを削" +"除する。" #: engine/core/docs/drf/viewsets.py:497 msgid "list all wishlists (simple view)" @@ -537,7 +557,8 @@ msgstr "既存の属性を書き換える。" #: engine/core/docs/drf/viewsets.py:537 msgid "rewrite some fields of an existing wishlist saving non-editables" -msgstr "既存の属性のいくつかのフィールドを書き換え、編集不可能なものを保存する。" +msgstr "" +"既存の属性のいくつかのフィールドを書き換え、編集不可能なものを保存する。" #: engine/core/docs/drf/viewsets.py:544 msgid "retrieve current pending wishlist of a user" @@ -561,7 +582,8 @@ msgstr "ウィッシュリストから商品を削除する" #: engine/core/docs/drf/viewsets.py:568 msgid "removes a product from an wishlist using the provided `product_uuid`" -msgstr "指定された `product_uuid` を使ってウィッシュリストから商品を削除します。" +msgstr "" +"指定された `product_uuid` を使ってウィッシュリストから商品を削除します。" #: engine/core/docs/drf/viewsets.py:577 msgid "add many products to wishlist" @@ -569,7 +591,8 @@ msgstr "ウィッシュリストに多くの商品を追加する" #: engine/core/docs/drf/viewsets.py:579 msgid "adds many products to an wishlist using the provided `product_uuids`" -msgstr "指定された `product_uuids` を使ってウィッシュリストに多くの商品を追加する。" +msgstr "" +"指定された `product_uuids` を使ってウィッシュリストに多くの商品を追加する。" #: engine/core/docs/drf/viewsets.py:588 msgid "remove many products from wishlist" @@ -578,24 +601,34 @@ msgstr "注文から商品を削除する" #: engine/core/docs/drf/viewsets.py:590 msgid "" "removes many products from an wishlist using the provided `product_uuids`" -msgstr "指定された `product_uuids` を使ってウィッシュリストから多くの商品を削除する。" +msgstr "" +"指定された `product_uuids` を使ってウィッシュリストから多くの商品を削除する。" #: engine/core/docs/drf/viewsets.py:598 msgid "" "Filter by one or more attribute name/value pairs. \n" "• **Syntax**: `attr_name=method-value[;attr2=method2-value2]…` \n" -"• **Methods** (defaults to `icontains` if omitted): `iexact`, `exact`, `icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, `iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in` \n" -"• **Value typing**: JSON is attempted first (so you can pass lists/dicts), `true`/`false` for booleans, integers, floats; otherwise treated as string. \n" +"• **Methods** (defaults to `icontains` if omitted): `iexact`, `exact`, " +"`icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, " +"`iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in` \n" +"• **Value typing**: JSON is attempted first (so you can pass lists/dicts), " +"`true`/`false` for booleans, integers, floats; otherwise treated as " +"string. \n" "• **Base64**: prefix with `b64-` to URL-safe base64-encode the raw value. \n" "Examples: \n" -"`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\",\"bluetooth\"]`, \n" +"`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\"," +"\"bluetooth\"]`, \n" "`b64-description=icontains-aGVhdC1jb2xk`" msgstr "" "1つまたは複数の属性名/値のペアでフィルタリングします。 \n" "- シンタックス**:attr_name=method-value[;attr2=method2-value2]...`。\n" -"- メソッド** (省略された場合のデフォルトは `icontains`):`iexact`, `exact`, `icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, `iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in`.\n" -"- 値の型付け**:boolean, integer, float の場合は `true`/`false`; それ以外の場合は文字列として扱う。 \n" -"- それ以外は文字列として扱われる。 **Base64**: `b64-` をプレフィックスとしてつけると、生の値を URL-safe base64-encode することができる。 \n" +"- メソッド** (省略された場合のデフォルトは `icontains`):`iexact`, `exact`, " +"`icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, " +"`iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in`.\n" +"- 値の型付け**:boolean, integer, float の場合は `true`/`false`; それ以外の場" +"合は文字列として扱う。 \n" +"- それ以外は文字列として扱われる。 **Base64**: `b64-` をプレフィックスとして" +"つけると、生の値を URL-safe base64-encode することができる。 \n" "例 \n" "color=exact-red`、`size=gt-10`、`features=in-[\"wifi\", \"bluetooth\"]`、\n" "b64-description=icontains-aGVhdC1jb2xk`。" @@ -610,10 +643,12 @@ msgstr "(正確には)製品UUID" #: engine/core/docs/drf/viewsets.py:630 msgid "" -"Comma-separated list of fields to sort by. Prefix with `-` for descending. \n" +"Comma-separated list of fields to sort by. Prefix with `-` for " +"descending. \n" "**Allowed:** uuid, rating, name, slug, created, modified, price, random" msgstr "" -"カンマ区切りの並べ替えフィールドのリスト。降順の場合は `-` をプレフィックスとしてつける。 \n" +"カンマ区切りの並べ替えフィールドのリスト。降順の場合は `-` をプレフィックスと" +"してつける。 \n" "**許可:** uuid, rating, name, slug, created, modified, price, random" #: engine/core/docs/drf/viewsets.py:647 engine/core/docs/drf/viewsets.py:648 @@ -637,7 +672,9 @@ msgstr "編集不可能なフィールドを保持したまま、既存の製品 #: engine/core/docs/drf/viewsets.py:697 engine/core/docs/drf/viewsets.py:700 msgid "" "update some fields of an existing product, preserving non-editable fields" -msgstr "編集不可能なフィールドを保持したまま、既存の製品の一部のフィールドを更新する。" +msgstr "" +"編集不可能なフィールドを保持したまま、既存の製品の一部のフィールドを更新す" +"る。" #: engine/core/docs/drf/viewsets.py:719 engine/core/docs/drf/viewsets.py:720 msgid "delete a product" @@ -682,8 +719,8 @@ msgstr "オートコンプリート住所入力" #: engine/core/docs/drf/viewsets.py:848 msgid "raw data query string, please append with data from geo-IP endpoint" msgstr "" -"docker compose exec app poetry run python manage.py deepl_translate -l en-gb" -" -l ar-ar -l cs-cz -l da-dk -l de-de -l en-us -l es-es -l fr-fr -l hi-in -l " +"docker compose exec app poetry run python manage.py deepl_translate -l en-gb " +"-l ar-ar -l cs-cz -l da-dk -l de-de -l en-us -l es-es -l fr-fr -l hi-in -l " "it-it -l ja-jp -l kk-kz -l n-nl -l pl-pl -l pt-br -l ro-ro -l ru-ru -l zh-" "hans -a core -a geo -a payments -a vibes_auth -a blog" @@ -713,7 +750,9 @@ msgstr "既存のフィードバックを書き換える。" #: engine/core/docs/drf/viewsets.py:909 msgid "rewrite some fields of an existing feedback saving non-editables" -msgstr "既存のフィードバックのいくつかのフィールドを書き換えて、編集不可能なものを保存する。" +msgstr "" +"既存のフィードバックのいくつかのフィールドを書き換えて、編集不可能なものを保" +"存する。" #: engine/core/docs/drf/viewsets.py:919 msgid "list all order–product relations (simple view)" @@ -769,7 +808,8 @@ msgstr "編集不可の既存ブランドをリライトする" #: engine/core/docs/drf/viewsets.py:1039 msgid "rewrite some fields of an existing brand saving non-editables" -msgstr "編集不可能なフィールドを保存している既存ブランドのフィールドを書き換える。" +msgstr "" +"編集不可能なフィールドを保存している既存ブランドのフィールドを書き換える。" #: engine/core/docs/drf/viewsets.py:1064 msgid "list all vendors (simple view)" @@ -793,7 +833,9 @@ msgstr "既存のベンダーを書き換え、編集不可能な部分を保存 #: engine/core/docs/drf/viewsets.py:1102 msgid "rewrite some fields of an existing vendor saving non-editables" -msgstr "既存のベンダーのいくつかのフィールドを書き換えて、編集不可能なフィールドを保存する。" +msgstr "" +"既存のベンダーのいくつかのフィールドを書き換えて、編集不可能なフィールドを保" +"存する。" #: engine/core/docs/drf/viewsets.py:1112 msgid "list all product images (simple view)" @@ -817,7 +859,9 @@ msgstr "既存の商品画像を書き換え、編集不可能な部分を保存 #: engine/core/docs/drf/viewsets.py:1154 msgid "rewrite some fields of an existing product image saving non-editables" -msgstr "既存の商品画像のいくつかのフィールドを書き換えて、編集不可能な部分を保存する。" +msgstr "" +"既存の商品画像のいくつかのフィールドを書き換えて、編集不可能な部分を保存す" +"る。" #: engine/core/docs/drf/viewsets.py:1165 msgid "list all promo codes (simple view)" @@ -841,7 +885,9 @@ msgstr "既存のプロモコードを書き換え、編集不可のプロモコ #: engine/core/docs/drf/viewsets.py:1203 msgid "rewrite some fields of an existing promo code saving non-editables" -msgstr "既存のプロモコードの一部のフィールドを書き換えて、編集不可能な部分を保存する。" +msgstr "" +"既存のプロモコードの一部のフィールドを書き換えて、編集不可能な部分を保存す" +"る。" #: engine/core/docs/drf/viewsets.py:1213 msgid "list all promotions (simple view)" @@ -865,7 +911,9 @@ msgstr "既存のプロモーションを書き換える。" #: engine/core/docs/drf/viewsets.py:1251 msgid "rewrite some fields of an existing promotion saving non-editables" -msgstr "既存のプロモーションのいくつかのフィールドを書き換え、編集不可能な部分を保存する。" +msgstr "" +"既存のプロモーションのいくつかのフィールドを書き換え、編集不可能な部分を保存" +"する。" #: engine/core/docs/drf/viewsets.py:1261 msgid "list all stocks (simple view)" @@ -889,7 +937,9 @@ msgstr "既存のストックレコードを書き換え、編集不可能なも #: engine/core/docs/drf/viewsets.py:1297 msgid "rewrite some fields of an existing stock record saving non-editables" -msgstr "編集不可能なフィールドを保存している既存のストックレコードの一部のフィールドを書き換える。" +msgstr "" +"編集不可能なフィールドを保存している既存のストックレコードの一部のフィールド" +"を書き換える。" #: engine/core/docs/drf/viewsets.py:1308 msgid "list all product tags (simple view)" @@ -913,7 +963,8 @@ msgstr "既存の商品タグを書き換え、編集不可能なものを保存 #: engine/core/docs/drf/viewsets.py:1350 msgid "rewrite some fields of an existing product tag saving non-editables" -msgstr "既存の商品タグの一部のフィールドを書き換えて、編集不可能な部分を保存する。" +msgstr "" +"既存の商品タグの一部のフィールドを書き換えて、編集不可能な部分を保存する。" #: engine/core/elasticsearch/__init__.py:128 #: engine/core/elasticsearch/__init__.py:629 @@ -995,7 +1046,8 @@ msgstr "SKU" #: engine/core/filters.py:212 msgid "there must be a category_uuid to use include_subcategories flag" -msgstr "include_subcategoriesフラグを使うには、category_uuidがなければならない。" +msgstr "" +"include_subcategoriesフラグを使うには、category_uuidがなければならない。" #: engine/core/filters.py:398 msgid "Search (ID, product name or part number)" @@ -1147,9 +1199,10 @@ msgstr "注文する" #: engine/core/graphene/mutations.py:542 msgid "" -"please send the attributes as the string formatted like " -"attr1=value1,attr2=value2" -msgstr "属性は、attr1=value1,attr2=value2のような形式の文字列として送信してください。" +"please send the attributes as the string formatted like attr1=value1," +"attr2=value2" +msgstr "" +"属性は、attr1=value1,attr2=value2のような形式の文字列として送信してください。" #: engine/core/graphene/mutations.py:580 msgid "add or delete a feedback for orderproduct" @@ -1185,8 +1238,8 @@ msgid "elasticsearch - works like a charm" msgstr "ElasticSearch - 魅力のように動作" #: engine/core/graphene/object_types.py:84 -#: engine/core/graphene/object_types.py:419 -#: engine/core/graphene/object_types.py:470 engine/core/models.py:796 +#: engine/core/graphene/object_types.py:420 +#: engine/core/graphene/object_types.py:471 engine/core/models.py:796 #: engine/core/models.py:1290 engine/core/models.py:2022 msgid "attributes" msgstr "属性" @@ -1200,8 +1253,8 @@ msgid "groups of attributes" msgstr "属性のグループ" #: engine/core/graphene/object_types.py:118 -#: engine/core/graphene/object_types.py:216 -#: engine/core/graphene/object_types.py:254 engine/core/models.py:440 +#: engine/core/graphene/object_types.py:217 +#: engine/core/graphene/object_types.py:255 engine/core/models.py:440 msgid "categories" msgstr "カテゴリー" @@ -1209,131 +1262,130 @@ msgstr "カテゴリー" msgid "brands" msgstr "ブランド" -#: engine/core/graphene/object_types.py:218 +#: engine/core/graphene/object_types.py:219 msgid "category image url" msgstr "カテゴリー" -#: engine/core/graphene/object_types.py:219 -#: engine/core/graphene/object_types.py:364 engine/core/models.py:278 +#: engine/core/graphene/object_types.py:220 +#: engine/core/graphene/object_types.py:365 engine/core/models.py:278 msgid "markup percentage" msgstr "マークアップ率" -#: engine/core/graphene/object_types.py:223 +#: engine/core/graphene/object_types.py:224 msgid "which attributes and values can be used for filtering this category." msgstr "このカテゴリのフィルタリングに使用できる属性と値。" -#: engine/core/graphene/object_types.py:229 -msgid "" -"minimum and maximum prices for products in this category, if available." +#: engine/core/graphene/object_types.py:230 +msgid "minimum and maximum prices for products in this category, if available." msgstr "このカテゴリーの商品の最低価格と最高価格がある場合。" -#: engine/core/graphene/object_types.py:233 +#: engine/core/graphene/object_types.py:234 msgid "tags for this category" msgstr "このカテゴリのタグ" -#: engine/core/graphene/object_types.py:236 +#: engine/core/graphene/object_types.py:237 msgid "products in this category" msgstr "このカテゴリの製品" -#: engine/core/graphene/object_types.py:371 engine/core/models.py:183 +#: engine/core/graphene/object_types.py:372 engine/core/models.py:183 msgid "vendors" msgstr "ベンダー" -#: engine/core/graphene/object_types.py:375 +#: engine/core/graphene/object_types.py:376 msgid "Latitude (Y coordinate)" msgstr "緯度(Y座標)" -#: engine/core/graphene/object_types.py:376 +#: engine/core/graphene/object_types.py:377 msgid "Longitude (X coordinate)" msgstr "経度(X座標)" -#: engine/core/graphene/object_types.py:405 +#: engine/core/graphene/object_types.py:406 msgid "comment" msgstr "どのように" -#: engine/core/graphene/object_types.py:407 -#: engine/core/graphene/object_types.py:541 +#: engine/core/graphene/object_types.py:408 +#: engine/core/graphene/object_types.py:542 msgid "rating value from 1 to 10, inclusive, or 0 if not set." msgstr "1から10までの評価値(設定されていない場合は0)。" -#: engine/core/graphene/object_types.py:415 +#: engine/core/graphene/object_types.py:416 msgid "represents feedback from a user." msgstr "ユーザーからのフィードバックを表す。" -#: engine/core/graphene/object_types.py:420 -#: engine/core/graphene/object_types.py:471 engine/core/models.py:1284 +#: engine/core/graphene/object_types.py:421 +#: engine/core/graphene/object_types.py:472 engine/core/models.py:1284 msgid "notifications" msgstr "お知らせ" -#: engine/core/graphene/object_types.py:422 +#: engine/core/graphene/object_types.py:423 msgid "download url for this order product if applicable" msgstr "該当する場合は、この注文商品のダウンロードURLを入力してください。" -#: engine/core/graphene/object_types.py:424 engine/core/models.py:1849 +#: engine/core/graphene/object_types.py:425 engine/core/models.py:1849 msgid "feedback" msgstr "フィードバック" -#: engine/core/graphene/object_types.py:458 +#: engine/core/graphene/object_types.py:459 msgid "a list of order products in this order" msgstr "注文商品のリスト" -#: engine/core/graphene/object_types.py:460 engine/core/models.py:1254 +#: engine/core/graphene/object_types.py:461 engine/core/models.py:1254 msgid "billing address" msgstr "請求先住所" -#: engine/core/graphene/object_types.py:464 +#: engine/core/graphene/object_types.py:465 msgid "" "shipping address for this order, leave blank if same as billing address or " "if not applicable" msgstr "請求先住所と同じ場合、または該当しない場合は空白にしてください。" -#: engine/core/graphene/object_types.py:467 +#: engine/core/graphene/object_types.py:468 msgid "total price of this order" msgstr "この注文の合計金額" -#: engine/core/graphene/object_types.py:468 +#: engine/core/graphene/object_types.py:469 msgid "total quantity of products in order" msgstr "注文商品の総数量" -#: engine/core/graphene/object_types.py:469 +#: engine/core/graphene/object_types.py:470 msgid "are all products in the order digital" msgstr "ご注文の商品はすべてデジタルですか?" -#: engine/core/graphene/object_types.py:473 +#: engine/core/graphene/object_types.py:474 msgid "transactions for this order" msgstr "この注文の取引" -#: engine/core/graphene/object_types.py:493 engine/core/models.py:1318 +#: engine/core/graphene/object_types.py:494 engine/core/models.py:1318 msgid "orders" msgstr "受注状況" -#: engine/core/graphene/object_types.py:514 +#: engine/core/graphene/object_types.py:515 msgid "image url" msgstr "画像URL" -#: engine/core/graphene/object_types.py:521 +#: engine/core/graphene/object_types.py:522 msgid "product's images" msgstr "製品画像" -#: engine/core/graphene/object_types.py:528 engine/core/models.py:439 +#: engine/core/graphene/object_types.py:529 engine/core/models.py:439 #: engine/core/models.py:596 msgid "category" msgstr "カテゴリー" -#: engine/core/graphene/object_types.py:530 engine/core/models.py:1850 +#: engine/core/graphene/object_types.py:531 engine/core/models.py:1850 msgid "feedbacks" msgstr "フィードバック" -#: engine/core/graphene/object_types.py:531 engine/core/models.py:510 +#: engine/core/graphene/object_types.py:532 engine/core/models.py:510 #: engine/core/models.py:605 msgid "brand" msgstr "ブランド" -#: engine/core/graphene/object_types.py:533 engine/core/models.py:103 +#: engine/core/graphene/object_types.py:534 engine/core/models.py:103 msgid "attribute groups" msgstr "属性グループ" -#: engine/core/graphene/object_types.py:535 +#: engine/core/graphene/object_types.py:536 #: engine/core/templates/digital_order_created_email.html:111 #: engine/core/templates/digital_order_delivered_email.html:109 #: engine/core/templates/shipped_order_created_email.html:109 @@ -1341,7 +1393,7 @@ msgstr "属性グループ" msgid "price" msgstr "価格" -#: engine/core/graphene/object_types.py:536 +#: engine/core/graphene/object_types.py:537 #: engine/core/templates/digital_order_created_email.html:110 #: engine/core/templates/digital_order_delivered_email.html:108 #: engine/core/templates/shipped_order_created_email.html:108 @@ -1349,39 +1401,39 @@ msgstr "価格" msgid "quantity" msgstr "数量" -#: engine/core/graphene/object_types.py:537 +#: engine/core/graphene/object_types.py:538 msgid "number of feedbacks" msgstr "フィードバック数" -#: engine/core/graphene/object_types.py:538 +#: engine/core/graphene/object_types.py:539 msgid "only available for personal orders" msgstr "個人注文のみの商品" -#: engine/core/graphene/object_types.py:543 +#: engine/core/graphene/object_types.py:544 msgid "discount price" msgstr "割引価格" -#: engine/core/graphene/object_types.py:567 engine/core/models.py:677 +#: engine/core/graphene/object_types.py:568 engine/core/models.py:677 msgid "products" msgstr "製品紹介" -#: engine/core/graphene/object_types.py:677 +#: engine/core/graphene/object_types.py:678 msgid "promocodes" msgstr "プロモコード" -#: engine/core/graphene/object_types.py:692 +#: engine/core/graphene/object_types.py:693 msgid "products on sale" msgstr "販売商品" -#: engine/core/graphene/object_types.py:700 engine/core/models.py:928 +#: engine/core/graphene/object_types.py:701 engine/core/models.py:928 msgid "promotions" msgstr "プロモーション" -#: engine/core/graphene/object_types.py:704 engine/core/models.py:182 +#: engine/core/graphene/object_types.py:705 engine/core/models.py:182 msgid "vendor" msgstr "ベンダー" -#: engine/core/graphene/object_types.py:705 engine/core/models.py:676 +#: engine/core/graphene/object_types.py:706 engine/core/models.py:676 #: engine/core/templates/digital_order_created_email.html:109 #: engine/core/templates/digital_order_delivered_email.html:107 #: engine/core/templates/shipped_order_created_email.html:107 @@ -1389,98 +1441,98 @@ msgstr "ベンダー" msgid "product" msgstr "製品" -#: engine/core/graphene/object_types.py:717 engine/core/models.py:951 +#: engine/core/graphene/object_types.py:718 engine/core/models.py:951 msgid "wishlisted products" msgstr "ウィッシュリスト掲載商品" -#: engine/core/graphene/object_types.py:724 engine/core/models.py:968 +#: engine/core/graphene/object_types.py:725 engine/core/models.py:968 msgid "wishlists" msgstr "ウィッシュリスト" -#: engine/core/graphene/object_types.py:729 +#: engine/core/graphene/object_types.py:730 msgid "tagged products" msgstr "タグ別アーカイブ" -#: engine/core/graphene/object_types.py:737 engine/core/models.py:219 +#: engine/core/graphene/object_types.py:738 engine/core/models.py:219 #: engine/core/models.py:611 msgid "product tags" msgstr "商品タグ" -#: engine/core/graphene/object_types.py:742 +#: engine/core/graphene/object_types.py:743 msgid "tagged categories" msgstr "タグ別アーカイブ" -#: engine/core/graphene/object_types.py:750 +#: engine/core/graphene/object_types.py:751 msgid "categories tags" msgstr "カテゴリー' タグ" -#: engine/core/graphene/object_types.py:754 +#: engine/core/graphene/object_types.py:755 msgid "project name" msgstr "プロジェクト名" -#: engine/core/graphene/object_types.py:755 +#: engine/core/graphene/object_types.py:756 msgid "company name" msgstr "会社名" -#: engine/core/graphene/object_types.py:756 +#: engine/core/graphene/object_types.py:757 msgid "company address" msgstr "会社住所" -#: engine/core/graphene/object_types.py:757 +#: engine/core/graphene/object_types.py:758 msgid "company phone number" msgstr "会社電話番号" -#: engine/core/graphene/object_types.py:760 +#: engine/core/graphene/object_types.py:761 msgid "email from, sometimes it must be used instead of host user value" msgstr "'email from' は、ホストユーザの値の代わりに使用されることがあります。" -#: engine/core/graphene/object_types.py:763 +#: engine/core/graphene/object_types.py:764 msgid "email host user" msgstr "メールホストユーザー" -#: engine/core/graphene/object_types.py:764 +#: engine/core/graphene/object_types.py:765 msgid "maximum amount for payment" msgstr "支払限度額" -#: engine/core/graphene/object_types.py:765 +#: engine/core/graphene/object_types.py:766 msgid "minimum amount for payment" msgstr "最低支払額" -#: engine/core/graphene/object_types.py:766 +#: engine/core/graphene/object_types.py:767 msgid "analytics data" msgstr "分析データ" -#: engine/core/graphene/object_types.py:767 +#: engine/core/graphene/object_types.py:768 msgid "advertisement data" msgstr "広告データ" -#: engine/core/graphene/object_types.py:770 +#: engine/core/graphene/object_types.py:771 msgid "company configuration" msgstr "構成" -#: engine/core/graphene/object_types.py:774 +#: engine/core/graphene/object_types.py:775 msgid "language code" msgstr "言語コード" -#: engine/core/graphene/object_types.py:775 +#: engine/core/graphene/object_types.py:776 msgid "language name" msgstr "言語名" -#: engine/core/graphene/object_types.py:776 +#: engine/core/graphene/object_types.py:777 msgid "language flag, if exists :)" msgstr "言語フラグがある場合 :)" -#: engine/core/graphene/object_types.py:779 +#: engine/core/graphene/object_types.py:780 msgid "supported languages" msgstr "サポートされている言語のリストを取得する" -#: engine/core/graphene/object_types.py:811 -#: engine/core/graphene/object_types.py:814 -#: engine/core/graphene/object_types.py:817 +#: engine/core/graphene/object_types.py:812 +#: engine/core/graphene/object_types.py:815 +#: engine/core/graphene/object_types.py:818 msgid "products search results" msgstr "製品検索結果" -#: engine/core/graphene/object_types.py:819 +#: engine/core/graphene/object_types.py:820 msgid "posts search results" msgstr "製品検索結果" @@ -1491,7 +1543,10 @@ msgid "" "parent group, forming a hierarchical structure. This can be useful for " "categorizing and managing attributes more effectively in acomplex system." msgstr "" -"属性グループを表し、階層化することができます。このクラスは、属性グループの管理と整理に使用します。属性グループは親グループを持つことができ、階層構造を形成します。これは、複雑なシステムで属性をより効果的に分類・管理するのに便利です。" +"属性グループを表し、階層化することができます。このクラスは、属性グループの管" +"理と整理に使用します。属性グループは親グループを持つことができ、階層構造を形" +"成します。これは、複雑なシステムで属性をより効果的に分類・管理するのに便利で" +"す。" #: engine/core/models.py:88 msgid "parent of this group" @@ -1519,8 +1574,12 @@ msgid "" "also maintains additional metadata and constraints, making it suitable for " "use in systems that interact with third-party vendors." msgstr "" -"外部ベンダーとその相互作用要件に関する情報を格納できるベンダー・エンティティを表します。Vendor " -"クラスは、外部ベンダーに関連する情報を定義・管理するために使用します。これは、ベンダーの名前、通信に必要な認証の詳細、ベンダーから取得した商品に適用されるパーセンテージのマークアップを格納します。このモデルは、追加のメタデータと制約も保持するため、サードパーティ・ベンダーとやり取りするシステムでの使用に適しています。" +"外部ベンダーとその相互作用要件に関する情報を格納できるベンダー・エンティティ" +"を表します。Vendor クラスは、外部ベンダーに関連する情報を定義・管理するために" +"使用します。これは、ベンダーの名前、通信に必要な認証の詳細、ベンダーから取得" +"した商品に適用されるパーセンテージのマークアップを格納します。このモデルは、" +"追加のメタデータと制約も保持するため、サードパーティ・ベンダーとやり取りする" +"システムでの使用に適しています。" #: engine/core/models.py:122 msgid "stores credentials and endpoints required for vendor communication" @@ -1570,8 +1629,11 @@ msgid "" "display name. It supports operations exported through mixins and provides " "metadata customization for administrative purposes." msgstr "" -"製品を分類または識別するために使用される製品タグを表します。ProductTag " -"クラスは、内部タグ識別子とユーザーフレンドリーな表示名の組み合わせによって、製品を一意に識別および分類するように設計されています。ミキシンを通じてエクスポートされる操作をサポートし、管理目的のためにメタデータのカスタマイズを提供します。" +"製品を分類または識別するために使用される製品タグを表します。ProductTag クラス" +"は、内部タグ識別子とユーザーフレンドリーな表示名の組み合わせによって、製品を" +"一意に識別および分類するように設計されています。ミキシンを通じてエクスポート" +"される操作をサポートし、管理目的のためにメタデータのカスタマイズを提供しま" +"す。" #: engine/core/models.py:204 engine/core/models.py:235 msgid "internal tag identifier for the product tag" @@ -1599,7 +1661,9 @@ msgid "" "tag that can be used to associate and classify products. It includes " "attributes for an internal tag identifier and a user-friendly display name." msgstr "" -"商品に使用されるカテゴリータグを表します。このクラスは、商品の関連付けと分類に使用できるカテゴリタグをモデル化します。内部タグ識別子とユーザーフレンドリーな表示名の属性が含まれます。" +"商品に使用されるカテゴリータグを表します。このクラスは、商品の関連付けと分類" +"に使用できるカテゴリタグをモデル化します。内部タグ識別子とユーザーフレンド" +"リーな表示名の属性が含まれます。" #: engine/core/models.py:249 msgid "category tag" @@ -1621,7 +1685,13 @@ msgid "" "hierarchy of categories, as well as assign attributes like images, tags, or " "priority." msgstr "" -"関連するアイテムを階層構造で整理し、グループ化するためのカテゴリ・エンティティを表します。カテゴリは、親子関係をサポートする他のカテゴリとの階層関係を持つことができます。このクラスには、カテゴリ関連機能の基盤となるメタデータおよび視覚表現のためのフィールドが含まれます。このクラスは通常、アプリケーション内で商品カテゴリやその他の類似のグループ化を定義および管理するために使用され、ユーザや管理者がカテゴリの名前、説明、階層を指定したり、画像、タグ、優先度などの属性を割り当てることができます。" +"関連するアイテムを階層構造で整理し、グループ化するためのカテゴリ・エンティ" +"ティを表します。カテゴリは、親子関係をサポートする他のカテゴリとの階層関係を" +"持つことができます。このクラスには、カテゴリ関連機能の基盤となるメタデータお" +"よび視覚表現のためのフィールドが含まれます。このクラスは通常、アプリケーショ" +"ン内で商品カテゴリやその他の類似のグループ化を定義および管理するために使用さ" +"れ、ユーザや管理者がカテゴリの名前、説明、階層を指定したり、画像、タグ、優先" +"度などの属性を割り当てることができます。" #: engine/core/models.py:269 msgid "upload an image representing this category" @@ -1672,10 +1742,12 @@ msgid "" "Represents a Brand object in the system. This class handles information and " "attributes related to a brand, including its name, logos, description, " "associated categories, a unique slug, and priority order. It allows for the " -"organization and representation of brand-related data within the " -"application." +"organization and representation of brand-related data within the application." msgstr "" -"システム内のブランド・オブジェクトを表します。このクラスは、名前、ロゴ、説明、関連カテゴリ、一意のスラッグ、および優先順位など、ブランドに関連する情報と属性を処理します。このクラスによって、アプリケーション内でブランド関連データを整理し、表現することができます。" +"システム内のブランド・オブジェクトを表します。このクラスは、名前、ロゴ、説" +"明、関連カテゴリ、一意のスラッグ、および優先順位など、ブランドに関連する情報" +"と属性を処理します。このクラスによって、アプリケーション内でブランド関連デー" +"タを整理し、表現することができます。" #: engine/core/models.py:456 msgid "name of this brand" @@ -1719,14 +1791,17 @@ msgstr "カテゴリー" #: engine/core/models.py:516 msgid "" -"Represents the stock of a product managed in the system. This class provides" -" details about the relationship between vendors, products, and their stock " +"Represents the stock of a product managed in the system. This class provides " +"details about the relationship between vendors, products, and their stock " "information, as well as inventory-related properties like price, purchase " "price, quantity, SKU, and digital assets. It is part of the inventory " "management system to allow tracking and evaluation of products available " "from various vendors." msgstr "" -"システムで管理されている商品の在庫を表します。このクラスは、ベンダー、商品、およびそれらの在庫情報間の関係の詳細や、価格、購入価格、数量、SKU、デジタル資産などの在庫関連プロパティを提供します。これは在庫管理システムの一部で、さまざまなベンダーから入手可能な製品の追跡と評価を可能にします。" +"システムで管理されている商品の在庫を表します。このクラスは、ベンダー、商品、" +"およびそれらの在庫情報間の関係の詳細や、価格、購入価格、数量、SKU、デジタル資" +"産などの在庫関連プロパティを提供します。これは在庫管理システムの一部で、さま" +"ざまなベンダーから入手可能な製品の追跡と評価を可能にします。" #: engine/core/models.py:528 msgid "the vendor supplying this product stock" @@ -1804,9 +1879,13 @@ msgid "" "properties to improve performance. It is used to define and manipulate " "product data and its associated information within an application." msgstr "" -"カテゴリ、ブランド、タグ、デジタルステータス、名前、説明、品番、スラッグなどの属性を持つ製品を表します。評価、フィードバック数、価格、数量、注文総数を取得するための関連ユーティリティ・プロパティを提供します。電子商取引や在庫管理を扱うシステムで使用するように設計されています。このクラスは、関連するモデル" -" (Category、Brand、ProductTag など) " -"と相互作用し、パフォーマンスを向上させるために、頻繁にアクセスされるプロパティのキャッシュを管理します。アプリケーション内で商品データとその関連情報を定義し、操作するために使用されます。" +"カテゴリ、ブランド、タグ、デジタルステータス、名前、説明、品番、スラッグなど" +"の属性を持つ製品を表します。評価、フィードバック数、価格、数量、注文総数を取" +"得するための関連ユーティリティ・プロパティを提供します。電子商取引や在庫管理" +"を扱うシステムで使用するように設計されています。このクラスは、関連するモデル " +"(Category、Brand、ProductTag など) と相互作用し、パフォーマンスを向上させるた" +"めに、頻繁にアクセスされるプロパティのキャッシュを管理します。アプリケーショ" +"ン内で商品データとその関連情報を定義し、操作するために使用されます。" #: engine/core/models.py:595 msgid "category this product belongs to" @@ -1869,12 +1948,16 @@ msgid "" "Represents an attribute in the system. This class is used to define and " "manage attributes, which are customizable pieces of data that can be " "associated with other entities. Attributes have associated categories, " -"groups, value types, and names. The model supports multiple types of values," -" including string, integer, float, boolean, array, and object. This allows " +"groups, value types, and names. The model supports multiple types of values, " +"including string, integer, float, boolean, array, and object. This allows " "for dynamic and flexible data structuring." msgstr "" -"システム内の属性を表します。このクラスは、属性を定義および管理するために使用されます。属性は、他のエンティティに関連付けることができる、カスタマイズ可能なデータの部分です。属性には、関連するカテゴリ、グループ、値型、および名前があります。このモデルは、string、integer、float、boolean、array、object" -" などの複数の型の値をサポートしています。これにより、動的で柔軟なデータ構造化が可能になります。" +"システム内の属性を表します。このクラスは、属性を定義および管理するために使用" +"されます。属性は、他のエンティティに関連付けることができる、カスタマイズ可能" +"なデータの部分です。属性には、関連するカテゴリ、グループ、値型、および名前が" +"あります。このモデルは、string、integer、float、boolean、array、object などの" +"複数の型の値をサポートしています。これにより、動的で柔軟なデータ構造化が可能" +"になります。" #: engine/core/models.py:755 msgid "group of this attribute" @@ -1935,11 +2018,12 @@ msgstr "属性" #: engine/core/models.py:801 msgid "" -"Represents a specific value for an attribute that is linked to a product. It" -" links the 'attribute' to a unique 'value', allowing better organization and" -" dynamic representation of product characteristics." +"Represents a specific value for an attribute that is linked to a product. It " +"links the 'attribute' to a unique 'value', allowing better organization and " +"dynamic representation of product characteristics." msgstr "" -"製品にリンクされている属性の特定の値を表します。これは、「属性」を一意の「値」にリンクし、製品特性のより良い編成と動的な表現を可能にします。" +"製品にリンクされている属性の特定の値を表します。これは、「属性」を一意の" +"「値」にリンクし、製品特性のより良い編成と動的な表現を可能にします。" #: engine/core/models.py:812 msgid "attribute of this value" @@ -1956,12 +2040,15 @@ msgstr "この属性の具体的な値" #: engine/core/models.py:839 msgid "" "Represents a product image associated with a product in the system. This " -"class is designed to manage images for products, including functionality for" -" uploading image files, associating them with specific products, and " +"class is designed to manage images for products, including functionality for " +"uploading image files, associating them with specific products, and " "determining their display order. It also includes an accessibility feature " "with alternative text for the images." msgstr "" -"システム内の商品に関連付けられた商品画像を表します。このクラスは商品の画像を管理するために設計されており、画像ファイルのアップロード、特定の商品との関連付け、表示順の決定などの機能を提供します。また、画像の代替テキストによるアクセシビリティ機能も備えています。" +"システム内の商品に関連付けられた商品画像を表します。このクラスは商品の画像を" +"管理するために設計されており、画像ファイルのアップロード、特定の商品との関連" +"付け、表示順の決定などの機能を提供します。また、画像の代替テキストによるアク" +"セシビリティ機能も備えています。" #: engine/core/models.py:850 msgid "provide alternative text for the image for accessibility" @@ -2001,10 +2088,14 @@ msgid "" "is used to define and manage promotional campaigns that offer a percentage-" "based discount for products. The class includes attributes for setting the " "discount rate, providing details about the promotion, and linking it to the " -"applicable products. It integrates with the product catalog to determine the" -" affected items in the campaign." +"applicable products. It integrates with the product catalog to determine the " +"affected items in the campaign." msgstr "" -"割引を伴う商品の販促キャンペーンを表します。このクラスは、商品に対してパーセンテージベースの割引を提供する販促キャンペーンを定義および管理するために使用します。このクラスには、割引率を設定し、プロモーションの詳細を提供し、該当する商品にリンクするための属性が含まれます。商品カタログと統合して、キャンペーンの対象商品を決定します。" +"割引を伴う商品の販促キャンペーンを表します。このクラスは、商品に対してパーセ" +"ンテージベースの割引を提供する販促キャンペーンを定義および管理するために使用" +"します。このクラスには、割引率を設定し、プロモーションの詳細を提供し、該当す" +"る商品にリンクするための属性が含まれます。商品カタログと統合して、キャンペー" +"ンの対象商品を決定します。" #: engine/core/models.py:904 msgid "percentage discount for the selected products" @@ -2045,7 +2136,10 @@ msgid "" "operations such as adding and removing products, as well as supporting " "operations for adding and removing multiple products at once." msgstr "" -"希望する商品を保存・管理するためのユーザーのウィッシュリストを表します。このクラスは、商品のコレクションを管理する機能を提供し、商品の追加や削除などの操作をサポートし、複数の商品を一度に追加したり削除したりする操作をサポートします。" +"希望する商品を保存・管理するためのユーザーのウィッシュリストを表します。この" +"クラスは、商品のコレクションを管理する機能を提供し、商品の追加や削除などの操" +"作をサポートし、複数の商品を一度に追加したり削除したりする操作をサポートしま" +"す。" #: engine/core/models.py:950 msgid "products that the user has marked as wanted" @@ -2069,10 +2163,14 @@ msgid "" "store information about documentaries related to specific products, " "including file uploads and their metadata. It contains methods and " "properties to handle the file type and storage path for the documentary " -"files. It extends functionality from specific mixins and provides additional" -" custom features." +"files. It extends functionality from specific mixins and provides additional " +"custom features." msgstr "" -"商品に関連付けられたドキュメンタリーのレコードを表します。このクラスは、ファイルのアップロードとそのメタデータを含む、特定の商品に関連するドキュメンタリーに関する情報を格納するために使用されます。ドキュメントファイルのファイルタイプと保存パスを処理するメソッドとプロパティが含まれています。特定のミックスインから機能を拡張し、追加のカスタム機能を提供します。" +"商品に関連付けられたドキュメンタリーのレコードを表します。このクラスは、ファ" +"イルのアップロードとそのメタデータを含む、特定の商品に関連するドキュメンタ" +"リーに関する情報を格納するために使用されます。ドキュメントファイルのファイル" +"タイプと保存パスを処理するメソッドとプロパティが含まれています。特定のミック" +"スインから機能を拡張し、追加のカスタム機能を提供します。" #: engine/core/models.py:1024 msgid "documentary" @@ -2088,20 +2186,23 @@ msgstr "未解決" #: engine/core/models.py:1040 msgid "" -"Represents an address entity that includes location details and associations" -" with a user. Provides functionality for geographic and address data " -"storage, as well as integration with geocoding services. This class is " -"designed to store detailed address information including components like " -"street, city, region, country, and geolocation (longitude and latitude). It " -"supports integration with geocoding APIs, enabling the storage of raw API " -"responses for further processing or inspection. The class also allows " -"associating an address with a user, facilitating personalized data handling." +"Represents an address entity that includes location details and associations " +"with a user. Provides functionality for geographic and address data storage, " +"as well as integration with geocoding services. This class is designed to " +"store detailed address information including components like street, city, " +"region, country, and geolocation (longitude and latitude). It supports " +"integration with geocoding APIs, enabling the storage of raw API responses " +"for further processing or inspection. The class also allows associating an " +"address with a user, facilitating personalized data handling." msgstr "" -"場所の詳細とユーザーとの関連付けを含む住所エンティティを表します。地理データおよび住所データを保存する機能と、ジオコーディングサービスとの統合機能を提供します。このクラスは、street、city、region、country、geolocation" -" (longitude and latitude) のようなコンポーネントを含む詳細な住所情報を格納するように設計されています。ジオコーディング API" -" との統合をサポートしており、 生の API " -"レスポンスを保存してさらなる処理や検査を行うことができます。また、このクラスは住所とユーザを関連付けることができ、 " -"パーソナライズされたデータの取り扱いを容易にします。" +"場所の詳細とユーザーとの関連付けを含む住所エンティティを表します。地理データ" +"および住所データを保存する機能と、ジオコーディングサービスとの統合機能を提供" +"します。このクラスは、street、city、region、country、geolocation (longitude " +"and latitude) のようなコンポーネントを含む詳細な住所情報を格納するように設計" +"されています。ジオコーディング API との統合をサポートしており、 生の API レス" +"ポンスを保存してさらなる処理や検査を行うことができます。また、このクラスは住" +"所とユーザを関連付けることができ、 パーソナライズされたデータの取り扱いを容易" +"にします。" #: engine/core/models.py:1055 msgid "address line for the customer" @@ -2164,9 +2265,11 @@ msgid "" "any), and status of its usage. It includes functionality to validate and " "apply the promo code to an order while ensuring constraints are met." msgstr "" -"割引に使用できるプロモーションコードを表し、その有効期間、割引の種類、適用を管理します。PromoCode クラスは、一意の識別子、割引のプロパティ " -"(金額またはパーセンテージ)、有効期間、関連するユーザ " -"(もしあれば)、および使用状況など、プロモーションコードに関する詳細を格納します。これは、制約が満たされていることを保証しながら、プロモコードを検証し、注文に適用する機能を含んでいます。" +"割引に使用できるプロモーションコードを表し、その有効期間、割引の種類、適用を" +"管理します。PromoCode クラスは、一意の識別子、割引のプロパティ (金額または" +"パーセンテージ)、有効期間、関連するユーザ (もしあれば)、および使用状況など、" +"プロモーションコードに関する詳細を格納します。これは、制約が満たされているこ" +"とを保証しながら、プロモコードを検証し、注文に適用する機能を含んでいます。" #: engine/core/models.py:1119 msgid "unique code used by a user to redeem a discount" @@ -2236,7 +2339,9 @@ msgstr "プロモコード" msgid "" "only one type of discount should be defined (amount or percent), but not " "both or neither." -msgstr "割引の種類は1つだけ(金額またはパーセント)定義されるべきで、両方またはどちらも定義してはならない。" +msgstr "" +"割引の種類は1つだけ(金額またはパーセント)定義されるべきで、両方またはどちら" +"も定義してはならない。" #: engine/core/models.py:1205 msgid "promocode already used" @@ -2251,12 +2356,16 @@ msgstr "プロモコード {self.uuid} の割引タイプが無効です!" msgid "" "Represents an order placed by a user. This class models an order within the " "application, including its various attributes such as billing and shipping " -"information, status, associated user, notifications, and related operations." -" Orders can have associated products, promotions can be applied, addresses " +"information, status, associated user, notifications, and related operations. " +"Orders can have associated products, promotions can be applied, addresses " "set, and shipping or billing details updated. Equally, functionality " "supports managing the products in the order lifecycle." msgstr "" -"ユーザーによる注文を表します。このクラスは、請求や配送情報、ステータス、関連するユーザ、通知、関連する操作などのさまざまな属性を含む、アプリケーション内の注文をモデル化します。注文は関連する商品を持つことができ、プロモーションを適用し、住所を設定し、配送または請求の詳細を更新することができます。同様に、注文のライフサイクルにおける商品の管理もサポートします。" +"ユーザーによる注文を表します。このクラスは、請求や配送情報、ステータス、関連" +"するユーザ、通知、関連する操作などのさまざまな属性を含む、アプリケーション内" +"の注文をモデル化します。注文は関連する商品を持つことができ、プロモーションを" +"適用し、住所を設定し、配送または請求の詳細を更新することができます。同様に、" +"注文のライフサイクルにおける商品の管理もサポートします。" #: engine/core/models.py:1253 msgid "the billing address used for this order" @@ -2288,7 +2397,8 @@ msgstr "注文状況" #: engine/core/models.py:1283 engine/core/models.py:1882 msgid "json structure of notifications to display to users" -msgstr "ユーザーに表示する通知のJSON構造、管理UIではテーブルビューが使用されます。" +msgstr "" +"ユーザーに表示する通知のJSON構造、管理UIではテーブルビューが使用されます。" #: engine/core/models.py:1289 msgid "json representation of order attributes for this order" @@ -2388,13 +2498,17 @@ msgstr "注文を完了するための資金不足" msgid "" "you cannot buy without registration, please provide the following " "information: customer name, customer email, customer phone number" -msgstr "ご登録がない場合はご購入いただけませんので、以下の情報をお知らせください:お客様のお名前、お客様のEメール、お客様の電話番号" +msgstr "" +"ご登録がない場合はご購入いただけませんので、以下の情報をお知らせください:お" +"客様のお名前、お客様のEメール、お客様の電話番号" #: engine/core/models.py:1675 #, python-brace-format msgid "" "invalid payment method: {payment_method} from {available_payment_methods}" -msgstr "支払方法が無効です:{available_payment_methods}からの{payment_method}が無効です!" +msgstr "" +"支払方法が無効です:{available_payment_methods}からの{payment_method}が無効で" +"す!" #: engine/core/models.py:1806 msgid "" @@ -2404,7 +2518,11 @@ msgid "" "product in the order, and a user-assigned rating. The class uses database " "fields to effectively model and manage feedback data." msgstr "" -"製品に対するユーザのフィードバックを管理します。このクラスは、購入した特定の商品に対するユーザのフィードバックを取得し、保存するために設計されています。ユーザのコメント、注文の関連商品への参照、そしてユーザが割り当てた評価を保存する属性を含みます。このクラスは、フィードバックデータを効果的にモデル化し、管理するためにデータベースフィールドを使用します。" +"製品に対するユーザのフィードバックを管理します。このクラスは、購入した特定の" +"商品に対するユーザのフィードバックを取得し、保存するために設計されています。" +"ユーザのコメント、注文の関連商品への参照、そしてユーザが割り当てた評価を保存" +"する属性を含みます。このクラスは、フィードバックデータを効果的にモデル化し、" +"管理するためにデータベースフィールドを使用します。" #: engine/core/models.py:1818 msgid "user-provided comments about their experience with the product" @@ -2415,8 +2533,7 @@ msgid "feedback comments" msgstr "フィードバック・コメント" #: engine/core/models.py:1827 -msgid "" -"references the specific product in an order that this feedback is about" +msgid "references the specific product in an order that this feedback is about" msgstr "このフィードバックが対象としている注文の特定の製品を参照する。" #: engine/core/models.py:1829 @@ -2443,7 +2560,13 @@ msgid "" "download URL for digital products. The model integrates with the Order and " "Product models and stores a reference to them." msgstr "" -"注文に関連する商品とその属性を表す。OrderProductモデルは、購入価格、数量、商品属性、ステータスなどの詳細を含む、注文の一部である商品に関する情報を保持します。ユーザーや管理者への通知を管理し、商品残高の返却やフィードバックの追加などの操作を処理します。このモデルはまた、合計価格の計算やデジタル商品のダウンロードURLの生成など、ビジネスロジックをサポートするメソッドやプロパティも提供します。このモデルはOrderモデルとProductモデルと統合され、それらへの参照を保存します。" +"注文に関連する商品とその属性を表す。OrderProductモデルは、購入価格、数量、商" +"品属性、ステータスなどの詳細を含む、注文の一部である商品に関する情報を保持し" +"ます。ユーザーや管理者への通知を管理し、商品残高の返却やフィードバックの追加" +"などの操作を処理します。このモデルはまた、合計価格の計算やデジタル商品のダウ" +"ンロードURLの生成など、ビジネスロジックをサポートするメソッドやプロパティも提" +"供します。このモデルはOrderモデルとProductモデルと統合され、それらへの参照を" +"保存します。" #: engine/core/models.py:1870 msgid "the price paid by the customer for this product at purchase time" @@ -2551,12 +2674,15 @@ msgid "" "Represents the downloading functionality for digital assets associated with " "orders. The DigitalAssetDownload class provides the ability to manage and " "access downloads related to order products. It maintains information about " -"the associated order product, the number of downloads, and whether the asset" -" is publicly visible. It includes a method to generate a URL for downloading" -" the asset when the associated order is in a completed status." +"the associated order product, the number of downloads, and whether the asset " +"is publicly visible. It includes a method to generate a URL for downloading " +"the asset when the associated order is in a completed status." msgstr "" -"注文に関連するデジタル資産のダウンロード機能を表します。DigitalAssetDownloadクラスは、注文商品に関連するダウンロードを管理し、アクセスする機能を提供します。このクラスは、関連する注文商品、ダウンロード数、およびアセットが公開されているかどうかの情報を保持します。関連する注文が完了したステータスのときに、アセットをダウンロードするための" -" URL を生成するメソッドも含まれています。" +"注文に関連するデジタル資産のダウンロード機能を表します。DigitalAssetDownload" +"クラスは、注文商品に関連するダウンロードを管理し、アクセスする機能を提供しま" +"す。このクラスは、関連する注文商品、ダウンロード数、およびアセットが公開され" +"ているかどうかの情報を保持します。関連する注文が完了したステータスのときに、" +"アセットをダウンロードするための URL を生成するメソッドも含まれています。" #: engine/core/models.py:2092 msgid "download" @@ -2569,7 +2695,9 @@ msgstr "ダウンロード" #: engine/core/serializers/utility.py:91 msgid "" "you must provide a comment, rating, and order product uuid to add feedback." -msgstr "フィードバックを追加するには、コメント、評価、および注文商品の uuid を入力する必要があります。" +msgstr "" +"フィードバックを追加するには、コメント、評価、および注文商品の uuid を入力す" +"る必要があります。" #: engine/core/sitemaps.py:25 msgid "Home" @@ -2761,9 +2889,12 @@ msgstr "こんにちは%(order.user.first_name)s、" #, python-format msgid "" "thank you for your order #%(order.pk)s! we are pleased to inform you that\n" -" we have taken your order into work. below are the details of your\n" +" we have taken your order into work. below are " +"the details of your\n" " order:" -msgstr "ご注文ありがとうございます#%(order.pk)s!ご注文を承りましたことをお知らせいたします。以下、ご注文の詳細です:" +msgstr "" +"ご注文ありがとうございます#%(order.pk)s!ご注文を承りましたことをお知らせいた" +"します。以下、ご注文の詳細です:" #: engine/core/templates/digital_order_created_email.html:112 #: engine/core/templates/digital_order_delivered_email.html:110 @@ -2786,7 +2917,9 @@ msgstr "合計価格" msgid "" "if you have any questions, feel free to contact our support at\n" " %(config.EMAIL_HOST_USER)s." -msgstr "ご不明な点がございましたら、%(config.EMAIL_HOST_USER)sまでお気軽にお問い合わせください。" +msgstr "" +"ご不明な点がございましたら、%(config.EMAIL_HOST_USER)sまでお気軽にお問い合わ" +"せください。" #: engine/core/templates/digital_order_created_email.html:133 #, python-format @@ -2814,7 +2947,8 @@ msgstr "こんにちは%(user_first_name)s、" msgid "" "we have successfully processed your order №%(order_uuid)s! below are the\n" " details of your order:" -msgstr "ご注文の№%(order_uuid)sが正常に処理されました!以下はご注文の詳細です:" +msgstr "" +"ご注文の№%(order_uuid)sが正常に処理されました!以下はご注文の詳細です:" #: engine/core/templates/digital_order_delivered_email.html:128 msgid "" @@ -2835,7 +2969,9 @@ msgstr "価値" msgid "" "if you have any questions, feel free to contact our support at\n" " %(contact_email)s." -msgstr "ご不明な点がございましたら、%(contact_email)sまでお気軽にお問い合わせください。" +msgstr "" +"ご不明な点がございましたら、%(contact_email)sまでお気軽にお問い合わせくださ" +"い。" #: engine/core/templates/digital_order_delivered_email.html:165 #: engine/core/templates/promocode_granted_email.html:108 @@ -2867,9 +3003,12 @@ msgstr "" #: engine/core/templates/shipped_order_created_email.html:101 #: engine/core/templates/shipped_order_delivered_email.html:101 msgid "" -"thank you for your order! we are pleased to confirm your purchase. below are\n" +"thank you for your order! we are pleased to confirm your purchase. below " +"are\n" " the details of your order:" -msgstr "ご注文ありがとうございます!ご購入を確認させていただきました。以下、ご注文の詳細です:" +msgstr "" +"ご注文ありがとうございます!ご購入を確認させていただきました。以下、ご注文の" +"詳細です:" #: engine/core/templates/shipped_order_created_email.html:123 #: engine/core/templates/shipped_order_delivered_email.html:123 @@ -2935,14 +3074,17 @@ msgstr "NOMINATIM_URLパラメータを設定する必要があります!" #: engine/core/validators.py:23 #, python-brace-format msgid "image dimensions should not exceed w{max_width} x h{max_height} pixels" -msgstr "画像のサイズは w{max_width} x h{max_height} ピクセルを超えないようにしてください!" +msgstr "" +"画像のサイズは w{max_width} x h{max_height} ピクセルを超えないようにしてくだ" +"さい!" #: engine/core/views.py:104 msgid "" "Handles the request for the sitemap index and returns an XML response. It " "ensures the response includes the appropriate content type header for XML." msgstr "" -"サイトマップインデックスのリクエストを処理し、XMLレスポンスを返します。レスポンスにXML用の適切なコンテントタイプヘッダーが含まれるようにします。" +"サイトマップインデックスのリクエストを処理し、XMLレスポンスを返します。レスポ" +"ンスにXML用の適切なコンテントタイプヘッダーが含まれるようにします。" #: engine/core/views.py:119 msgid "" @@ -2950,8 +3092,9 @@ msgid "" "the request, fetches the appropriate sitemap detail response, and sets the " "Content-Type header for XML." msgstr "" -"サイトマップの詳細表示レスポンスを処理します。この関数はリクエストを処理し、適切なサイトマップ詳細レスポンスを取得し、XML の Content-" -"Type ヘッダを設定します。" +"サイトマップの詳細表示レスポンスを処理します。この関数はリクエストを処理し、" +"適切なサイトマップ詳細レスポンスを取得し、XML の Content-Type ヘッダを設定し" +"ます。" #: engine/core/views.py:155 msgid "" @@ -2966,7 +3109,9 @@ msgstr "ウェブサイトのパラメータをJSONオブジェクトとして msgid "" "Handles cache operations such as reading and setting cache data with a " "specified key and timeout." -msgstr "指定されたキーとタイムアウトで、キャッシュ・データの読み取りや設定などのキャッシュ操作を行う。" +msgstr "" +"指定されたキーとタイムアウトで、キャッシュ・データの読み取りや設定などの" +"キャッシュ操作を行う。" #: engine/core/views.py:220 msgid "Handles `contact us` form submissions." @@ -2976,7 +3121,8 @@ msgstr "お問い合わせフォームの送信を処理する。" msgid "" "Handles requests for processing and validating URLs from incoming POST " "requests." -msgstr "入ってくる POST リクエストからの URL の処理と検証のリクエストを処理します。" +msgstr "" +"入ってくる POST リクエストからの URL の処理と検証のリクエストを処理します。" #: engine/core/views.py:273 msgid "Handles global search queries." @@ -2989,10 +3135,14 @@ msgstr "登録なしでビジネスとして購入するロジックを扱う。 #: engine/core/views.py:337 msgid "" "Handles the downloading of a digital asset associated with an order.\n" -"This function attempts to serve the digital asset file located in the storage directory of the project. If the file is not found, an HTTP 404 error is raised to indicate the resource is unavailable." +"This function attempts to serve the digital asset file located in the " +"storage directory of the project. If the file is not found, an HTTP 404 " +"error is raised to indicate the resource is unavailable." msgstr "" "注文に関連付けられたデジタルアセットのダウンロードを処理します。\n" -"この関数は、プロジェクトのストレージディレクトリにあるデジタルアセットファイルの提供を試みます。ファイルが見つからない場合、リソースが利用できないことを示すHTTP 404エラーが発生します。" +"この関数は、プロジェクトのストレージディレクトリにあるデジタルアセットファイ" +"ルの提供を試みます。ファイルが見つからない場合、リソースが利用できないことを" +"示すHTTP 404エラーが発生します。" #: engine/core/views.py:348 msgid "order_product_uuid is required" @@ -3021,19 +3171,25 @@ msgstr "ファビコンが見つかりません" #: engine/core/views.py:418 msgid "" "Handles requests for the favicon of a website.\n" -"This function attempts to serve the favicon file located in the static directory of the project. If the favicon file is not found, an HTTP 404 error is raised to indicate the resource is unavailable." +"This function attempts to serve the favicon file located in the static " +"directory of the project. If the favicon file is not found, an HTTP 404 " +"error is raised to indicate the resource is unavailable." msgstr "" "ウェブサイトのファビコンへのリクエストを処理します。\n" -"この関数は、プロジェクトの静的ディレクトリにあるファビコンファイルの提供を試みます。ファビコンファイルが見つからない場合、リソースが利用できないことを示す HTTP 404 エラーが発生します。" +"この関数は、プロジェクトの静的ディレクトリにあるファビコンファイルの提供を試" +"みます。ファビコンファイルが見つからない場合、リソースが利用できないことを示" +"す HTTP 404 エラーが発生します。" #: engine/core/views.py:432 msgid "" -"Redirects the request to the admin index page. The function handles incoming" -" HTTP requests and redirects them to the Django admin interface index page. " +"Redirects the request to the admin index page. The function handles incoming " +"HTTP requests and redirects them to the Django admin interface index page. " "It uses Django's `redirect` function for handling the HTTP redirection." msgstr "" -"リクエストを admin インデックスページにリダイレクトします。この関数は、HTTP リクエストを処理し、 Django の admin " -"インタフェースインデッ クスページにリダイレクトします。HTTP リダイレクトの処理には Django の `redirect` 関数を使います。" +"リクエストを admin インデックスページにリダイレクトします。この関数は、HTTP " +"リクエストを処理し、 Django の admin インタフェースインデッ クスページにリダ" +"イレクトします。HTTP リダイレクトの処理には Django の `redirect` 関数を使いま" +"す。" #: engine/core/views.py:445 msgid "Returns current version of the eVibes. " @@ -3056,21 +3212,23 @@ msgid "" "serializer classes based on the current action, customizable permissions, " "and rendering formats." msgstr "" -"Evibes 関連の操作を管理するためのビューセットを定義します。EvibesViewSet クラスは ModelViewSet を継承し、Evibes" -" エンティティに対する アクションや操作を扱うための機能を提供します。現在のアクションに基づいた動的なシリアライザークラスのサポート、 " -"カスタマイズ可能なパーミッション、レンダリングフォーマットが含まれます。" +"Evibes 関連の操作を管理するためのビューセットを定義します。EvibesViewSet クラ" +"スは ModelViewSet を継承し、Evibes エンティティに対する アクションや操作を扱" +"うための機能を提供します。現在のアクションに基づいた動的なシリアライザークラ" +"スのサポート、 カスタマイズ可能なパーミッション、レンダリングフォーマットが含" +"まれます。" #: engine/core/viewsets.py:160 msgid "" -"Represents a viewset for managing AttributeGroup objects. Handles operations" -" related to AttributeGroup, including filtering, serialization, and " -"retrieval of data. This class is part of the application's API layer and " -"provides a standardized way to process requests and responses for " -"AttributeGroup data." +"Represents a viewset for managing AttributeGroup objects. Handles operations " +"related to AttributeGroup, including filtering, serialization, and retrieval " +"of data. This class is part of the application's API layer and provides a " +"standardized way to process requests and responses for AttributeGroup data." msgstr "" -"AttributeGroup " -"オブジェクトを管理するためのビューセットを表します。データのフィルタリング、シリアライズ、取得など、AttributeGroup " -"に関連する操作を処理します。このクラスは、アプリケーションのAPIレイヤの一部であり、AttributeGroupデータの要求と応答を処理する標準化された方法を提供します。" +"AttributeGroup オブジェクトを管理するためのビューセットを表します。データの" +"フィルタリング、シリアライズ、取得など、AttributeGroup に関連する操作を処理し" +"ます。このクラスは、アプリケーションのAPIレイヤの一部であり、AttributeGroup" +"データの要求と応答を処理する標準化された方法を提供します。" #: engine/core/viewsets.py:179 msgid "" @@ -3081,22 +3239,25 @@ msgid "" "specific fields or retrieving detailed versus simplified information " "depending on the request." msgstr "" -"アプリケーション内でAttributeオブジェクトに関連する操作を処理する。Attribute データと対話するための API " -"エンドポイントのセットを提供します。このクラスは、Attribute " -"オブジェクトのクエリ、フィルタリング、およびシリアライズを管理し、特定のフィールドによるフィルタリングや、リクエストに応じた詳細情報と簡略化された情報の取得など、返されるデータの動的な制御を可能にします。" +"アプリケーション内でAttributeオブジェクトに関連する操作を処理する。Attribute " +"データと対話するための API エンドポイントのセットを提供します。このクラスは、" +"Attribute オブジェクトのクエリ、フィルタリング、およびシリアライズを管理し、" +"特定のフィールドによるフィルタリングや、リクエストに応じた詳細情報と簡略化さ" +"れた情報の取得など、返されるデータの動的な制御を可能にします。" #: engine/core/viewsets.py:198 msgid "" "A viewset for managing AttributeValue objects. This viewset provides " "functionality for listing, retrieving, creating, updating, and deleting " "AttributeValue objects. It integrates with Django REST Framework's viewset " -"mechanisms and uses appropriate serializers for different actions. Filtering" -" capabilities are provided through the DjangoFilterBackend." +"mechanisms and uses appropriate serializers for different actions. Filtering " +"capabilities are provided through the DjangoFilterBackend." msgstr "" -"AttributeValue オブジェクトを管理するためのビューセットです。このビューセットは、 AttributeValue " -"オブジェクトの一覧表示、取得、作成、更新、削除の機能を提供し ます。Django REST Framework " -"のビューセット機構と統合され、異なるアクションに適切なシリアライザを使います。フィルタリング機能は DjangoFilterBackend " -"を通して提供されます。" +"AttributeValue オブジェクトを管理するためのビューセットです。このビューセット" +"は、 AttributeValue オブジェクトの一覧表示、取得、作成、更新、削除の機能を提" +"供し ます。Django REST Framework のビューセット機構と統合され、異なるアクショ" +"ンに適切なシリアライザを使います。フィルタリング機能は DjangoFilterBackend を" +"通して提供されます。" #: engine/core/viewsets.py:217 msgid "" @@ -3106,7 +3267,11 @@ msgid "" "The viewset also enforces permissions to ensure that only authorized users " "can access specific data." msgstr "" -"Category関連の操作のためのビューを管理します。CategoryViewSetクラスは、システム内のCategoryモデルに関連する操作を処理する責任があります。カテゴリデータの取得、フィルタリング、シリアライズをサポートします。ビューセットはまた、許可されたユーザーだけが特定のデータにアクセスできるようにパーミッションを強制します。" +"Category関連の操作のためのビューを管理します。CategoryViewSetクラスは、システ" +"ム内のCategoryモデルに関連する操作を処理する責任があります。カテゴリデータの" +"取得、フィルタリング、シリアライズをサポートします。ビューセットはまた、許可" +"されたユーザーだけが特定のデータにアクセスできるようにパーミッションを強制し" +"ます。" #: engine/core/viewsets.py:346 msgid "" @@ -3116,8 +3281,9 @@ msgid "" "endpoints for Brand objects." msgstr "" "Brandインスタンスを管理するためのビューセットを表します。このクラスは Brand " -"オブジェクトのクエリ、フィルタリング、シリアライズの機能を提供します。Django の ViewSet フレームワークを使い、 Brand " -"オブジェクトの API エンドポイントの実装を簡素化します。" +"オブジェクトのクエリ、フィルタリング、シリアライズの機能を提供します。Django " +"の ViewSet フレームワークを使い、 Brand オブジェクトの API エンドポイントの実" +"装を簡素化します。" #: engine/core/viewsets.py:458 msgid "" @@ -3129,10 +3295,12 @@ msgid "" "product details, applying permissions, and accessing related feedback of a " "product." msgstr "" -"システム内の `Product` " -"モデルに関連する操作を管理する。このクラスは、商品のフィルタリング、シリアライズ、特定のインスタンスに対する操作など、商品を管理するためのビューセットを提供します。共通の機能を使うために" -" `EvibesViewSet` を継承し、 RESTful API 操作のために Django REST " -"フレームワークと統合しています。商品の詳細を取得したり、パーミッションを適用したり、商品の関連するフィードバックにアクセスするためのメソッドを含みます。" +"システム内の `Product` モデルに関連する操作を管理する。このクラスは、商品の" +"フィルタリング、シリアライズ、特定のインスタンスに対する操作など、商品を管理" +"するためのビューセットを提供します。共通の機能を使うために `EvibesViewSet` を" +"継承し、 RESTful API 操作のために Django REST フレームワークと統合していま" +"す。商品の詳細を取得したり、パーミッションを適用したり、商品の関連するフィー" +"ドバックにアクセスするためのメソッドを含みます。" #: engine/core/viewsets.py:605 msgid "" @@ -3142,49 +3310,59 @@ msgid "" "actions. The purpose of this class is to provide streamlined access to " "Vendor-related resources through the Django REST framework." msgstr "" -"Vendor オブジェクトを管理するためのビューセットを表します。このビューセットを使用すると、 Vendor " -"のデータを取得したりフィルタリングしたりシリアライズしたりすることができます。さまざまなアクションを処理するためのクエリセット、 " -"フィルタ設定、シリアライザクラスを定義します。このクラスの目的は、 Django REST フレームワークを通して Vendor " -"関連リソースへの合理的なアクセスを提供することです。" +"Vendor オブジェクトを管理するためのビューセットを表します。このビューセットを" +"使用すると、 Vendor のデータを取得したりフィルタリングしたりシリアライズした" +"りすることができます。さまざまなアクションを処理するためのクエリセット、 フィ" +"ルタ設定、シリアライザクラスを定義します。このクラスの目的は、 Django REST フ" +"レームワークを通して Vendor 関連リソースへの合理的なアクセスを提供することで" +"す。" #: engine/core/viewsets.py:625 msgid "" "Representation of a view set handling Feedback objects. This class manages " "operations related to Feedback objects, including listing, filtering, and " "retrieving details. The purpose of this view set is to provide different " -"serializers for different actions and implement permission-based handling of" -" accessible Feedback objects. It extends the base `EvibesViewSet` and makes " +"serializers for different actions and implement permission-based handling of " +"accessible Feedback objects. It extends the base `EvibesViewSet` and makes " "use of Django's filtering system for querying data." msgstr "" -"Feedback オブジェクトを扱うビューセットの表現。このクラスは、一覧表示、フィルタリング、詳細の取得など、Feedback " -"オブジェクトに関する操作を管理します。このビューセットの目的は、アクションごとに異なるシリアライザを提供し、アクセス可能な Feedback " -"オブジェクトのパーミッションベースの処理を実装することです。ベースとなる `EvibesViewSet` を拡張し、Django " -"のフィルタリングシステムを利用してデータを取得します。" +"Feedback オブジェクトを扱うビューセットの表現。このクラスは、一覧表示、フィル" +"タリング、詳細の取得など、Feedback オブジェクトに関する操作を管理します。この" +"ビューセットの目的は、アクションごとに異なるシリアライザを提供し、アクセス可" +"能な Feedback オブジェクトのパーミッションベースの処理を実装することです。" +"ベースとなる `EvibesViewSet` を拡張し、Django のフィルタリングシステムを利用" +"してデータを取得します。" #: engine/core/viewsets.py:652 msgid "" "ViewSet for managing orders and related operations. This class provides " "functionality to retrieve, modify, and manage order objects. It includes " "various endpoints for handling order operations such as adding or removing " -"products, performing purchases for registered as well as unregistered users," -" and retrieving the current authenticated user's pending orders. The ViewSet" -" uses multiple serializers based on the specific action being performed and " +"products, performing purchases for registered as well as unregistered users, " +"and retrieving the current authenticated user's pending orders. The ViewSet " +"uses multiple serializers based on the specific action being performed and " "enforces permissions accordingly while interacting with order data." msgstr "" -"注文と関連する操作を管理するための " -"ViewSet。このクラスは、注文オブジェクトを取得、変更、管理する機能を提供します。商品の追加や削除、登録ユーザや未登録ユーザの購入の実行、現在の認証ユーザの保留中の注文の取得など、注文操作を処理するためのさまざまなエンドポイントを含みます。ViewSetは、実行される特定のアクションに基づいて複数のシリアライザを使用し、注文データを操作している間、それに応じてパーミッションを強制します。" +"注文と関連する操作を管理するための ViewSet。このクラスは、注文オブジェクトを" +"取得、変更、管理する機能を提供します。商品の追加や削除、登録ユーザや未登録" +"ユーザの購入の実行、現在の認証ユーザの保留中の注文の取得など、注文操作を処理" +"するためのさまざまなエンドポイントを含みます。ViewSetは、実行される特定のアク" +"ションに基づいて複数のシリアライザを使用し、注文データを操作している間、それ" +"に応じてパーミッションを強制します。" #: engine/core/viewsets.py:914 msgid "" "Provides a viewset for managing OrderProduct entities. This viewset enables " "CRUD operations and custom actions specific to the OrderProduct model. It " -"includes filtering, permission checks, and serializer switching based on the" -" requested action. Additionally, it provides a detailed action for handling " +"includes filtering, permission checks, and serializer switching based on the " +"requested action. Additionally, it provides a detailed action for handling " "feedback on OrderProduct instances" msgstr "" -"OrderProduct エンティティを管理するためのビューセットを提供します。このビューセットは、OrderProduct モデルに固有の CRUD " -"操作とカスタムアクションを可能にします。これは、要求されたアクションに基づくフィルタリング、パーミッションチェック、シリアライザーの切り替えを含みます。さらに、OrderProduct" -" インスタンスに関するフィードバックを処理するための詳細なアクションを提供します。" +"OrderProduct エンティティを管理するためのビューセットを提供します。このビュー" +"セットは、OrderProduct モデルに固有の CRUD 操作とカスタムアクションを可能にし" +"ます。これは、要求されたアクションに基づくフィルタリング、パーミッション" +"チェック、シリアライザーの切り替えを含みます。さらに、OrderProduct インスタン" +"スに関するフィードバックを処理するための詳細なアクションを提供します。" #: engine/core/viewsets.py:974 msgid "Manages operations related to Product images in the application. " @@ -3194,7 +3372,8 @@ msgstr "アプリケーション内の商品画像に関する操作を管理し msgid "" "Manages the retrieval and handling of PromoCode instances through various " "API actions." -msgstr "様々なAPIアクションによるプロモコードインスタンスの取得と処理を管理します。" +msgstr "" +"様々なAPIアクションによるプロモコードインスタンスの取得と処理を管理します。" #: engine/core/viewsets.py:1019 msgid "Represents a view set for managing promotions. " @@ -3208,13 +3387,18 @@ msgstr "システム内のストックデータに関する操作を行う。" msgid "" "ViewSet for managing Wishlist operations. The WishlistViewSet provides " "endpoints for interacting with a user's wish list, allowing for the " -"retrieval, modification, and customization of products within the wish list." -" This ViewSet facilitates functionality such as adding, removing, and bulk " +"retrieval, modification, and customization of products within the wish list. " +"This ViewSet facilitates functionality such as adding, removing, and bulk " "actions for wishlist products. Permission checks are integrated to ensure " "that users can only manage their own wishlists unless explicit permissions " "are granted." msgstr "" -"ウィッシュリスト操作を管理するためのViewSet。WishlistViewSetは、ユーザーのウィッシュリストと対話するためのエンドポイントを提供し、ウィッシュリスト内の商品の検索、変更、カスタマイズを可能にします。このViewSetは、ウィッシュリスト商品の追加、削除、一括アクションなどの機能を容易にします。明示的なパーミッションが付与されていない限り、ユーザーが自分のウィッシュリストのみを管理できるよう、パーミッションチェックが統合されています。" +"ウィッシュリスト操作を管理するためのViewSet。WishlistViewSetは、ユーザーの" +"ウィッシュリストと対話するためのエンドポイントを提供し、ウィッシュリスト内の" +"商品の検索、変更、カスタマイズを可能にします。このViewSetは、ウィッシュリスト" +"商品の追加、削除、一括アクションなどの機能を容易にします。明示的なパーミッ" +"ションが付与されていない限り、ユーザーが自分のウィッシュリストのみを管理でき" +"るよう、パーミッションチェックが統合されています。" #: engine/core/viewsets.py:1183 msgid "" @@ -3224,9 +3408,11 @@ msgid "" "different HTTP methods, serializer overrides, and permission handling based " "on the request context." msgstr "" -"このクラスは `Address` オブジェクトを管理するためのビューセット機能を提供する。AddressViewSet " -"クラスは、住所エンティティに関連する CRUD 操作、フィルタリング、カスタムアクションを可能にします。異なる HTTP " -"メソッドに特化した振る舞いや、シリアライザのオーバーライド、 リクエストコンテキストに基づいたパーミッション処理などを含みます。" +"このクラスは `Address` オブジェクトを管理するためのビューセット機能を提供す" +"る。AddressViewSet クラスは、住所エンティティに関連する CRUD 操作、フィルタリ" +"ング、カスタムアクションを可能にします。異なる HTTP メソッドに特化した振る舞" +"いや、シリアライザのオーバーライド、 リクエストコンテキストに基づいたパーミッ" +"ション処理などを含みます。" #: engine/core/viewsets.py:1254 #, python-brace-format @@ -3241,4 +3427,8 @@ msgid "" "using the specified filter backend and dynamically uses different " "serializers based on the action being performed." msgstr "" -"アプリケーション内で商品タグに関連する操作を処理します。このクラスは、商品タグオブジェクトの取得、フィルタリング、シリアライズの機能を提供します。指定されたフィルタバックエンドを使用して特定の属性に対する柔軟なフィルタリングをサポートし、実行されるアクションに基づいて動的に異なるシリアライザを使用します。" +"アプリケーション内で商品タグに関連する操作を処理します。このクラスは、商品タ" +"グオブジェクトの取得、フィルタリング、シリアライズの機能を提供します。指定さ" +"れたフィルタバックエンドを使用して特定の属性に対する柔軟なフィルタリングをサ" +"ポートし、実行されるアクションに基づいて動的に異なるシリアライザを使用しま" +"す。" diff --git a/engine/core/locale/kk_KZ/LC_MESSAGES/django.mo b/engine/core/locale/kk_KZ/LC_MESSAGES/django.mo index 7640ce0078328b8d3c57147021d7d1b23f128abd..9964f0bf6f21a7376a5f3b631dd55508538e3d72 100644 GIT binary patch delta 14 VcmaFP^qgrzIJ23a;l?OlMgS-41Zw~Q delta 14 VcmaFP^qgrzIJ2pq$;K#NMgS-C1Z@BS diff --git a/engine/core/locale/kk_KZ/LC_MESSAGES/django.po b/engine/core/locale/kk_KZ/LC_MESSAGES/django.po index 90e05573..062aad45 100644 --- a/engine/core/locale/kk_KZ/LC_MESSAGES/django.po +++ b/engine/core/locale/kk_KZ/LC_MESSAGES/django.po @@ -2,12 +2,12 @@ # Copyright (C) 2025 EGOR GORBUNOV # This file is distributed under the same license as the EVIBES package. # EGOR GORBUNOV , 2025. -# +# msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-12-21 00:38+0300\n" +"POT-Creation-Date: 2026-01-04 19:25+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: LANGUAGE \n" @@ -91,8 +91,8 @@ msgstr "" msgid "selected items have been deactivated." msgstr "" -#: engine/core/admin.py:196 engine/core/graphene/object_types.py:652 -#: engine/core/graphene/object_types.py:659 engine/core/models.py:825 +#: engine/core/admin.py:196 engine/core/graphene/object_types.py:653 +#: engine/core/graphene/object_types.py:660 engine/core/models.py:825 #: engine/core/models.py:833 msgid "attribute value" msgstr "" @@ -106,7 +106,7 @@ msgstr "" msgid "image" msgstr "" -#: engine/core/admin.py:209 engine/core/graphene/object_types.py:529 +#: engine/core/admin.py:209 engine/core/graphene/object_types.py:530 msgid "images" msgstr "" @@ -114,7 +114,7 @@ msgstr "" msgid "stock" msgstr "" -#: engine/core/admin.py:221 engine/core/graphene/object_types.py:712 +#: engine/core/admin.py:221 engine/core/graphene/object_types.py:713 msgid "stocks" msgstr "" @@ -122,7 +122,7 @@ msgstr "" msgid "order product" msgstr "" -#: engine/core/admin.py:233 engine/core/graphene/object_types.py:440 +#: engine/core/admin.py:233 engine/core/graphene/object_types.py:441 #: engine/core/models.py:1932 msgid "order products" msgstr "" @@ -345,8 +345,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:280 engine/core/docs/drf/viewsets.py:757 #: engine/core/docs/drf/viewsets.py:1046 #: engine/core/graphene/object_types.py:119 -#: engine/core/graphene/object_types.py:238 -#: engine/core/graphene/object_types.py:539 +#: engine/core/graphene/object_types.py:239 +#: engine/core/graphene/object_types.py:540 msgid "SEO Meta snapshot" msgstr "" @@ -1168,8 +1168,8 @@ msgid "elasticsearch - works like a charm" msgstr "" #: engine/core/graphene/object_types.py:84 -#: engine/core/graphene/object_types.py:419 -#: engine/core/graphene/object_types.py:470 engine/core/models.py:796 +#: engine/core/graphene/object_types.py:420 +#: engine/core/graphene/object_types.py:471 engine/core/models.py:796 #: engine/core/models.py:1290 engine/core/models.py:2022 msgid "attributes" msgstr "" @@ -1183,8 +1183,8 @@ msgid "groups of attributes" msgstr "" #: engine/core/graphene/object_types.py:118 -#: engine/core/graphene/object_types.py:216 -#: engine/core/graphene/object_types.py:254 engine/core/models.py:440 +#: engine/core/graphene/object_types.py:217 +#: engine/core/graphene/object_types.py:255 engine/core/models.py:440 msgid "categories" msgstr "" @@ -1192,130 +1192,130 @@ msgstr "" msgid "brands" msgstr "" -#: engine/core/graphene/object_types.py:218 +#: engine/core/graphene/object_types.py:219 msgid "category image url" msgstr "" -#: engine/core/graphene/object_types.py:219 -#: engine/core/graphene/object_types.py:364 engine/core/models.py:278 +#: engine/core/graphene/object_types.py:220 +#: engine/core/graphene/object_types.py:365 engine/core/models.py:278 msgid "markup percentage" msgstr "" -#: engine/core/graphene/object_types.py:223 +#: engine/core/graphene/object_types.py:224 msgid "which attributes and values can be used for filtering this category." msgstr "" -#: engine/core/graphene/object_types.py:229 +#: engine/core/graphene/object_types.py:230 msgid "minimum and maximum prices for products in this category, if available." msgstr "" -#: engine/core/graphene/object_types.py:233 +#: engine/core/graphene/object_types.py:234 msgid "tags for this category" msgstr "" -#: engine/core/graphene/object_types.py:236 +#: engine/core/graphene/object_types.py:237 msgid "products in this category" msgstr "" -#: engine/core/graphene/object_types.py:371 engine/core/models.py:183 +#: engine/core/graphene/object_types.py:372 engine/core/models.py:183 msgid "vendors" msgstr "" -#: engine/core/graphene/object_types.py:375 +#: engine/core/graphene/object_types.py:376 msgid "Latitude (Y coordinate)" msgstr "" -#: engine/core/graphene/object_types.py:376 +#: engine/core/graphene/object_types.py:377 msgid "Longitude (X coordinate)" msgstr "" -#: engine/core/graphene/object_types.py:405 +#: engine/core/graphene/object_types.py:406 msgid "comment" msgstr "" -#: engine/core/graphene/object_types.py:407 -#: engine/core/graphene/object_types.py:541 +#: engine/core/graphene/object_types.py:408 +#: engine/core/graphene/object_types.py:542 msgid "rating value from 1 to 10, inclusive, or 0 if not set." msgstr "" -#: engine/core/graphene/object_types.py:415 +#: engine/core/graphene/object_types.py:416 msgid "represents feedback from a user." msgstr "" -#: engine/core/graphene/object_types.py:420 -#: engine/core/graphene/object_types.py:471 engine/core/models.py:1284 +#: engine/core/graphene/object_types.py:421 +#: engine/core/graphene/object_types.py:472 engine/core/models.py:1284 msgid "notifications" msgstr "" -#: engine/core/graphene/object_types.py:422 +#: engine/core/graphene/object_types.py:423 msgid "download url for this order product if applicable" msgstr "" -#: engine/core/graphene/object_types.py:424 engine/core/models.py:1849 +#: engine/core/graphene/object_types.py:425 engine/core/models.py:1849 msgid "feedback" msgstr "" -#: engine/core/graphene/object_types.py:458 +#: engine/core/graphene/object_types.py:459 msgid "a list of order products in this order" msgstr "" -#: engine/core/graphene/object_types.py:460 engine/core/models.py:1254 +#: engine/core/graphene/object_types.py:461 engine/core/models.py:1254 msgid "billing address" msgstr "" -#: engine/core/graphene/object_types.py:464 +#: engine/core/graphene/object_types.py:465 msgid "" "shipping address for this order, leave blank if same as billing address or " "if not applicable" msgstr "" -#: engine/core/graphene/object_types.py:467 +#: engine/core/graphene/object_types.py:468 msgid "total price of this order" msgstr "" -#: engine/core/graphene/object_types.py:468 +#: engine/core/graphene/object_types.py:469 msgid "total quantity of products in order" msgstr "" -#: engine/core/graphene/object_types.py:469 +#: engine/core/graphene/object_types.py:470 msgid "are all products in the order digital" msgstr "" -#: engine/core/graphene/object_types.py:473 +#: engine/core/graphene/object_types.py:474 msgid "transactions for this order" msgstr "" -#: engine/core/graphene/object_types.py:493 engine/core/models.py:1318 +#: engine/core/graphene/object_types.py:494 engine/core/models.py:1318 msgid "orders" msgstr "" -#: engine/core/graphene/object_types.py:514 +#: engine/core/graphene/object_types.py:515 msgid "image url" msgstr "" -#: engine/core/graphene/object_types.py:521 +#: engine/core/graphene/object_types.py:522 msgid "product's images" msgstr "" -#: engine/core/graphene/object_types.py:528 engine/core/models.py:439 +#: engine/core/graphene/object_types.py:529 engine/core/models.py:439 #: engine/core/models.py:596 msgid "category" msgstr "" -#: engine/core/graphene/object_types.py:530 engine/core/models.py:1850 +#: engine/core/graphene/object_types.py:531 engine/core/models.py:1850 msgid "feedbacks" msgstr "" -#: engine/core/graphene/object_types.py:531 engine/core/models.py:510 +#: engine/core/graphene/object_types.py:532 engine/core/models.py:510 #: engine/core/models.py:605 msgid "brand" msgstr "" -#: engine/core/graphene/object_types.py:533 engine/core/models.py:103 +#: engine/core/graphene/object_types.py:534 engine/core/models.py:103 msgid "attribute groups" msgstr "" -#: engine/core/graphene/object_types.py:535 +#: engine/core/graphene/object_types.py:536 #: engine/core/templates/digital_order_created_email.html:111 #: engine/core/templates/digital_order_delivered_email.html:109 #: engine/core/templates/shipped_order_created_email.html:109 @@ -1323,7 +1323,7 @@ msgstr "" msgid "price" msgstr "" -#: engine/core/graphene/object_types.py:536 +#: engine/core/graphene/object_types.py:537 #: engine/core/templates/digital_order_created_email.html:110 #: engine/core/templates/digital_order_delivered_email.html:108 #: engine/core/templates/shipped_order_created_email.html:108 @@ -1331,39 +1331,39 @@ msgstr "" msgid "quantity" msgstr "" -#: engine/core/graphene/object_types.py:537 +#: engine/core/graphene/object_types.py:538 msgid "number of feedbacks" msgstr "" -#: engine/core/graphene/object_types.py:538 +#: engine/core/graphene/object_types.py:539 msgid "only available for personal orders" msgstr "" -#: engine/core/graphene/object_types.py:543 +#: engine/core/graphene/object_types.py:544 msgid "discount price" msgstr "" -#: engine/core/graphene/object_types.py:567 engine/core/models.py:677 +#: engine/core/graphene/object_types.py:568 engine/core/models.py:677 msgid "products" msgstr "" -#: engine/core/graphene/object_types.py:677 +#: engine/core/graphene/object_types.py:678 msgid "promocodes" msgstr "" -#: engine/core/graphene/object_types.py:692 +#: engine/core/graphene/object_types.py:693 msgid "products on sale" msgstr "" -#: engine/core/graphene/object_types.py:700 engine/core/models.py:928 +#: engine/core/graphene/object_types.py:701 engine/core/models.py:928 msgid "promotions" msgstr "" -#: engine/core/graphene/object_types.py:704 engine/core/models.py:182 +#: engine/core/graphene/object_types.py:705 engine/core/models.py:182 msgid "vendor" msgstr "" -#: engine/core/graphene/object_types.py:705 engine/core/models.py:676 +#: engine/core/graphene/object_types.py:706 engine/core/models.py:676 #: engine/core/templates/digital_order_created_email.html:109 #: engine/core/templates/digital_order_delivered_email.html:107 #: engine/core/templates/shipped_order_created_email.html:107 @@ -1371,98 +1371,98 @@ msgstr "" msgid "product" msgstr "" -#: engine/core/graphene/object_types.py:717 engine/core/models.py:951 +#: engine/core/graphene/object_types.py:718 engine/core/models.py:951 msgid "wishlisted products" msgstr "" -#: engine/core/graphene/object_types.py:724 engine/core/models.py:968 +#: engine/core/graphene/object_types.py:725 engine/core/models.py:968 msgid "wishlists" msgstr "" -#: engine/core/graphene/object_types.py:729 +#: engine/core/graphene/object_types.py:730 msgid "tagged products" msgstr "" -#: engine/core/graphene/object_types.py:737 engine/core/models.py:219 +#: engine/core/graphene/object_types.py:738 engine/core/models.py:219 #: engine/core/models.py:611 msgid "product tags" msgstr "" -#: engine/core/graphene/object_types.py:742 +#: engine/core/graphene/object_types.py:743 msgid "tagged categories" msgstr "" -#: engine/core/graphene/object_types.py:750 +#: engine/core/graphene/object_types.py:751 msgid "categories tags" msgstr "" -#: engine/core/graphene/object_types.py:754 +#: engine/core/graphene/object_types.py:755 msgid "project name" msgstr "" -#: engine/core/graphene/object_types.py:755 +#: engine/core/graphene/object_types.py:756 msgid "company name" msgstr "" -#: engine/core/graphene/object_types.py:756 +#: engine/core/graphene/object_types.py:757 msgid "company address" msgstr "" -#: engine/core/graphene/object_types.py:757 +#: engine/core/graphene/object_types.py:758 msgid "company phone number" msgstr "" -#: engine/core/graphene/object_types.py:760 +#: engine/core/graphene/object_types.py:761 msgid "email from, sometimes it must be used instead of host user value" msgstr "" -#: engine/core/graphene/object_types.py:763 +#: engine/core/graphene/object_types.py:764 msgid "email host user" msgstr "" -#: engine/core/graphene/object_types.py:764 +#: engine/core/graphene/object_types.py:765 msgid "maximum amount for payment" msgstr "" -#: engine/core/graphene/object_types.py:765 +#: engine/core/graphene/object_types.py:766 msgid "minimum amount for payment" msgstr "" -#: engine/core/graphene/object_types.py:766 +#: engine/core/graphene/object_types.py:767 msgid "analytics data" msgstr "" -#: engine/core/graphene/object_types.py:767 +#: engine/core/graphene/object_types.py:768 msgid "advertisement data" msgstr "" -#: engine/core/graphene/object_types.py:770 +#: engine/core/graphene/object_types.py:771 msgid "company configuration" msgstr "" -#: engine/core/graphene/object_types.py:774 +#: engine/core/graphene/object_types.py:775 msgid "language code" msgstr "" -#: engine/core/graphene/object_types.py:775 +#: engine/core/graphene/object_types.py:776 msgid "language name" msgstr "" -#: engine/core/graphene/object_types.py:776 +#: engine/core/graphene/object_types.py:777 msgid "language flag, if exists :)" msgstr "" -#: engine/core/graphene/object_types.py:779 +#: engine/core/graphene/object_types.py:780 msgid "supported languages" msgstr "" -#: engine/core/graphene/object_types.py:811 -#: engine/core/graphene/object_types.py:814 -#: engine/core/graphene/object_types.py:817 +#: engine/core/graphene/object_types.py:812 +#: engine/core/graphene/object_types.py:815 +#: engine/core/graphene/object_types.py:818 msgid "products search results" msgstr "" -#: engine/core/graphene/object_types.py:819 +#: engine/core/graphene/object_types.py:820 msgid "posts search results" msgstr "" diff --git a/engine/core/locale/ko_KR/LC_MESSAGES/django.mo b/engine/core/locale/ko_KR/LC_MESSAGES/django.mo index f4b4e2f6f01a722d96219157569b73d86c3e7e03..165f4c2e69e0a3f2c74d1945faf1e0d4879928bc 100644 GIT binary patch delta 18 acmX?hpY_;%)(zdqn9cMIH}@U0SP1}FbO_b} delta 18 acmX?hpY_;%)(zdqm`(LeHuoK~SP1}FehAnA diff --git a/engine/core/locale/ko_KR/LC_MESSAGES/django.po b/engine/core/locale/ko_KR/LC_MESSAGES/django.po index 6b3dd53c..51731153 100644 --- a/engine/core/locale/ko_KR/LC_MESSAGES/django.po +++ b/engine/core/locale/ko_KR/LC_MESSAGES/django.po @@ -1,9 +1,9 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-12-21 00:38+0300\n" +"POT-Creation-Date: 2026-01-04 19:25+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" @@ -27,8 +27,7 @@ msgstr "활성 상태" #: engine/core/abstract.py:22 msgid "" -"if set to false, this object can't be seen by users without needed " -"permission" +"if set to false, this object can't be seen by users without needed permission" msgstr "false로 설정하면 필요한 권한이 없는 사용자는 이 개체를 볼 수 없습니다." #: engine/core/abstract.py:26 engine/core/choices.py:18 @@ -89,8 +88,8 @@ msgstr "선택한 %(verbose_name_plural)s 비활성화하기" msgid "selected items have been deactivated." msgstr "선택한 아이템이 비활성화되었습니다!" -#: engine/core/admin.py:196 engine/core/graphene/object_types.py:652 -#: engine/core/graphene/object_types.py:659 engine/core/models.py:825 +#: engine/core/admin.py:196 engine/core/graphene/object_types.py:653 +#: engine/core/graphene/object_types.py:660 engine/core/models.py:825 #: engine/core/models.py:833 msgid "attribute value" msgstr "속성 값" @@ -104,7 +103,7 @@ msgstr "속성 값" msgid "image" msgstr "이미지" -#: engine/core/admin.py:209 engine/core/graphene/object_types.py:529 +#: engine/core/admin.py:209 engine/core/graphene/object_types.py:530 msgid "images" msgstr "이미지" @@ -112,7 +111,7 @@ msgstr "이미지" msgid "stock" msgstr "재고" -#: engine/core/admin.py:221 engine/core/graphene/object_types.py:712 +#: engine/core/admin.py:221 engine/core/graphene/object_types.py:713 msgid "stocks" msgstr "주식" @@ -120,7 +119,7 @@ msgstr "주식" msgid "order product" msgstr "제품 주문" -#: engine/core/admin.py:233 engine/core/graphene/object_types.py:440 +#: engine/core/admin.py:233 engine/core/graphene/object_types.py:441 #: engine/core/models.py:1932 msgid "order products" msgstr "제품 주문" @@ -153,8 +152,7 @@ msgstr "배달됨" msgid "canceled" msgstr "취소됨" -#: engine/core/choices.py:8 engine/core/choices.py:16 -#: engine/core/choices.py:24 +#: engine/core/choices.py:8 engine/core/choices.py:16 engine/core/choices.py:24 msgid "failed" msgstr "실패" @@ -192,8 +190,8 @@ msgid "" "negotiation. Language can be selected with Accept-Language and query " "parameter both." msgstr "" -"OpenApi3 스키마를 사용합니다. 형식은 콘텐츠 협상을 통해 선택할 수 있습니다. 언어는 Accept-Language와 쿼리 " -"매개변수를 모두 사용하여 선택할 수 있습니다." +"OpenApi3 스키마를 사용합니다. 형식은 콘텐츠 협상을 통해 선택할 수 있습니다. " +"언어는 Accept-Language와 쿼리 매개변수를 모두 사용하여 선택할 수 있습니다." #: engine/core/docs/drf/views.py:46 engine/core/graphene/mutations.py:36 msgid "cache I/O" @@ -239,7 +237,9 @@ msgstr "비즈니스로 주문 구매" msgid "" "purchase an order as a business, using the provided `products` with " "`product_uuid` and `attributes`." -msgstr "제공된 '제품'과 '제품_uuid' 및 '속성'을 사용하여 비즈니스로서 주문을 구매합니다." +msgstr "" +"제공된 '제품'과 '제품_uuid' 및 '속성'을 사용하여 비즈니스로서 주문을 구매합니" +"다." #: engine/core/docs/drf/views.py:180 msgid "download a digital asset from purchased digital order" @@ -266,9 +266,9 @@ msgid "rewrite an existing attribute group saving non-editables" msgstr "편집할 수 없는 항목을 저장하는 기존 속성 그룹 다시 작성하기" #: engine/core/docs/drf/viewsets.py:107 -msgid "" -"rewrite some fields of an existing attribute group saving non-editables" -msgstr "기존 속성 그룹의 일부 필드를 다시 작성하여 편집할 수 없는 항목을 저장합니다." +msgid "rewrite some fields of an existing attribute group saving non-editables" +msgstr "" +"기존 속성 그룹의 일부 필드를 다시 작성하여 편집할 수 없는 항목을 저장합니다." #: engine/core/docs/drf/viewsets.py:118 msgid "list all attributes (simple view)" @@ -315,9 +315,9 @@ msgid "rewrite an existing attribute value saving non-editables" msgstr "편집할 수 없는 기존 속성 값을 저장하여 다시 작성하기" #: engine/core/docs/drf/viewsets.py:208 -msgid "" -"rewrite some fields of an existing attribute value saving non-editables" -msgstr "기존 속성 값의 일부 필드를 다시 작성하여 편집할 수 없는 항목을 저장합니다." +msgid "rewrite some fields of an existing attribute value saving non-editables" +msgstr "" +"기존 속성 값의 일부 필드를 다시 작성하여 편집할 수 없는 항목을 저장합니다." #: engine/core/docs/drf/viewsets.py:219 engine/core/docs/drf/viewsets.py:220 msgid "list all categories (simple view)" @@ -350,8 +350,8 @@ msgstr "편집할 수 없는 항목을 저장하는 기존 카테고리의 일 #: engine/core/docs/drf/viewsets.py:280 engine/core/docs/drf/viewsets.py:757 #: engine/core/docs/drf/viewsets.py:1046 #: engine/core/graphene/object_types.py:119 -#: engine/core/graphene/object_types.py:238 -#: engine/core/graphene/object_types.py:539 +#: engine/core/graphene/object_types.py:239 +#: engine/core/graphene/object_types.py:540 msgid "SEO Meta snapshot" msgstr "SEO 메타 스냅샷" @@ -369,11 +369,11 @@ msgstr "직원이 아닌 사용자의 경우 자신의 주문만 반환됩니다 #: engine/core/docs/drf/viewsets.py:309 msgid "" -"Case-insensitive substring search across human_readable_id, " -"order_products.product.name, and order_products.product.partnumber" +"Case-insensitive substring search across human_readable_id, order_products." +"product.name, and order_products.product.partnumber" msgstr "" -"대소문자를 구분하지 않는 하위 문자열 검색(human_readable_id, order_products.product.name 및 " -"order_products.product.partnerumber)" +"대소문자를 구분하지 않는 하위 문자열 검색(human_readable_id, order_products." +"product.name 및 order_products.product.partnerumber)" #: engine/core/docs/drf/viewsets.py:316 msgid "Filter orders with buy_time >= this ISO 8601 datetime" @@ -405,12 +405,13 @@ msgstr "주문 상태별 필터링(대소문자를 구분하지 않는 하위 #: engine/core/docs/drf/viewsets.py:354 msgid "" -"Order by one of: uuid, human_readable_id, user_email, user, status, created," -" modified, buy_time, random. Prefix with '-' for descending (e.g. " -"'-buy_time')." +"Order by one of: uuid, human_readable_id, user_email, user, status, created, " +"modified, buy_time, random. Prefix with '-' for descending (e.g. '-" +"buy_time')." msgstr "" -"uuid, human_readable_id, user_email, 사용자, 상태, 생성됨, 수정됨, 구매 시간, 무작위 중 하나로 " -"정렬합니다. 접두사 앞에 '-'를 붙여 내림차순으로 정렬합니다(예: '-buy_time')." +"uuid, human_readable_id, user_email, 사용자, 상태, 생성됨, 수정됨, 구매 시" +"간, 무작위 중 하나로 정렬합니다. 접두사 앞에 '-'를 붙여 내림차순으로 정렬합니" +"다(예: '-buy_time')." #: engine/core/docs/drf/viewsets.py:366 msgid "retrieve a single order (detailed view)" @@ -450,7 +451,8 @@ msgid "" "completed using the user's balance; if `force_payment` is used, a " "transaction is initiated." msgstr "" -"주문 구매를 완료합니다. 강제 잔액`을 사용하면 사용자의 잔액을 사용하여 구매가 완료되고, `강제 결제`를 사용하면 거래가 시작됩니다." +"주문 구매를 완료합니다. 강제 잔액`을 사용하면 사용자의 잔액을 사용하여 구매" +"가 완료되고, `강제 결제`를 사용하면 거래가 시작됩니다." #: engine/core/docs/drf/viewsets.py:427 msgid "retrieve current pending order of a user" @@ -476,7 +478,8 @@ msgstr "주문에 제품 추가" msgid "" "adds a product to an order using the provided `product_uuid` and " "`attributes`." -msgstr "제공된 `product_uuid` 및 `attributes`를 사용하여 주문에 제품을 추가합니다." +msgstr "" +"제공된 `product_uuid` 및 `attributes`를 사용하여 주문에 제품을 추가합니다." #: engine/core/docs/drf/viewsets.py:461 msgid "add a list of products to order, quantities will not count" @@ -486,7 +489,9 @@ msgstr "주문할 제품 목록을 추가하면 수량은 계산되지 않습니 msgid "" "adds a list of products to an order using the provided `product_uuid` and " "`attributes`." -msgstr "제공된 `product_uuid` 및 `attributes`를 사용하여 주문에 제품 목록을 추가합니다." +msgstr "" +"제공된 `product_uuid` 및 `attributes`를 사용하여 주문에 제품 목록을 추가합니" +"다." #: engine/core/docs/drf/viewsets.py:472 msgid "remove product from order" @@ -496,7 +501,8 @@ msgstr "주문에서 제품 제거" msgid "" "removes a product from an order using the provided `product_uuid` and " "`attributes`." -msgstr "제공된 `product_uuid` 및 `attributes`를 사용하여 주문에서 제품을 제거합니다." +msgstr "" +"제공된 `product_uuid` 및 `attributes`를 사용하여 주문에서 제품을 제거합니다." #: engine/core/docs/drf/viewsets.py:483 msgid "remove product from order, quantities will not count" @@ -506,7 +512,9 @@ msgstr "주문에서 제품을 제거하면 수량이 계산되지 않습니다. msgid "" "removes a list of products from an order using the provided `product_uuid` " "and `attributes`" -msgstr "제공된 `product_uuid` 및 `attributes`를 사용하여 주문에서 제품 목록을 제거합니다." +msgstr "" +"제공된 `product_uuid` 및 `attributes`를 사용하여 주문에서 제품 목록을 제거합" +"니다." #: engine/core/docs/drf/viewsets.py:497 msgid "list all wishlists (simple view)" @@ -579,24 +587,34 @@ msgstr "주문에서 제품 제거" #: engine/core/docs/drf/viewsets.py:590 msgid "" "removes many products from an wishlist using the provided `product_uuids`" -msgstr "제공된 `product_uuids`를 사용하여 위시리스트에서 많은 제품을 제거합니다." +msgstr "" +"제공된 `product_uuids`를 사용하여 위시리스트에서 많은 제품을 제거합니다." #: engine/core/docs/drf/viewsets.py:598 msgid "" "Filter by one or more attribute name/value pairs. \n" "• **Syntax**: `attr_name=method-value[;attr2=method2-value2]…` \n" -"• **Methods** (defaults to `icontains` if omitted): `iexact`, `exact`, `icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, `iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in` \n" -"• **Value typing**: JSON is attempted first (so you can pass lists/dicts), `true`/`false` for booleans, integers, floats; otherwise treated as string. \n" +"• **Methods** (defaults to `icontains` if omitted): `iexact`, `exact`, " +"`icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, " +"`iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in` \n" +"• **Value typing**: JSON is attempted first (so you can pass lists/dicts), " +"`true`/`false` for booleans, integers, floats; otherwise treated as " +"string. \n" "• **Base64**: prefix with `b64-` to URL-safe base64-encode the raw value. \n" "Examples: \n" -"`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\",\"bluetooth\"]`, \n" +"`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\"," +"\"bluetooth\"]`, \n" "`b64-description=icontains-aGVhdC1jb2xk`" msgstr "" "하나 이상의 속성 이름/값 쌍을 기준으로 필터링합니다. \n" "- 구문**: `attr_name=메소드-값[;attr2=메소드2-값2]...`\n" -"- **방법**(생략 시 기본값은 `icontains`): `iexact`, `exact`, `icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, `iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in`\n" -"- **값 입력**: JSON이 먼저 시도되며(목록/딕을 전달할 수 있도록), 부울, 정수, 부동 소수점의 경우 `true`/`false`, 그렇지 않으면 문자열로 처리됩니다. \n" -"- Base64**: 접두사 앞에 `b64-`를 추가하여 URL에 안전한 base64로 원시 값을 인코딩합니다. \n" +"- **방법**(생략 시 기본값은 `icontains`): `iexact`, `exact`, `icontains`, " +"`contains`, `isnull`, `startswith`, `istartswith`, `endswith`, `iendswith`, " +"`regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in`\n" +"- **값 입력**: JSON이 먼저 시도되며(목록/딕을 전달할 수 있도록), 부울, 정수, " +"부동 소수점의 경우 `true`/`false`, 그렇지 않으면 문자열로 처리됩니다. \n" +"- Base64**: 접두사 앞에 `b64-`를 추가하여 URL에 안전한 base64로 원시 값을 인" +"코딩합니다. \n" "예시: \n" "색상=정확-빨간색`, `크기=gt-10`, `기능=in-[\"wifi\",\"블루투스\"]`,\n" "b64-description=icontains-aGVhdC1jb2xk`" @@ -611,10 +629,12 @@ msgstr "(정확한) 제품 UUID" #: engine/core/docs/drf/viewsets.py:630 msgid "" -"Comma-separated list of fields to sort by. Prefix with `-` for descending. \n" +"Comma-separated list of fields to sort by. Prefix with `-` for " +"descending. \n" "**Allowed:** uuid, rating, name, slug, created, modified, price, random" msgstr "" -"정렬할 필드의 쉼표로 구분된 목록입니다. 접두사 앞에 `-`를 붙여 내림차순으로 정렬합니다. \n" +"정렬할 필드의 쉼표로 구분된 목록입니다. 접두사 앞에 `-`를 붙여 내림차순으로 " +"정렬합니다. \n" "**허용됨:** uuid, 등급, 이름, 슬러그, 생성, 수정, 가격, 랜덤" #: engine/core/docs/drf/viewsets.py:647 engine/core/docs/drf/viewsets.py:648 @@ -710,7 +730,8 @@ msgstr "편집할 수 없는 기존 피드백을 다시 작성합니다." #: engine/core/docs/drf/viewsets.py:909 msgid "rewrite some fields of an existing feedback saving non-editables" -msgstr "기존 피드백의 일부 필드를 다시 작성하여 편집할 수 없는 항목을 저장합니다." +msgstr "" +"기존 피드백의 일부 필드를 다시 작성하여 편집할 수 없는 항목을 저장합니다." #: engine/core/docs/drf/viewsets.py:919 msgid "list all order–product relations (simple view)" @@ -992,7 +1013,8 @@ msgstr "SKU" #: engine/core/filters.py:212 msgid "there must be a category_uuid to use include_subcategories flag" -msgstr "include_subcategories 플래그를 사용하려면 category_uuid가 있어야 합니다." +msgstr "" +"include_subcategories 플래그를 사용하려면 category_uuid가 있어야 합니다." #: engine/core/filters.py:398 msgid "Search (ID, product name or part number)" @@ -1144,8 +1166,8 @@ msgstr "주문 구매" #: engine/core/graphene/mutations.py:542 msgid "" -"please send the attributes as the string formatted like " -"attr1=value1,attr2=value2" +"please send the attributes as the string formatted like attr1=value1," +"attr2=value2" msgstr "속성을 attr1=value1,attr2=value2와 같은 형식의 문자열로 보내주세요." #: engine/core/graphene/mutations.py:580 @@ -1182,8 +1204,8 @@ msgid "elasticsearch - works like a charm" msgstr "ElasticSearch - 마법처럼 작동" #: engine/core/graphene/object_types.py:84 -#: engine/core/graphene/object_types.py:419 -#: engine/core/graphene/object_types.py:470 engine/core/models.py:796 +#: engine/core/graphene/object_types.py:420 +#: engine/core/graphene/object_types.py:471 engine/core/models.py:796 #: engine/core/models.py:1290 engine/core/models.py:2022 msgid "attributes" msgstr "속성" @@ -1197,8 +1219,8 @@ msgid "groups of attributes" msgstr "속성 그룹" #: engine/core/graphene/object_types.py:118 -#: engine/core/graphene/object_types.py:216 -#: engine/core/graphene/object_types.py:254 engine/core/models.py:440 +#: engine/core/graphene/object_types.py:217 +#: engine/core/graphene/object_types.py:255 engine/core/models.py:440 msgid "categories" msgstr "카테고리" @@ -1206,131 +1228,132 @@ msgstr "카테고리" msgid "brands" msgstr "브랜드" -#: engine/core/graphene/object_types.py:218 +#: engine/core/graphene/object_types.py:219 msgid "category image url" msgstr "카테고리" -#: engine/core/graphene/object_types.py:219 -#: engine/core/graphene/object_types.py:364 engine/core/models.py:278 +#: engine/core/graphene/object_types.py:220 +#: engine/core/graphene/object_types.py:365 engine/core/models.py:278 msgid "markup percentage" msgstr "마크업 퍼센트" -#: engine/core/graphene/object_types.py:223 +#: engine/core/graphene/object_types.py:224 msgid "which attributes and values can be used for filtering this category." msgstr "이 카테고리를 필터링하는 데 사용할 수 있는 속성 및 값입니다." -#: engine/core/graphene/object_types.py:229 -msgid "" -"minimum and maximum prices for products in this category, if available." +#: engine/core/graphene/object_types.py:230 +msgid "minimum and maximum prices for products in this category, if available." msgstr "이 카테고리의 제품에 대한 최소 및 최대 가격(가능한 경우)." -#: engine/core/graphene/object_types.py:233 +#: engine/core/graphene/object_types.py:234 msgid "tags for this category" msgstr "이 카테고리의 태그" -#: engine/core/graphene/object_types.py:236 +#: engine/core/graphene/object_types.py:237 msgid "products in this category" msgstr "이 카테고리의 제품" -#: engine/core/graphene/object_types.py:371 engine/core/models.py:183 +#: engine/core/graphene/object_types.py:372 engine/core/models.py:183 msgid "vendors" msgstr "공급업체" -#: engine/core/graphene/object_types.py:375 +#: engine/core/graphene/object_types.py:376 msgid "Latitude (Y coordinate)" msgstr "위도(Y 좌표)" -#: engine/core/graphene/object_types.py:376 +#: engine/core/graphene/object_types.py:377 msgid "Longitude (X coordinate)" msgstr "경도(X 좌표)" -#: engine/core/graphene/object_types.py:405 +#: engine/core/graphene/object_types.py:406 msgid "comment" msgstr "방법" -#: engine/core/graphene/object_types.py:407 -#: engine/core/graphene/object_types.py:541 +#: engine/core/graphene/object_types.py:408 +#: engine/core/graphene/object_types.py:542 msgid "rating value from 1 to 10, inclusive, or 0 if not set." msgstr "1에서 10까지의 등급 값(포함) 또는 설정하지 않은 경우 0입니다." -#: engine/core/graphene/object_types.py:415 +#: engine/core/graphene/object_types.py:416 msgid "represents feedback from a user." msgstr "사용자의 피드백을 나타냅니다." -#: engine/core/graphene/object_types.py:420 -#: engine/core/graphene/object_types.py:471 engine/core/models.py:1284 +#: engine/core/graphene/object_types.py:421 +#: engine/core/graphene/object_types.py:472 engine/core/models.py:1284 msgid "notifications" msgstr "알림" -#: engine/core/graphene/object_types.py:422 +#: engine/core/graphene/object_types.py:423 msgid "download url for this order product if applicable" msgstr "해당되는 경우 이 주문 제품의 URL 다운로드" -#: engine/core/graphene/object_types.py:424 engine/core/models.py:1849 +#: engine/core/graphene/object_types.py:425 engine/core/models.py:1849 msgid "feedback" msgstr "피드백" -#: engine/core/graphene/object_types.py:458 +#: engine/core/graphene/object_types.py:459 msgid "a list of order products in this order" msgstr "주문 제품 목록은 다음 순서로 표시됩니다." -#: engine/core/graphene/object_types.py:460 engine/core/models.py:1254 +#: engine/core/graphene/object_types.py:461 engine/core/models.py:1254 msgid "billing address" msgstr "청구서 수신 주소" -#: engine/core/graphene/object_types.py:464 +#: engine/core/graphene/object_types.py:465 msgid "" "shipping address for this order, leave blank if same as billing address or " "if not applicable" -msgstr "이 주문의 배송 주소는 청구지 주소와 동일하거나 해당되지 않는 경우 비워 둡니다." +msgstr "" +"이 주문의 배송 주소는 청구지 주소와 동일하거나 해당되지 않는 경우 비워 둡니" +"다." -#: engine/core/graphene/object_types.py:467 +#: engine/core/graphene/object_types.py:468 msgid "total price of this order" msgstr "이 주문의 총 가격" -#: engine/core/graphene/object_types.py:468 +#: engine/core/graphene/object_types.py:469 msgid "total quantity of products in order" msgstr "주문한 제품의 총 수량" -#: engine/core/graphene/object_types.py:469 +#: engine/core/graphene/object_types.py:470 msgid "are all products in the order digital" msgstr "주문에 포함된 모든 제품이 디지털 제품인가요?" -#: engine/core/graphene/object_types.py:473 +#: engine/core/graphene/object_types.py:474 msgid "transactions for this order" msgstr "이 주문에 대한 거래" -#: engine/core/graphene/object_types.py:493 engine/core/models.py:1318 +#: engine/core/graphene/object_types.py:494 engine/core/models.py:1318 msgid "orders" msgstr "주문" -#: engine/core/graphene/object_types.py:514 +#: engine/core/graphene/object_types.py:515 msgid "image url" msgstr "이미지 URL" -#: engine/core/graphene/object_types.py:521 +#: engine/core/graphene/object_types.py:522 msgid "product's images" msgstr "제품 이미지" -#: engine/core/graphene/object_types.py:528 engine/core/models.py:439 +#: engine/core/graphene/object_types.py:529 engine/core/models.py:439 #: engine/core/models.py:596 msgid "category" msgstr "카테고리" -#: engine/core/graphene/object_types.py:530 engine/core/models.py:1850 +#: engine/core/graphene/object_types.py:531 engine/core/models.py:1850 msgid "feedbacks" msgstr "피드백" -#: engine/core/graphene/object_types.py:531 engine/core/models.py:510 +#: engine/core/graphene/object_types.py:532 engine/core/models.py:510 #: engine/core/models.py:605 msgid "brand" msgstr "브랜드" -#: engine/core/graphene/object_types.py:533 engine/core/models.py:103 +#: engine/core/graphene/object_types.py:534 engine/core/models.py:103 msgid "attribute groups" msgstr "속성 그룹" -#: engine/core/graphene/object_types.py:535 +#: engine/core/graphene/object_types.py:536 #: engine/core/templates/digital_order_created_email.html:111 #: engine/core/templates/digital_order_delivered_email.html:109 #: engine/core/templates/shipped_order_created_email.html:109 @@ -1338,7 +1361,7 @@ msgstr "속성 그룹" msgid "price" msgstr "가격" -#: engine/core/graphene/object_types.py:536 +#: engine/core/graphene/object_types.py:537 #: engine/core/templates/digital_order_created_email.html:110 #: engine/core/templates/digital_order_delivered_email.html:108 #: engine/core/templates/shipped_order_created_email.html:108 @@ -1346,39 +1369,39 @@ msgstr "가격" msgid "quantity" msgstr "수량" -#: engine/core/graphene/object_types.py:537 +#: engine/core/graphene/object_types.py:538 msgid "number of feedbacks" msgstr "피드백 수" -#: engine/core/graphene/object_types.py:538 +#: engine/core/graphene/object_types.py:539 msgid "only available for personal orders" msgstr "개인 주문만 가능한 제품" -#: engine/core/graphene/object_types.py:543 +#: engine/core/graphene/object_types.py:544 msgid "discount price" msgstr "할인 가격" -#: engine/core/graphene/object_types.py:567 engine/core/models.py:677 +#: engine/core/graphene/object_types.py:568 engine/core/models.py:677 msgid "products" msgstr "제품" -#: engine/core/graphene/object_types.py:677 +#: engine/core/graphene/object_types.py:678 msgid "promocodes" msgstr "프로모션 코드" -#: engine/core/graphene/object_types.py:692 +#: engine/core/graphene/object_types.py:693 msgid "products on sale" msgstr "판매 중인 제품" -#: engine/core/graphene/object_types.py:700 engine/core/models.py:928 +#: engine/core/graphene/object_types.py:701 engine/core/models.py:928 msgid "promotions" msgstr "프로모션" -#: engine/core/graphene/object_types.py:704 engine/core/models.py:182 +#: engine/core/graphene/object_types.py:705 engine/core/models.py:182 msgid "vendor" msgstr "공급업체" -#: engine/core/graphene/object_types.py:705 engine/core/models.py:676 +#: engine/core/graphene/object_types.py:706 engine/core/models.py:676 #: engine/core/templates/digital_order_created_email.html:109 #: engine/core/templates/digital_order_delivered_email.html:107 #: engine/core/templates/shipped_order_created_email.html:107 @@ -1386,98 +1409,99 @@ msgstr "공급업체" msgid "product" msgstr "제품" -#: engine/core/graphene/object_types.py:717 engine/core/models.py:951 +#: engine/core/graphene/object_types.py:718 engine/core/models.py:951 msgid "wishlisted products" msgstr "위시리스트 제품" -#: engine/core/graphene/object_types.py:724 engine/core/models.py:968 +#: engine/core/graphene/object_types.py:725 engine/core/models.py:968 msgid "wishlists" msgstr "위시리스트" -#: engine/core/graphene/object_types.py:729 +#: engine/core/graphene/object_types.py:730 msgid "tagged products" msgstr "태그가 지정된 제품" -#: engine/core/graphene/object_types.py:737 engine/core/models.py:219 +#: engine/core/graphene/object_types.py:738 engine/core/models.py:219 #: engine/core/models.py:611 msgid "product tags" msgstr "제품 태그" -#: engine/core/graphene/object_types.py:742 +#: engine/core/graphene/object_types.py:743 msgid "tagged categories" msgstr "태그가 지정된 카테고리" -#: engine/core/graphene/object_types.py:750 +#: engine/core/graphene/object_types.py:751 msgid "categories tags" msgstr "카테고리 태그" -#: engine/core/graphene/object_types.py:754 +#: engine/core/graphene/object_types.py:755 msgid "project name" msgstr "프로젝트 이름" -#: engine/core/graphene/object_types.py:755 +#: engine/core/graphene/object_types.py:756 msgid "company name" msgstr "회사 이름" -#: engine/core/graphene/object_types.py:756 +#: engine/core/graphene/object_types.py:757 msgid "company address" msgstr "회사 주소" -#: engine/core/graphene/object_types.py:757 +#: engine/core/graphene/object_types.py:758 msgid "company phone number" msgstr "회사 전화번호" -#: engine/core/graphene/object_types.py:760 +#: engine/core/graphene/object_types.py:761 msgid "email from, sometimes it must be used instead of host user value" -msgstr "'이메일 보낸 사람'을 호스트 사용자 값 대신 사용해야 하는 경우가 있습니다." +msgstr "" +"'이메일 보낸 사람'을 호스트 사용자 값 대신 사용해야 하는 경우가 있습니다." -#: engine/core/graphene/object_types.py:763 +#: engine/core/graphene/object_types.py:764 msgid "email host user" msgstr "이메일 호스트 사용자" -#: engine/core/graphene/object_types.py:764 +#: engine/core/graphene/object_types.py:765 msgid "maximum amount for payment" msgstr "최대 결제 금액" -#: engine/core/graphene/object_types.py:765 +#: engine/core/graphene/object_types.py:766 msgid "minimum amount for payment" msgstr "최소 결제 금액" -#: engine/core/graphene/object_types.py:766 +#: engine/core/graphene/object_types.py:767 msgid "analytics data" msgstr "애널리틱스 데이터" -#: engine/core/graphene/object_types.py:767 +#: engine/core/graphene/object_types.py:768 msgid "advertisement data" msgstr "광고 데이터" -#: engine/core/graphene/object_types.py:770 +#: engine/core/graphene/object_types.py:771 msgid "company configuration" msgstr "구성" -#: engine/core/graphene/object_types.py:774 +#: engine/core/graphene/object_types.py:775 msgid "language code" msgstr "언어 코드" -#: engine/core/graphene/object_types.py:775 +#: engine/core/graphene/object_types.py:776 msgid "language name" msgstr "언어 이름" -#: engine/core/graphene/object_types.py:776 +#: engine/core/graphene/object_types.py:777 msgid "language flag, if exists :)" msgstr "언어 플래그가 있는 경우 :)" -#: engine/core/graphene/object_types.py:779 +#: engine/core/graphene/object_types.py:780 msgid "supported languages" msgstr "지원되는 언어 목록 보기" -#: engine/core/graphene/object_types.py:811 -#: engine/core/graphene/object_types.py:814 -#: engine/core/graphene/object_types.py:817 +#: engine/core/graphene/object_types.py:812 +#: engine/core/graphene/object_types.py:815 +#: engine/core/graphene/object_types.py:818 msgid "products search results" msgstr "제품 검색 결과" -#: engine/core/graphene/object_types.py:819 +#: engine/core/graphene/object_types.py:820 msgid "posts search results" msgstr "제품 검색 결과" @@ -1488,8 +1512,10 @@ msgid "" "parent group, forming a hierarchical structure. This can be useful for " "categorizing and managing attributes more effectively in acomplex system." msgstr "" -"계층적일 수 있는 속성 그룹을 나타냅니다. 이 클래스는 속성 그룹을 관리하고 구성하는 데 사용됩니다. 속성 그룹은 상위 그룹을 가질 수 " -"있으며 계층 구조를 형성할 수 있습니다. 이는 복잡한 시스템에서 속성을 보다 효과적으로 분류하고 관리하는 데 유용할 수 있습니다." +"계층적일 수 있는 속성 그룹을 나타냅니다. 이 클래스는 속성 그룹을 관리하고 구" +"성하는 데 사용됩니다. 속성 그룹은 상위 그룹을 가질 수 있으며 계층 구조를 형성" +"할 수 있습니다. 이는 복잡한 시스템에서 속성을 보다 효과적으로 분류하고 관리하" +"는 데 유용할 수 있습니다." #: engine/core/models.py:88 msgid "parent of this group" @@ -1517,10 +1543,12 @@ msgid "" "also maintains additional metadata and constraints, making it suitable for " "use in systems that interact with third-party vendors." msgstr "" -"외부 공급업체 및 해당 공급업체의 상호 작용 요구 사항에 대한 정보를 저장할 수 있는 공급업체 엔티티를 나타냅니다. 공급업체 클래스는 " -"외부 공급업체와 관련된 정보를 정의하고 관리하는 데 사용됩니다. 공급업체의 이름, 통신에 필요한 인증 세부 정보, 공급업체에서 검색한 " -"제품에 적용된 마크업 비율을 저장합니다. 또한 이 모델은 추가 메타데이터 및 제약 조건을 유지하므로 타사 공급업체와 상호 작용하는 " -"시스템에서 사용하기에 적합합니다." +"외부 공급업체 및 해당 공급업체의 상호 작용 요구 사항에 대한 정보를 저장할 수 " +"있는 공급업체 엔티티를 나타냅니다. 공급업체 클래스는 외부 공급업체와 관련된 " +"정보를 정의하고 관리하는 데 사용됩니다. 공급업체의 이름, 통신에 필요한 인증 " +"세부 정보, 공급업체에서 검색한 제품에 적용된 마크업 비율을 저장합니다. 또한 " +"이 모델은 추가 메타데이터 및 제약 조건을 유지하므로 타사 공급업체와 상호 작용" +"하는 시스템에서 사용하기에 적합합니다." #: engine/core/models.py:122 msgid "stores credentials and endpoints required for vendor communication" @@ -1570,9 +1598,10 @@ msgid "" "display name. It supports operations exported through mixins and provides " "metadata customization for administrative purposes." msgstr "" -"제품을 분류하거나 식별하는 데 사용되는 제품 태그를 나타냅니다. ProductTag 클래스는 내부 태그 식별자와 사용자 친화적인 표시 " -"이름의 조합을 통해 제품을 고유하게 식별하고 분류하도록 설계되었습니다. 믹스인을 통해 내보낸 작업을 지원하며 관리 목적으로 메타데이터 " -"사용자 지정을 제공합니다." +"제품을 분류하거나 식별하는 데 사용되는 제품 태그를 나타냅니다. ProductTag 클" +"래스는 내부 태그 식별자와 사용자 친화적인 표시 이름의 조합을 통해 제품을 고유" +"하게 식별하고 분류하도록 설계되었습니다. 믹스인을 통해 내보낸 작업을 지원하" +"며 관리 목적으로 메타데이터 사용자 지정을 제공합니다." #: engine/core/models.py:204 engine/core/models.py:235 msgid "internal tag identifier for the product tag" @@ -1600,8 +1629,9 @@ msgid "" "tag that can be used to associate and classify products. It includes " "attributes for an internal tag identifier and a user-friendly display name." msgstr "" -"제품에 사용되는 카테고리 태그를 나타냅니다. 이 클래스는 제품을 연결하고 분류하는 데 사용할 수 있는 카테고리 태그를 모델링합니다. 내부" -" 태그 식별자 및 사용자 친화적인 표시 이름에 대한 속성을 포함합니다." +"제품에 사용되는 카테고리 태그를 나타냅니다. 이 클래스는 제품을 연결하고 분류" +"하는 데 사용할 수 있는 카테고리 태그를 모델링합니다. 내부 태그 식별자 및 사용" +"자 친화적인 표시 이름에 대한 속성을 포함합니다." #: engine/core/models.py:249 msgid "category tag" @@ -1623,10 +1653,13 @@ msgid "" "hierarchy of categories, as well as assign attributes like images, tags, or " "priority." msgstr "" -"관련 항목을 계층 구조로 정리하고 그룹화할 카테고리 엔티티를 나타냅니다. 카테고리는 다른 카테고리와 계층적 관계를 가질 수 있으며, " -"상위-하위 관계를 지원합니다. 이 클래스에는 카테고리 관련 기능의 기반이 되는 메타데이터 및 시각적 표현을 위한 필드가 포함되어 " -"있습니다. 이 클래스는 일반적으로 애플리케이션 내에서 제품 카테고리 또는 기타 유사한 그룹을 정의하고 관리하는 데 사용되며, 사용자나 " -"관리자가 카테고리의 이름, 설명 및 계층 구조를 지정하고 이미지, 태그 또는 우선순위와 같은 속성을 할당할 수 있도록 합니다." +"관련 항목을 계층 구조로 정리하고 그룹화할 카테고리 엔티티를 나타냅니다. 카테" +"고리는 다른 카테고리와 계층적 관계를 가질 수 있으며, 상위-하위 관계를 지원합" +"니다. 이 클래스에는 카테고리 관련 기능의 기반이 되는 메타데이터 및 시각적 표" +"현을 위한 필드가 포함되어 있습니다. 이 클래스는 일반적으로 애플리케이션 내에" +"서 제품 카테고리 또는 기타 유사한 그룹을 정의하고 관리하는 데 사용되며, 사용" +"자나 관리자가 카테고리의 이름, 설명 및 계층 구조를 지정하고 이미지, 태그 또" +"는 우선순위와 같은 속성을 할당할 수 있도록 합니다." #: engine/core/models.py:269 msgid "upload an image representing this category" @@ -1677,11 +1710,11 @@ msgid "" "Represents a Brand object in the system. This class handles information and " "attributes related to a brand, including its name, logos, description, " "associated categories, a unique slug, and priority order. It allows for the " -"organization and representation of brand-related data within the " -"application." +"organization and representation of brand-related data within the application." msgstr "" -"시스템에서 브랜드 객체를 나타냅니다. 이 클래스는 이름, 로고, 설명, 관련 카테고리, 고유 슬러그, 우선순위 등 브랜드와 관련된 정보 " -"및 속성을 처리합니다. 이를 통해 애플리케이션 내에서 브랜드 관련 데이터를 구성하고 표현할 수 있습니다." +"시스템에서 브랜드 객체를 나타냅니다. 이 클래스는 이름, 로고, 설명, 관련 카테" +"고리, 고유 슬러그, 우선순위 등 브랜드와 관련된 정보 및 속성을 처리합니다. 이" +"를 통해 애플리케이션 내에서 브랜드 관련 데이터를 구성하고 표현할 수 있습니다." #: engine/core/models.py:456 msgid "name of this brand" @@ -1725,16 +1758,17 @@ msgstr "카테고리" #: engine/core/models.py:516 msgid "" -"Represents the stock of a product managed in the system. This class provides" -" details about the relationship between vendors, products, and their stock " +"Represents the stock of a product managed in the system. This class provides " +"details about the relationship between vendors, products, and their stock " "information, as well as inventory-related properties like price, purchase " "price, quantity, SKU, and digital assets. It is part of the inventory " "management system to allow tracking and evaluation of products available " "from various vendors." msgstr "" -"시스템에서 관리되는 제품의 재고를 나타냅니다. 이 클래스는 공급업체, 제품, 재고 정보 간의 관계와 가격, 구매 가격, 수량, SKU 및" -" 디지털 자산과 같은 재고 관련 속성에 대한 세부 정보를 제공합니다. 다양한 공급업체에서 제공하는 제품을 추적하고 평가할 수 있도록 하는" -" 재고 관리 시스템의 일부입니다." +"시스템에서 관리되는 제품의 재고를 나타냅니다. 이 클래스는 공급업체, 제품, 재" +"고 정보 간의 관계와 가격, 구매 가격, 수량, SKU 및 디지털 자산과 같은 재고 관" +"련 속성에 대한 세부 정보를 제공합니다. 다양한 공급업체에서 제공하는 제품을 추" +"적하고 평가할 수 있도록 하는 재고 관리 시스템의 일부입니다." #: engine/core/models.py:528 msgid "the vendor supplying this product stock" @@ -1812,10 +1846,13 @@ msgid "" "properties to improve performance. It is used to define and manipulate " "product data and its associated information within an application." msgstr "" -"카테고리, 브랜드, 태그, 디지털 상태, 이름, 설명, 부품 번호, 슬러그 등의 속성을 가진 제품을 나타냅니다. 평점, 피드백 수, " -"가격, 수량, 총 주문 수 등을 검색할 수 있는 관련 유틸리티 속성을 제공합니다. 이커머스 또는 재고 관리를 처리하는 시스템에서 " -"사용하도록 설계되었습니다. 이 클래스는 관련 모델(예: 카테고리, 브랜드, 제품 태그)과 상호 작용하고 자주 액세스하는 속성에 대한 " -"캐싱을 관리하여 성능을 개선합니다. 애플리케이션 내에서 제품 데이터 및 관련 정보를 정의하고 조작하는 데 사용됩니다." +"카테고리, 브랜드, 태그, 디지털 상태, 이름, 설명, 부품 번호, 슬러그 등의 속성" +"을 가진 제품을 나타냅니다. 평점, 피드백 수, 가격, 수량, 총 주문 수 등을 검색" +"할 수 있는 관련 유틸리티 속성을 제공합니다. 이커머스 또는 재고 관리를 처리하" +"는 시스템에서 사용하도록 설계되었습니다. 이 클래스는 관련 모델(예: 카테고리, " +"브랜드, 제품 태그)과 상호 작용하고 자주 액세스하는 속성에 대한 캐싱을 관리하" +"여 성능을 개선합니다. 애플리케이션 내에서 제품 데이터 및 관련 정보를 정의하" +"고 조작하는 데 사용됩니다." #: engine/core/models.py:595 msgid "category this product belongs to" @@ -1878,13 +1915,15 @@ msgid "" "Represents an attribute in the system. This class is used to define and " "manage attributes, which are customizable pieces of data that can be " "associated with other entities. Attributes have associated categories, " -"groups, value types, and names. The model supports multiple types of values," -" including string, integer, float, boolean, array, and object. This allows " +"groups, value types, and names. The model supports multiple types of values, " +"including string, integer, float, boolean, array, and object. This allows " "for dynamic and flexible data structuring." msgstr "" -"시스템의 속성을 나타냅니다. 이 클래스는 다른 엔티티와 연결할 수 있는 사용자 지정 가능한 데이터 조각인 속성을 정의하고 관리하는 데 " -"사용됩니다. 속성에는 연관된 카테고리, 그룹, 값 유형 및 이름이 있습니다. 이 모델은 문자열, 정수, 실수, 부울, 배열, 객체 등 " -"여러 유형의 값을 지원합니다. 이를 통해 동적이고 유연한 데이터 구조화가 가능합니다." +"시스템의 속성을 나타냅니다. 이 클래스는 다른 엔티티와 연결할 수 있는 사용자 " +"지정 가능한 데이터 조각인 속성을 정의하고 관리하는 데 사용됩니다. 속성에는 연" +"관된 카테고리, 그룹, 값 유형 및 이름이 있습니다. 이 모델은 문자열, 정수, 실" +"수, 부울, 배열, 객체 등 여러 유형의 값을 지원합니다. 이를 통해 동적이고 유연" +"한 데이터 구조화가 가능합니다." #: engine/core/models.py:755 msgid "group of this attribute" @@ -1945,12 +1984,12 @@ msgstr "속성" #: engine/core/models.py:801 msgid "" -"Represents a specific value for an attribute that is linked to a product. It" -" links the 'attribute' to a unique 'value', allowing better organization and" -" dynamic representation of product characteristics." +"Represents a specific value for an attribute that is linked to a product. It " +"links the 'attribute' to a unique 'value', allowing better organization and " +"dynamic representation of product characteristics." msgstr "" -"상품에 연결된 속성의 특정 값을 나타냅니다. '속성'을 고유한 '값'에 연결하여 제품 특성을 더 잘 구성하고 동적으로 표현할 수 " -"있습니다." +"상품에 연결된 속성의 특정 값을 나타냅니다. '속성'을 고유한 '값'에 연결하여 제" +"품 특성을 더 잘 구성하고 동적으로 표현할 수 있습니다." #: engine/core/models.py:812 msgid "attribute of this value" @@ -1967,13 +2006,15 @@ msgstr "이 속성의 구체적인 값은 다음과 같습니다." #: engine/core/models.py:839 msgid "" "Represents a product image associated with a product in the system. This " -"class is designed to manage images for products, including functionality for" -" uploading image files, associating them with specific products, and " +"class is designed to manage images for products, including functionality for " +"uploading image files, associating them with specific products, and " "determining their display order. It also includes an accessibility feature " "with alternative text for the images." msgstr "" -"시스템에서 제품과 연관된 제품 이미지를 나타냅니다. 이 클래스는 이미지 파일 업로드, 특정 제품과의 연결, 표시 순서 결정 등의 기능을 " -"포함하여 제품의 이미지를 관리하도록 설계되었습니다. 또한 이미지에 대한 대체 텍스트가 포함된 접근성 기능도 포함되어 있습니다." +"시스템에서 제품과 연관된 제품 이미지를 나타냅니다. 이 클래스는 이미지 파일 업" +"로드, 특정 제품과의 연결, 표시 순서 결정 등의 기능을 포함하여 제품의 이미지" +"를 관리하도록 설계되었습니다. 또한 이미지에 대한 대체 텍스트가 포함된 접근성 " +"기능도 포함되어 있습니다." #: engine/core/models.py:850 msgid "provide alternative text for the image for accessibility" @@ -2013,12 +2054,14 @@ msgid "" "is used to define and manage promotional campaigns that offer a percentage-" "based discount for products. The class includes attributes for setting the " "discount rate, providing details about the promotion, and linking it to the " -"applicable products. It integrates with the product catalog to determine the" -" affected items in the campaign." +"applicable products. It integrates with the product catalog to determine the " +"affected items in the campaign." msgstr "" -"할인이 적용되는 제품에 대한 프로모션 캠페인을 나타냅니다. 이 클래스는 제품에 대해 백분율 기반 할인을 제공하는 프로모션 캠페인을 " -"정의하고 관리하는 데 사용됩니다. 이 클래스에는 할인율 설정, 프로모션에 대한 세부 정보 제공 및 해당 제품에 대한 링크를 위한 속성이 " -"포함되어 있습니다. 제품 카탈로그와 통합되어 캠페인에서 영향을 받는 품목을 결정합니다." +"할인이 적용되는 제품에 대한 프로모션 캠페인을 나타냅니다. 이 클래스는 제품에 " +"대해 백분율 기반 할인을 제공하는 프로모션 캠페인을 정의하고 관리하는 데 사용" +"됩니다. 이 클래스에는 할인율 설정, 프로모션에 대한 세부 정보 제공 및 해당 제" +"품에 대한 링크를 위한 속성이 포함되어 있습니다. 제품 카탈로그와 통합되어 캠페" +"인에서 영향을 받는 품목을 결정합니다." #: engine/core/models.py:904 msgid "percentage discount for the selected products" @@ -2059,8 +2102,9 @@ msgid "" "operations such as adding and removing products, as well as supporting " "operations for adding and removing multiple products at once." msgstr "" -"원하는 상품을 저장하고 관리하기 위한 사용자의 위시리스트를 나타냅니다. 이 클래스는 제품 컬렉션을 관리하는 기능을 제공하여 제품 추가 및" -" 제거와 같은 작업을 지원할 뿐만 아니라 여러 제품을 한 번에 추가 및 제거하는 작업도 지원합니다." +"원하는 상품을 저장하고 관리하기 위한 사용자의 위시리스트를 나타냅니다. 이 클" +"래스는 제품 컬렉션을 관리하는 기능을 제공하여 제품 추가 및 제거와 같은 작업" +"을 지원할 뿐만 아니라 여러 제품을 한 번에 추가 및 제거하는 작업도 지원합니다." #: engine/core/models.py:950 msgid "products that the user has marked as wanted" @@ -2084,12 +2128,14 @@ msgid "" "store information about documentaries related to specific products, " "including file uploads and their metadata. It contains methods and " "properties to handle the file type and storage path for the documentary " -"files. It extends functionality from specific mixins and provides additional" -" custom features." +"files. It extends functionality from specific mixins and provides additional " +"custom features." msgstr "" -"상품에 연결된 다큐멘터리 레코드를 나타냅니다. 이 클래스는 파일 업로드 및 메타데이터를 포함하여 특정 제품과 관련된 다큐멘터리에 대한 " -"정보를 저장하는 데 사용됩니다. 여기에는 다큐멘터리 파일의 파일 유형과 저장 경로를 처리하는 메서드와 프로퍼티가 포함되어 있습니다. 특정" -" 믹스인의 기능을 확장하고 추가 사용자 정의 기능을 제공합니다." +"상품에 연결된 다큐멘터리 레코드를 나타냅니다. 이 클래스는 파일 업로드 및 메타" +"데이터를 포함하여 특정 제품과 관련된 다큐멘터리에 대한 정보를 저장하는 데 사" +"용됩니다. 여기에는 다큐멘터리 파일의 파일 유형과 저장 경로를 처리하는 메서드" +"와 프로퍼티가 포함되어 있습니다. 특정 믹스인의 기능을 확장하고 추가 사용자 정" +"의 기능을 제공합니다." #: engine/core/models.py:1024 msgid "documentary" @@ -2105,19 +2151,22 @@ msgstr "해결되지 않음" #: engine/core/models.py:1040 msgid "" -"Represents an address entity that includes location details and associations" -" with a user. Provides functionality for geographic and address data " -"storage, as well as integration with geocoding services. This class is " -"designed to store detailed address information including components like " -"street, city, region, country, and geolocation (longitude and latitude). It " -"supports integration with geocoding APIs, enabling the storage of raw API " -"responses for further processing or inspection. The class also allows " -"associating an address with a user, facilitating personalized data handling." +"Represents an address entity that includes location details and associations " +"with a user. Provides functionality for geographic and address data storage, " +"as well as integration with geocoding services. This class is designed to " +"store detailed address information including components like street, city, " +"region, country, and geolocation (longitude and latitude). It supports " +"integration with geocoding APIs, enabling the storage of raw API responses " +"for further processing or inspection. The class also allows associating an " +"address with a user, facilitating personalized data handling." msgstr "" -"위치 세부 정보 및 사용자와의 연결을 포함하는 주소 엔티티를 나타냅니다. 지리적 및 주소 데이터 저장과 지오코딩 서비스와의 통합을 위한 " -"기능을 제공합니다. 이 클래스는 거리, 도시, 지역, 국가, 지리적 위치(경도 및 위도)와 같은 구성 요소를 포함한 상세한 주소 정보를 " -"저장하도록 설계되었습니다. 지오코딩 API와의 통합을 지원하여 추가 처리 또는 검사를 위해 원시 API 응답을 저장할 수 있습니다. 또한" -" 이 클래스를 사용하면 주소를 사용자와 연결하여 개인화된 데이터 처리를 용이하게 할 수 있습니다." +"위치 세부 정보 및 사용자와의 연결을 포함하는 주소 엔티티를 나타냅니다. 지리" +"적 및 주소 데이터 저장과 지오코딩 서비스와의 통합을 위한 기능을 제공합니다. " +"이 클래스는 거리, 도시, 지역, 국가, 지리적 위치(경도 및 위도)와 같은 구성 요" +"소를 포함한 상세한 주소 정보를 저장하도록 설계되었습니다. 지오코딩 API와의 통" +"합을 지원하여 추가 처리 또는 검사를 위해 원시 API 응답을 저장할 수 있습니다. " +"또한 이 클래스를 사용하면 주소를 사용자와 연결하여 개인화된 데이터 처리를 용" +"이하게 할 수 있습니다." #: engine/core/models.py:1055 msgid "address line for the customer" @@ -2180,9 +2229,11 @@ msgid "" "any), and status of its usage. It includes functionality to validate and " "apply the promo code to an order while ensuring constraints are met." msgstr "" -"할인에 사용할 수 있는 프로모션 코드를 나타내며, 유효 기간, 할인 유형 및 적용을 관리합니다. 프로모션 코드 클래스는 고유 식별자, " -"할인 속성(금액 또는 백분율), 유효 기간, 관련 사용자(있는 경우), 사용 상태 등 프로모션 코드에 대한 세부 정보를 저장합니다. " -"여기에는 제약 조건이 충족되는지 확인하면서 프로모션 코드의 유효성을 검사하고 주문에 적용하는 기능이 포함되어 있습니다." +"할인에 사용할 수 있는 프로모션 코드를 나타내며, 유효 기간, 할인 유형 및 적용" +"을 관리합니다. 프로모션 코드 클래스는 고유 식별자, 할인 속성(금액 또는 백분" +"율), 유효 기간, 관련 사용자(있는 경우), 사용 상태 등 프로모션 코드에 대한 세" +"부 정보를 저장합니다. 여기에는 제약 조건이 충족되는지 확인하면서 프로모션 코" +"드의 유효성을 검사하고 주문에 적용하는 기능이 포함되어 있습니다." #: engine/core/models.py:1119 msgid "unique code used by a user to redeem a discount" @@ -2252,7 +2303,9 @@ msgstr "프로모션 코드" msgid "" "only one type of discount should be defined (amount or percent), but not " "both or neither." -msgstr "할인 유형(금액 또는 백분율)은 한 가지 유형만 정의해야 하며, 두 가지 모두 또는 둘 다 정의해서는 안 됩니다." +msgstr "" +"할인 유형(금액 또는 백분율)은 한 가지 유형만 정의해야 하며, 두 가지 모두 또" +"는 둘 다 정의해서는 안 됩니다." #: engine/core/models.py:1205 msgid "promocode already used" @@ -2267,14 +2320,16 @@ msgstr "프로모션 코드 {self.uuid}의 할인 유형이 잘못되었습니 msgid "" "Represents an order placed by a user. This class models an order within the " "application, including its various attributes such as billing and shipping " -"information, status, associated user, notifications, and related operations." -" Orders can have associated products, promotions can be applied, addresses " +"information, status, associated user, notifications, and related operations. " +"Orders can have associated products, promotions can be applied, addresses " "set, and shipping or billing details updated. Equally, functionality " "supports managing the products in the order lifecycle." msgstr "" -"사용자가 진행한 주문을 나타냅니다. 이 클래스는 청구 및 배송 정보, 상태, 연결된 사용자, 알림 및 관련 작업과 같은 다양한 속성을 " -"포함하여 애플리케이션 내에서 주문을 모델링합니다. 주문에는 연결된 제품, 프로모션 적용, 주소 설정, 배송 또는 청구 세부 정보 " -"업데이트가 가능합니다. 또한 주문 수명 주기에서 제품을 관리하는 기능도 지원합니다." +"사용자가 진행한 주문을 나타냅니다. 이 클래스는 청구 및 배송 정보, 상태, 연결" +"된 사용자, 알림 및 관련 작업과 같은 다양한 속성을 포함하여 애플리케이션 내에" +"서 주문을 모델링합니다. 주문에는 연결된 제품, 프로모션 적용, 주소 설정, 배송 " +"또는 청구 세부 정보 업데이트가 가능합니다. 또한 주문 수명 주기에서 제품을 관" +"리하는 기능도 지원합니다." #: engine/core/models.py:1253 msgid "the billing address used for this order" @@ -2306,7 +2361,8 @@ msgstr "주문 상태" #: engine/core/models.py:1283 engine/core/models.py:1882 msgid "json structure of notifications to display to users" -msgstr "사용자에게 표시할 알림의 JSON 구조, 관리자 UI에서는 테이블 보기가 사용됩니다." +msgstr "" +"사용자에게 표시할 알림의 JSON 구조, 관리자 UI에서는 테이블 보기가 사용됩니다." #: engine/core/models.py:1289 msgid "json representation of order attributes for this order" @@ -2406,13 +2462,17 @@ msgstr "주문을 완료하기에 자금이 부족합니다." msgid "" "you cannot buy without registration, please provide the following " "information: customer name, customer email, customer phone number" -msgstr "등록하지 않으면 구매할 수 없으므로 고객 이름, 고객 이메일, 고객 전화 번호 등의 정보를 제공하세요." +msgstr "" +"등록하지 않으면 구매할 수 없으므로 고객 이름, 고객 이메일, 고객 전화 번호 등" +"의 정보를 제공하세요." #: engine/core/models.py:1675 #, python-brace-format msgid "" "invalid payment method: {payment_method} from {available_payment_methods}" -msgstr "결제 방법이 잘못되었습니다: {payment_method}에서 {available_payment_methods}로!" +msgstr "" +"결제 방법이 잘못되었습니다: {payment_method}에서 {available_payment_methods}" +"로!" #: engine/core/models.py:1806 msgid "" @@ -2422,9 +2482,11 @@ msgid "" "product in the order, and a user-assigned rating. The class uses database " "fields to effectively model and manage feedback data." msgstr "" -"제품에 대한 사용자 피드백을 관리합니다. 이 클래스는 사용자가 구매한 특정 제품에 대한 사용자 피드백을 캡처하고 저장하도록 " -"설계되었습니다. 여기에는 사용자 댓글, 주문에서 관련 제품에 대한 참조 및 사용자가 지정한 등급을 저장하는 속성이 포함되어 있습니다. 이" -" 클래스는 데이터베이스 필드를 사용하여 피드백 데이터를 효과적으로 모델링하고 관리합니다." +"제품에 대한 사용자 피드백을 관리합니다. 이 클래스는 사용자가 구매한 특정 제품" +"에 대한 사용자 피드백을 캡처하고 저장하도록 설계되었습니다. 여기에는 사용자 " +"댓글, 주문에서 관련 제품에 대한 참조 및 사용자가 지정한 등급을 저장하는 속성" +"이 포함되어 있습니다. 이 클래스는 데이터베이스 필드를 사용하여 피드백 데이터" +"를 효과적으로 모델링하고 관리합니다." #: engine/core/models.py:1818 msgid "user-provided comments about their experience with the product" @@ -2435,8 +2497,7 @@ msgid "feedback comments" msgstr "피드백 댓글" #: engine/core/models.py:1827 -msgid "" -"references the specific product in an order that this feedback is about" +msgid "references the specific product in an order that this feedback is about" msgstr "이 피드백에 대한 순서대로 특정 제품을 참조합니다." #: engine/core/models.py:1829 @@ -2463,10 +2524,13 @@ msgid "" "download URL for digital products. The model integrates with the Order and " "Product models and stores a reference to them." msgstr "" -"주문과 관련된 제품 및 해당 속성을 나타냅니다. 주문 제품 모델은 구매 가격, 수량, 제품 속성 및 상태 등의 세부 정보를 포함하여 " -"주문의 일부인 제품에 대한 정보를 유지 관리합니다. 사용자 및 관리자에 대한 알림을 관리하고 제품 잔액 반환 또는 피드백 추가와 같은 " -"작업을 처리합니다. 또한 이 모델은 총 가격 계산이나 디지털 제품의 다운로드 URL 생성 등 비즈니스 로직을 지원하는 메서드와 속성을 " -"제공합니다. 이 모델은 주문 및 제품 모델과 통합되며 해당 모델에 대한 참조를 저장합니다." +"주문과 관련된 제품 및 해당 속성을 나타냅니다. 주문 제품 모델은 구매 가격, 수" +"량, 제품 속성 및 상태 등의 세부 정보를 포함하여 주문의 일부인 제품에 대한 정" +"보를 유지 관리합니다. 사용자 및 관리자에 대한 알림을 관리하고 제품 잔액 반환 " +"또는 피드백 추가와 같은 작업을 처리합니다. 또한 이 모델은 총 가격 계산이나 디" +"지털 제품의 다운로드 URL 생성 등 비즈니스 로직을 지원하는 메서드와 속성을 제" +"공합니다. 이 모델은 주문 및 제품 모델과 통합되며 해당 모델에 대한 참조를 저장" +"합니다." #: engine/core/models.py:1870 msgid "the price paid by the customer for this product at purchase time" @@ -2574,13 +2638,15 @@ msgid "" "Represents the downloading functionality for digital assets associated with " "orders. The DigitalAssetDownload class provides the ability to manage and " "access downloads related to order products. It maintains information about " -"the associated order product, the number of downloads, and whether the asset" -" is publicly visible. It includes a method to generate a URL for downloading" -" the asset when the associated order is in a completed status." +"the associated order product, the number of downloads, and whether the asset " +"is publicly visible. It includes a method to generate a URL for downloading " +"the asset when the associated order is in a completed status." msgstr "" -"주문과 관련된 디지털 자산의 다운로드 기능을 나타냅니다. 디지털 자산 다운로드 클래스는 주문 상품과 관련된 다운로드를 관리하고 액세스할 " -"수 있는 기능을 제공합니다. 연결된 주문 상품, 다운로드 횟수, 자산이 공개적으로 표시되는지 여부에 대한 정보를 유지 관리합니다. " -"여기에는 연결된 주문이 완료 상태일 때 자산을 다운로드할 수 있는 URL을 생성하는 메서드가 포함되어 있습니다." +"주문과 관련된 디지털 자산의 다운로드 기능을 나타냅니다. 디지털 자산 다운로드 " +"클래스는 주문 상품과 관련된 다운로드를 관리하고 액세스할 수 있는 기능을 제공" +"합니다. 연결된 주문 상품, 다운로드 횟수, 자산이 공개적으로 표시되는지 여부에 " +"대한 정보를 유지 관리합니다. 여기에는 연결된 주문이 완료 상태일 때 자산을 다" +"운로드할 수 있는 URL을 생성하는 메서드가 포함되어 있습니다." #: engine/core/models.py:2092 msgid "download" @@ -2785,10 +2851,12 @@ msgstr "안녕하세요 %(order.user.first_name)s," #, python-format msgid "" "thank you for your order #%(order.pk)s! we are pleased to inform you that\n" -" we have taken your order into work. below are the details of your\n" +" we have taken your order into work. below are " +"the details of your\n" " order:" msgstr "" -"주문해 주셔서 감사합니다 #%(order.pk)s! 주문하신 상품이 입고되었음을 알려드립니다. 주문 세부 정보는 아래와 같습니다:" +"주문해 주셔서 감사합니다 #%(order.pk)s! 주문하신 상품이 입고되었음을 알려드립" +"니다. 주문 세부 정보는 아래와 같습니다:" #: engine/core/templates/digital_order_created_email.html:112 #: engine/core/templates/digital_order_delivered_email.html:110 @@ -2811,7 +2879,8 @@ msgstr "총 가격" msgid "" "if you have any questions, feel free to contact our support at\n" " %(config.EMAIL_HOST_USER)s." -msgstr "궁금한 점이 있으면 언제든지 %(config.EMAIL_HOST_USER)s로 지원팀에 문의하세요." +msgstr "" +"궁금한 점이 있으면 언제든지 %(config.EMAIL_HOST_USER)s로 지원팀에 문의하세요." #: engine/core/templates/digital_order_created_email.html:133 #, python-format @@ -2839,7 +2908,9 @@ msgstr "안녕하세요 %(user_first_name)s," msgid "" "we have successfully processed your order №%(order_uuid)s! below are the\n" " details of your order:" -msgstr "주문이 성공적으로 처리되었습니다 №%(order_uuid)s! 주문 세부 정보는 아래와 같습니다:" +msgstr "" +"주문이 성공적으로 처리되었습니다 №%(order_uuid)s! 주문 세부 정보는 아래와 같" +"습니다:" #: engine/core/templates/digital_order_delivered_email.html:128 msgid "" @@ -2892,9 +2963,12 @@ msgstr "" #: engine/core/templates/shipped_order_created_email.html:101 #: engine/core/templates/shipped_order_delivered_email.html:101 msgid "" -"thank you for your order! we are pleased to confirm your purchase. below are\n" +"thank you for your order! we are pleased to confirm your purchase. below " +"are\n" " the details of your order:" -msgstr "주문해 주셔서 감사합니다! 구매를 확인하게 되어 기쁩니다. 주문 세부 정보는 아래와 같습니다:" +msgstr "" +"주문해 주셔서 감사합니다! 구매를 확인하게 되어 기쁩니다. 주문 세부 정보는 아" +"래와 같습니다:" #: engine/core/templates/shipped_order_created_email.html:123 #: engine/core/templates/shipped_order_delivered_email.html:123 @@ -2960,14 +3034,16 @@ msgstr "NOMINATIM_URL 파라미터를 설정해야 합니다!" #: engine/core/validators.py:23 #, python-brace-format msgid "image dimensions should not exceed w{max_width} x h{max_height} pixels" -msgstr "이미지 크기는 w{max_width} x h{max_height} 픽셀을 초과하지 않아야 합니다!" +msgstr "" +"이미지 크기는 w{max_width} x h{max_height} 픽셀을 초과하지 않아야 합니다!" #: engine/core/views.py:104 msgid "" "Handles the request for the sitemap index and returns an XML response. It " "ensures the response includes the appropriate content type header for XML." msgstr "" -"사이트맵 색인에 대한 요청을 처리하고 XML 응답을 반환합니다. 응답에 XML에 적합한 콘텐츠 유형 헤더가 포함되어 있는지 확인합니다." +"사이트맵 색인에 대한 요청을 처리하고 XML 응답을 반환합니다. 응답에 XML에 적합" +"한 콘텐츠 유형 헤더가 포함되어 있는지 확인합니다." #: engine/core/views.py:119 msgid "" @@ -2975,8 +3051,9 @@ msgid "" "the request, fetches the appropriate sitemap detail response, and sets the " "Content-Type header for XML." msgstr "" -"사이트맵에 대한 상세 보기 응답을 처리합니다. 이 함수는 요청을 처리하고 적절한 사이트맵 상세 보기 응답을 가져온 다음 XML의 " -"Content-Type 헤더를 설정합니다." +"사이트맵에 대한 상세 보기 응답을 처리합니다. 이 함수는 요청을 처리하고 적절" +"한 사이트맵 상세 보기 응답을 가져온 다음 XML의 Content-Type 헤더를 설정합니" +"다." #: engine/core/views.py:155 msgid "" @@ -2991,7 +3068,9 @@ msgstr "웹사이트의 매개변수를 JSON 객체로 반환합니다." msgid "" "Handles cache operations such as reading and setting cache data with a " "specified key and timeout." -msgstr "지정된 키와 시간 초과로 캐시 데이터를 읽고 설정하는 등의 캐시 작업을 처리합니다." +msgstr "" +"지정된 키와 시간 초과로 캐시 데이터를 읽고 설정하는 등의 캐시 작업을 처리합니" +"다." #: engine/core/views.py:220 msgid "Handles `contact us` form submissions." @@ -3014,10 +3093,14 @@ msgstr "등록하지 않고 비즈니스로 구매하는 로직을 처리합니 #: engine/core/views.py:337 msgid "" "Handles the downloading of a digital asset associated with an order.\n" -"This function attempts to serve the digital asset file located in the storage directory of the project. If the file is not found, an HTTP 404 error is raised to indicate the resource is unavailable." +"This function attempts to serve the digital asset file located in the " +"storage directory of the project. If the file is not found, an HTTP 404 " +"error is raised to indicate the resource is unavailable." msgstr "" "주문과 관련된 디지털 자산의 다운로드를 처리합니다.\n" -"이 함수는 프로젝트의 저장소 디렉토리에 있는 디지털 자산 파일을 제공하려고 시도합니다. 파일을 찾을 수 없으면 HTTP 404 오류가 발생하여 리소스를 사용할 수 없음을 나타냅니다." +"이 함수는 프로젝트의 저장소 디렉토리에 있는 디지털 자산 파일을 제공하려고 시" +"도합니다. 파일을 찾을 수 없으면 HTTP 404 오류가 발생하여 리소스를 사용할 수 " +"없음을 나타냅니다." #: engine/core/views.py:348 msgid "order_product_uuid is required" @@ -3046,19 +3129,24 @@ msgstr "파비콘을 찾을 수 없습니다." #: engine/core/views.py:418 msgid "" "Handles requests for the favicon of a website.\n" -"This function attempts to serve the favicon file located in the static directory of the project. If the favicon file is not found, an HTTP 404 error is raised to indicate the resource is unavailable." +"This function attempts to serve the favicon file located in the static " +"directory of the project. If the favicon file is not found, an HTTP 404 " +"error is raised to indicate the resource is unavailable." msgstr "" "웹사이트의 파비콘 요청을 처리합니다.\n" -"이 함수는 프로젝트의 정적 디렉토리에 있는 파비콘 파일을 제공하려고 시도합니다. 파비콘 파일을 찾을 수 없는 경우 HTTP 404 오류가 발생하여 리소스를 사용할 수 없음을 나타냅니다." +"이 함수는 프로젝트의 정적 디렉토리에 있는 파비콘 파일을 제공하려고 시도합니" +"다. 파비콘 파일을 찾을 수 없는 경우 HTTP 404 오류가 발생하여 리소스를 사용할 " +"수 없음을 나타냅니다." #: engine/core/views.py:432 msgid "" -"Redirects the request to the admin index page. The function handles incoming" -" HTTP requests and redirects them to the Django admin interface index page. " +"Redirects the request to the admin index page. The function handles incoming " +"HTTP requests and redirects them to the Django admin interface index page. " "It uses Django's `redirect` function for handling the HTTP redirection." msgstr "" -"요청을 관리자 색인 페이지로 리디렉션합니다. 이 함수는 들어오는 HTTP 요청을 처리하여 Django 관리자 인터페이스 인덱스 페이지로 " -"리디렉션합니다. HTTP 리디렉션을 처리하기 위해 Django의 `redirect` 함수를 사용합니다." +"요청을 관리자 색인 페이지로 리디렉션합니다. 이 함수는 들어오는 HTTP 요청을 처" +"리하여 Django 관리자 인터페이스 인덱스 페이지로 리디렉션합니다. HTTP 리디렉션" +"을 처리하기 위해 Django의 `redirect` 함수를 사용합니다." #: engine/core/views.py:445 msgid "Returns current version of the eVibes. " @@ -3081,21 +3169,22 @@ msgid "" "serializer classes based on the current action, customizable permissions, " "and rendering formats." msgstr "" -"Evibes 관련 작업을 관리하기 위한 뷰셋을 정의합니다. EvibesViewSet 클래스는 ModelViewSet에서 상속되며 " -"Evibes 엔티티에 대한 액션 및 연산을 처리하는 기능을 제공합니다. 여기에는 현재 작업을 기반으로 하는 동적 직렬화기 클래스, 사용자" -" 지정 가능한 권한 및 렌더링 형식에 대한 지원이 포함됩니다." +"Evibes 관련 작업을 관리하기 위한 뷰셋을 정의합니다. EvibesViewSet 클래스는 " +"ModelViewSet에서 상속되며 Evibes 엔티티에 대한 액션 및 연산을 처리하는 기능" +"을 제공합니다. 여기에는 현재 작업을 기반으로 하는 동적 직렬화기 클래스, 사용" +"자 지정 가능한 권한 및 렌더링 형식에 대한 지원이 포함됩니다." #: engine/core/viewsets.py:160 msgid "" -"Represents a viewset for managing AttributeGroup objects. Handles operations" -" related to AttributeGroup, including filtering, serialization, and " -"retrieval of data. This class is part of the application's API layer and " -"provides a standardized way to process requests and responses for " -"AttributeGroup data." +"Represents a viewset for managing AttributeGroup objects. Handles operations " +"related to AttributeGroup, including filtering, serialization, and retrieval " +"of data. This class is part of the application's API layer and provides a " +"standardized way to process requests and responses for AttributeGroup data." msgstr "" -"속성 그룹 객체를 관리하기 위한 뷰셋을 나타냅니다. 데이터의 필터링, 직렬화, 검색 등 AttributeGroup과 관련된 작업을 " -"처리합니다. 이 클래스는 애플리케이션의 API 계층의 일부이며 AttributeGroup 데이터에 대한 요청 및 응답을 처리하는 표준화된" -" 방법을 제공합니다." +"속성 그룹 객체를 관리하기 위한 뷰셋을 나타냅니다. 데이터의 필터링, 직렬화, 검" +"색 등 AttributeGroup과 관련된 작업을 처리합니다. 이 클래스는 애플리케이션의 " +"API 계층의 일부이며 AttributeGroup 데이터에 대한 요청 및 응답을 처리하는 표준" +"화된 방법을 제공합니다." #: engine/core/viewsets.py:179 msgid "" @@ -3106,21 +3195,24 @@ msgid "" "specific fields or retrieving detailed versus simplified information " "depending on the request." msgstr "" -"애플리케이션 내에서 속성 개체와 관련된 작업을 처리합니다. 속성 데이터와 상호 작용할 수 있는 API 엔드포인트 세트를 제공합니다. 이 " -"클래스는 속성 개체의 쿼리, 필터링 및 직렬화를 관리하여 특정 필드별로 필터링하거나 요청에 따라 단순화된 정보와 상세한 정보를 검색하는 " -"등 반환되는 데이터를 동적으로 제어할 수 있도록 합니다." +"애플리케이션 내에서 속성 개체와 관련된 작업을 처리합니다. 속성 데이터와 상호 " +"작용할 수 있는 API 엔드포인트 세트를 제공합니다. 이 클래스는 속성 개체의 쿼" +"리, 필터링 및 직렬화를 관리하여 특정 필드별로 필터링하거나 요청에 따라 단순화" +"된 정보와 상세한 정보를 검색하는 등 반환되는 데이터를 동적으로 제어할 수 있도" +"록 합니다." #: engine/core/viewsets.py:198 msgid "" "A viewset for managing AttributeValue objects. This viewset provides " "functionality for listing, retrieving, creating, updating, and deleting " "AttributeValue objects. It integrates with Django REST Framework's viewset " -"mechanisms and uses appropriate serializers for different actions. Filtering" -" capabilities are provided through the DjangoFilterBackend." +"mechanisms and uses appropriate serializers for different actions. Filtering " +"capabilities are provided through the DjangoFilterBackend." msgstr "" -"속성값 객체를 관리하기 위한 뷰셋입니다. 이 뷰셋은 AttributeValue 객체를 나열, 검색, 생성, 업데이트 및 삭제하기 위한 " -"기능을 제공합니다. 이 뷰셋은 장고 REST 프레임워크의 뷰셋 메커니즘과 통합되며 다양한 작업에 적절한 직렬화기를 사용합니다. 필터링 " -"기능은 DjangoFilterBackend를 통해 제공됩니다." +"속성값 객체를 관리하기 위한 뷰셋입니다. 이 뷰셋은 AttributeValue 객체를 나" +"열, 검색, 생성, 업데이트 및 삭제하기 위한 기능을 제공합니다. 이 뷰셋은 장고 " +"REST 프레임워크의 뷰셋 메커니즘과 통합되며 다양한 작업에 적절한 직렬화기를 사" +"용합니다. 필터링 기능은 DjangoFilterBackend를 통해 제공됩니다." #: engine/core/viewsets.py:217 msgid "" @@ -3130,9 +3222,10 @@ msgid "" "The viewset also enforces permissions to ensure that only authorized users " "can access specific data." msgstr "" -"카테고리 관련 작업에 대한 보기를 관리합니다. CategoryViewSet 클래스는 시스템에서 카테고리 모델과 관련된 작업을 처리하는 " -"역할을 담당합니다. 카테고리 데이터 검색, 필터링 및 직렬화를 지원합니다. 또한 이 뷰 집합은 권한이 부여된 사용자만 특정 데이터에 " -"액세스할 수 있도록 권한을 적용합니다." +"카테고리 관련 작업에 대한 보기를 관리합니다. CategoryViewSet 클래스는 시스템" +"에서 카테고리 모델과 관련된 작업을 처리하는 역할을 담당합니다. 카테고리 데이" +"터 검색, 필터링 및 직렬화를 지원합니다. 또한 이 뷰 집합은 권한이 부여된 사용" +"자만 특정 데이터에 액세스할 수 있도록 권한을 적용합니다." #: engine/core/viewsets.py:346 msgid "" @@ -3141,8 +3234,9 @@ msgid "" "uses Django's ViewSet framework to simplify the implementation of API " "endpoints for Brand objects." msgstr "" -"브랜드 인스턴스를 관리하기 위한 뷰셋을 나타냅니다. 이 클래스는 브랜드 객체를 쿼리, 필터링 및 직렬화하기 위한 기능을 제공합니다. 이 " -"클래스는 장고의 뷰셋 프레임워크를 사용하여 브랜드 객체에 대한 API 엔드포인트의 구현을 간소화합니다." +"브랜드 인스턴스를 관리하기 위한 뷰셋을 나타냅니다. 이 클래스는 브랜드 객체를 " +"쿼리, 필터링 및 직렬화하기 위한 기능을 제공합니다. 이 클래스는 장고의 뷰셋 프" +"레임워크를 사용하여 브랜드 객체에 대한 API 엔드포인트의 구현을 간소화합니다." #: engine/core/viewsets.py:458 msgid "" @@ -3154,10 +3248,11 @@ msgid "" "product details, applying permissions, and accessing related feedback of a " "product." msgstr "" -"시스템에서 `Product` 모델과 관련된 작업을 관리합니다. 이 클래스는 필터링, 직렬화 및 특정 인스턴스에 대한 작업을 포함하여 " -"제품을 관리하기 위한 뷰셋을 제공합니다. 이 클래스는 공통 기능을 사용하기 위해 `EvibesViewSet`에서 확장되며 RESTful " -"API 작업을 위해 Django REST 프레임워크와 통합됩니다. 제품 세부 정보 검색, 권한 적용, 제품의 관련 피드백에 액세스하는 " -"메서드가 포함되어 있습니다." +"시스템에서 `Product` 모델과 관련된 작업을 관리합니다. 이 클래스는 필터링, 직" +"렬화 및 특정 인스턴스에 대한 작업을 포함하여 제품을 관리하기 위한 뷰셋을 제공" +"합니다. 이 클래스는 공통 기능을 사용하기 위해 `EvibesViewSet`에서 확장되며 " +"RESTful API 작업을 위해 Django REST 프레임워크와 통합됩니다. 제품 세부 정보 " +"검색, 권한 적용, 제품의 관련 피드백에 액세스하는 메서드가 포함되어 있습니다." #: engine/core/viewsets.py:605 msgid "" @@ -3167,50 +3262,56 @@ msgid "" "actions. The purpose of this class is to provide streamlined access to " "Vendor-related resources through the Django REST framework." msgstr "" -"벤더 객체를 관리하기 위한 뷰셋을 나타냅니다. 이 뷰셋을 통해 벤더 데이터를 가져오고, 필터링하고, 직렬화할 수 있습니다. 다양한 작업을" -" 처리하는 데 사용되는 쿼리 집합, 필터 구성 및 직렬화기 클래스를 정의합니다. 이 클래스의 목적은 Django REST 프레임워크를 " -"통해 공급업체 관련 리소스에 대한 간소화된 액세스를 제공하는 것입니다." +"벤더 객체를 관리하기 위한 뷰셋을 나타냅니다. 이 뷰셋을 통해 벤더 데이터를 가" +"져오고, 필터링하고, 직렬화할 수 있습니다. 다양한 작업을 처리하는 데 사용되는 " +"쿼리 집합, 필터 구성 및 직렬화기 클래스를 정의합니다. 이 클래스의 목적은 " +"Django REST 프레임워크를 통해 공급업체 관련 리소스에 대한 간소화된 액세스를 " +"제공하는 것입니다." #: engine/core/viewsets.py:625 msgid "" "Representation of a view set handling Feedback objects. This class manages " "operations related to Feedback objects, including listing, filtering, and " "retrieving details. The purpose of this view set is to provide different " -"serializers for different actions and implement permission-based handling of" -" accessible Feedback objects. It extends the base `EvibesViewSet` and makes " +"serializers for different actions and implement permission-based handling of " +"accessible Feedback objects. It extends the base `EvibesViewSet` and makes " "use of Django's filtering system for querying data." msgstr "" -"피드백 개체를 처리하는 뷰 집합의 표현입니다. 이 클래스는 세부 정보 나열, 필터링 및 검색을 포함하여 피드백 개체에 관련된 작업을 " -"관리합니다. 이 뷰 세트의 목적은 다양한 작업에 대해 서로 다른 직렬화기를 제공하고 접근 가능한 피드백 객체에 대한 권한 기반 처리를 " -"구현하는 것입니다. 이 클래스는 기본 `EvibesViewSet`을 확장하고 데이터 쿼리를 위해 Django의 필터링 시스템을 " -"사용합니다." +"피드백 개체를 처리하는 뷰 집합의 표현입니다. 이 클래스는 세부 정보 나열, 필터" +"링 및 검색을 포함하여 피드백 개체에 관련된 작업을 관리합니다. 이 뷰 세트의 목" +"적은 다양한 작업에 대해 서로 다른 직렬화기를 제공하고 접근 가능한 피드백 객체" +"에 대한 권한 기반 처리를 구현하는 것입니다. 이 클래스는 기본 `EvibesViewSet`" +"을 확장하고 데이터 쿼리를 위해 Django의 필터링 시스템을 사용합니다." #: engine/core/viewsets.py:652 msgid "" "ViewSet for managing orders and related operations. This class provides " "functionality to retrieve, modify, and manage order objects. It includes " "various endpoints for handling order operations such as adding or removing " -"products, performing purchases for registered as well as unregistered users," -" and retrieving the current authenticated user's pending orders. The ViewSet" -" uses multiple serializers based on the specific action being performed and " +"products, performing purchases for registered as well as unregistered users, " +"and retrieving the current authenticated user's pending orders. The ViewSet " +"uses multiple serializers based on the specific action being performed and " "enforces permissions accordingly while interacting with order data." msgstr "" -"주문 및 관련 작업을 관리하기 위한 뷰셋입니다. 이 클래스는 주문 객체를 검색, 수정, 관리하는 기능을 제공합니다. 여기에는 제품 추가 " -"또는 제거, 등록 및 미등록 사용자에 대한 구매 수행, 현재 인증된 사용자의 보류 중인 주문 검색 등 주문 작업을 처리하기 위한 다양한 " -"엔드포인트가 포함되어 있습니다. 뷰셋은 수행되는 특정 작업에 따라 여러 직렬화기를 사용하며 주문 데이터와 상호 작용하는 동안 그에 따라 " -"권한을 적용합니다." +"주문 및 관련 작업을 관리하기 위한 뷰셋입니다. 이 클래스는 주문 객체를 검색, " +"수정, 관리하는 기능을 제공합니다. 여기에는 제품 추가 또는 제거, 등록 및 미등" +"록 사용자에 대한 구매 수행, 현재 인증된 사용자의 보류 중인 주문 검색 등 주문 " +"작업을 처리하기 위한 다양한 엔드포인트가 포함되어 있습니다. 뷰셋은 수행되는 " +"특정 작업에 따라 여러 직렬화기를 사용하며 주문 데이터와 상호 작용하는 동안 그" +"에 따라 권한을 적용합니다." #: engine/core/viewsets.py:914 msgid "" "Provides a viewset for managing OrderProduct entities. This viewset enables " "CRUD operations and custom actions specific to the OrderProduct model. It " -"includes filtering, permission checks, and serializer switching based on the" -" requested action. Additionally, it provides a detailed action for handling " +"includes filtering, permission checks, and serializer switching based on the " +"requested action. Additionally, it provides a detailed action for handling " "feedback on OrderProduct instances" msgstr "" -"주문 제품 엔티티를 관리하기 위한 뷰셋을 제공합니다. 이 뷰셋을 사용하면 주문 제품 모델에 특정한 CRUD 작업 및 사용자 지정 작업을 " -"수행할 수 있습니다. 여기에는 요청된 작업을 기반으로 필터링, 권한 확인 및 직렬화기 전환이 포함됩니다. 또한 주문 제품 인스턴스에 대한" -" 피드백 처리를 위한 세부 작업도 제공합니다." +"주문 제품 엔티티를 관리하기 위한 뷰셋을 제공합니다. 이 뷰셋을 사용하면 주문 " +"제품 모델에 특정한 CRUD 작업 및 사용자 지정 작업을 수행할 수 있습니다. 여기에" +"는 요청된 작업을 기반으로 필터링, 권한 확인 및 직렬화기 전환이 포함됩니다. 또" +"한 주문 제품 인스턴스에 대한 피드백 처리를 위한 세부 작업도 제공합니다." #: engine/core/viewsets.py:974 msgid "Manages operations related to Product images in the application. " @@ -3220,7 +3321,8 @@ msgstr "애플리케이션에서 제품 이미지와 관련된 작업을 관리 msgid "" "Manages the retrieval and handling of PromoCode instances through various " "API actions." -msgstr "다양한 API 작업을 통해 프로모션 코드 인스턴스의 검색 및 처리를 관리합니다." +msgstr "" +"다양한 API 작업을 통해 프로모션 코드 인스턴스의 검색 및 처리를 관리합니다." #: engine/core/viewsets.py:1019 msgid "Represents a view set for managing promotions. " @@ -3234,15 +3336,18 @@ msgstr "시스템에서 주식 데이터와 관련된 작업을 처리합니다. msgid "" "ViewSet for managing Wishlist operations. The WishlistViewSet provides " "endpoints for interacting with a user's wish list, allowing for the " -"retrieval, modification, and customization of products within the wish list." -" This ViewSet facilitates functionality such as adding, removing, and bulk " +"retrieval, modification, and customization of products within the wish list. " +"This ViewSet facilitates functionality such as adding, removing, and bulk " "actions for wishlist products. Permission checks are integrated to ensure " "that users can only manage their own wishlists unless explicit permissions " "are granted." msgstr "" -"위시리스트 작업을 관리하기 위한 뷰셋입니다. 위시리스트뷰셋은 사용자의 위시리스트와 상호 작용할 수 있는 엔드포인트를 제공하여 위시리스트 " -"내의 제품을 검색, 수정 및 사용자 지정할 수 있도록 합니다. 이 뷰셋은 위시리스트 제품에 대한 추가, 제거 및 대량 작업과 같은 기능을" -" 용이하게 합니다. 명시적인 권한이 부여되지 않는 한 사용자가 자신의 위시리스트만 관리할 수 있도록 권한 검사가 통합되어 있습니다." +"위시리스트 작업을 관리하기 위한 뷰셋입니다. 위시리스트뷰셋은 사용자의 위시리" +"스트와 상호 작용할 수 있는 엔드포인트를 제공하여 위시리스트 내의 제품을 검" +"색, 수정 및 사용자 지정할 수 있도록 합니다. 이 뷰셋은 위시리스트 제품에 대한 " +"추가, 제거 및 대량 작업과 같은 기능을 용이하게 합니다. 명시적인 권한이 부여되" +"지 않는 한 사용자가 자신의 위시리스트만 관리할 수 있도록 권한 검사가 통합되" +"어 있습니다." #: engine/core/viewsets.py:1183 msgid "" @@ -3252,9 +3357,10 @@ msgid "" "different HTTP methods, serializer overrides, and permission handling based " "on the request context." msgstr "" -"이 클래스는 `주소` 객체를 관리하기 위한 뷰셋 기능을 제공합니다. 주소 뷰셋 클래스는 주소 엔티티와 관련된 CRUD 작업, 필터링 및 " -"사용자 정의 작업을 가능하게 합니다. 여기에는 다양한 HTTP 메서드, 직렬화기 재정의, 요청 컨텍스트에 따른 권한 처리를 위한 특수 " -"동작이 포함되어 있습니다." +"이 클래스는 `주소` 객체를 관리하기 위한 뷰셋 기능을 제공합니다. 주소 뷰셋 클" +"래스는 주소 엔티티와 관련된 CRUD 작업, 필터링 및 사용자 정의 작업을 가능하게 " +"합니다. 여기에는 다양한 HTTP 메서드, 직렬화기 재정의, 요청 컨텍스트에 따른 권" +"한 처리를 위한 특수 동작이 포함되어 있습니다." #: engine/core/viewsets.py:1254 #, python-brace-format @@ -3269,6 +3375,7 @@ msgid "" "using the specified filter backend and dynamically uses different " "serializers based on the action being performed." msgstr "" -"애플리케이션 내에서 제품 태그와 관련된 작업을 처리합니다. 이 클래스는 제품 태그 객체를 검색, 필터링 및 직렬화하기 위한 기능을 " -"제공합니다. 지정된 필터 백엔드를 사용하여 특정 속성에 대한 유연한 필터링을 지원하며 수행 중인 작업에 따라 다양한 직렬화기를 동적으로 " -"사용합니다." +"애플리케이션 내에서 제품 태그와 관련된 작업을 처리합니다. 이 클래스는 제품 태" +"그 객체를 검색, 필터링 및 직렬화하기 위한 기능을 제공합니다. 지정된 필터 백엔" +"드를 사용하여 특정 속성에 대한 유연한 필터링을 지원하며 수행 중인 작업에 따" +"라 다양한 직렬화기를 동적으로 사용합니다." diff --git a/engine/core/locale/nl_NL/LC_MESSAGES/django.mo b/engine/core/locale/nl_NL/LC_MESSAGES/django.mo index 6ed602093d21eb2c8dbc67d690f5ff7a55861acc..c87e83d6bd22f1690313ee3a321d5a48552b03a0 100644 GIT binary patch delta 18 acmca}hxN`K)(zdqn9cMIH}@Sow;TXm7YUF6 delta 18 acmca}hxN`K)(zdqm`(LeHuoJnw;TXmAqkQI diff --git a/engine/core/locale/nl_NL/LC_MESSAGES/django.po b/engine/core/locale/nl_NL/LC_MESSAGES/django.po index 0f0b7496..c919510c 100644 --- a/engine/core/locale/nl_NL/LC_MESSAGES/django.po +++ b/engine/core/locale/nl_NL/LC_MESSAGES/django.po @@ -1,9 +1,9 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-12-21 00:38+0300\n" +"POT-Creation-Date: 2026-01-04 19:25+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" @@ -27,8 +27,7 @@ msgstr "Is actief" #: engine/core/abstract.py:22 msgid "" -"if set to false, this object can't be seen by users without needed " -"permission" +"if set to false, this object can't be seen by users without needed permission" msgstr "" "Als false is ingesteld, kan dit object niet worden gezien door gebruikers " "zonder de benodigde toestemming" @@ -91,8 +90,8 @@ msgstr "Deactiveer geselecteerd %(verbose_name_plural)s" msgid "selected items have been deactivated." msgstr "Geselecteerde items zijn gedeactiveerd!" -#: engine/core/admin.py:196 engine/core/graphene/object_types.py:652 -#: engine/core/graphene/object_types.py:659 engine/core/models.py:825 +#: engine/core/admin.py:196 engine/core/graphene/object_types.py:653 +#: engine/core/graphene/object_types.py:660 engine/core/models.py:825 #: engine/core/models.py:833 msgid "attribute value" msgstr "Attribuut Waarde" @@ -106,7 +105,7 @@ msgstr "Attribuutwaarden" msgid "image" msgstr "Afbeelding" -#: engine/core/admin.py:209 engine/core/graphene/object_types.py:529 +#: engine/core/admin.py:209 engine/core/graphene/object_types.py:530 msgid "images" msgstr "Afbeeldingen" @@ -114,7 +113,7 @@ msgstr "Afbeeldingen" msgid "stock" msgstr "Voorraad" -#: engine/core/admin.py:221 engine/core/graphene/object_types.py:712 +#: engine/core/admin.py:221 engine/core/graphene/object_types.py:713 msgid "stocks" msgstr "Aandelen" @@ -122,7 +121,7 @@ msgstr "Aandelen" msgid "order product" msgstr "Product bestellen" -#: engine/core/admin.py:233 engine/core/graphene/object_types.py:440 +#: engine/core/admin.py:233 engine/core/graphene/object_types.py:441 #: engine/core/models.py:1932 msgid "order products" msgstr "Producten bestellen" @@ -155,8 +154,7 @@ msgstr "Geleverd" msgid "canceled" msgstr "Geannuleerd" -#: engine/core/choices.py:8 engine/core/choices.py:16 -#: engine/core/choices.py:24 +#: engine/core/choices.py:8 engine/core/choices.py:16 engine/core/choices.py:24 msgid "failed" msgstr "Mislukt" @@ -208,7 +206,8 @@ msgid "" "apply key, data and timeout with authentication to write data to cache." msgstr "" "Alleen een sleutel gebruiken om toegestane gegevens uit de cache te lezen.\n" -"Sleutel, gegevens en time-out met verificatie toepassen om gegevens naar de cache te schrijven." +"Sleutel, gegevens en time-out met verificatie toepassen om gegevens naar de " +"cache te schrijven." #: engine/core/docs/drf/views.py:66 msgid "get a list of supported languages" @@ -274,8 +273,7 @@ msgstr "" "opslaan" #: engine/core/docs/drf/viewsets.py:107 -msgid "" -"rewrite some fields of an existing attribute group saving non-editables" +msgid "rewrite some fields of an existing attribute group saving non-editables" msgstr "" "Enkele velden van een bestaande attribuutgroep herschrijven door niet-" "wijzigbare velden op te slaan" @@ -330,8 +328,7 @@ msgstr "" "attributen worden opgeslagen" #: engine/core/docs/drf/viewsets.py:208 -msgid "" -"rewrite some fields of an existing attribute value saving non-editables" +msgid "rewrite some fields of an existing attribute value saving non-editables" msgstr "" "Herschrijf sommige velden van een bestaande attribuutwaarde door niet-" "wijzigbare velden op te slaan" @@ -369,16 +366,15 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:280 engine/core/docs/drf/viewsets.py:757 #: engine/core/docs/drf/viewsets.py:1046 #: engine/core/graphene/object_types.py:119 -#: engine/core/graphene/object_types.py:238 -#: engine/core/graphene/object_types.py:539 +#: engine/core/graphene/object_types.py:239 +#: engine/core/graphene/object_types.py:540 msgid "SEO Meta snapshot" msgstr "SEO Meta momentopname" #: engine/core/docs/drf/viewsets.py:281 msgid "returns a snapshot of the category's SEO meta data" msgstr "" -"Geeft als resultaat een momentopname van de SEO-metagegevens van de " -"categorie" +"Geeft als resultaat een momentopname van de SEO-metagegevens van de categorie" #: engine/core/docs/drf/viewsets.py:302 msgid "list all orders (simple view)" @@ -387,16 +383,15 @@ msgstr "Alle categorieën weergeven (eenvoudige weergave)" #: engine/core/docs/drf/viewsets.py:303 msgid "for non-staff users, only their own orders are returned." msgstr "" -"Voor niet-personeelsleden worden alleen hun eigen bestellingen " -"geretourneerd." +"Voor niet-personeelsleden worden alleen hun eigen bestellingen geretourneerd." #: engine/core/docs/drf/viewsets.py:309 msgid "" -"Case-insensitive substring search across human_readable_id, " -"order_products.product.name, and order_products.product.partnumber" +"Case-insensitive substring search across human_readable_id, order_products." +"product.name, and order_products.product.partnumber" msgstr "" -"Hoofdlettergevoelig substring zoeken in human_readable_id, " -"order_products.product.name en order_products.product.partnumber" +"Hoofdlettergevoelig substring zoeken in human_readable_id, order_products." +"product.name en order_products.product.partnumber" #: engine/core/docs/drf/viewsets.py:316 msgid "Filter orders with buy_time >= this ISO 8601 datetime" @@ -429,13 +424,13 @@ msgstr "Filter op bestelstatus (hoofdlettergevoelige substringmatch)" #: engine/core/docs/drf/viewsets.py:354 msgid "" -"Order by one of: uuid, human_readable_id, user_email, user, status, created," -" modified, buy_time, random. Prefix with '-' for descending (e.g. " -"'-buy_time')." +"Order by one of: uuid, human_readable_id, user_email, user, status, created, " +"modified, buy_time, random. Prefix with '-' for descending (e.g. '-" +"buy_time')." msgstr "" "Sorteer op een van: uuid, human_readable_id, user_email, gebruiker, status, " -"gemaakt, gewijzigd, buy_time, willekeurig. Voorvoegsel met '-' voor aflopend" -" (bijv. '-buy_time')." +"gemaakt, gewijzigd, buy_time, willekeurig. Voorvoegsel met '-' voor aflopend " +"(bijv. '-buy_time')." #: engine/core/docs/drf/viewsets.py:366 msgid "retrieve a single order (detailed view)" @@ -496,8 +491,7 @@ msgstr "een bestelling kopen zonder een account aan te maken" #: engine/core/docs/drf/viewsets.py:439 msgid "finalizes the order purchase for a non-registered user." msgstr "" -"Rondt de aankoop van de bestelling af voor een niet-geregistreerde " -"gebruiker." +"Rondt de aankoop van de bestelling af voor een niet-geregistreerde gebruiker." #: engine/core/docs/drf/viewsets.py:450 msgid "add product to order" @@ -641,18 +635,28 @@ msgstr "" msgid "" "Filter by one or more attribute name/value pairs. \n" "• **Syntax**: `attr_name=method-value[;attr2=method2-value2]…` \n" -"• **Methods** (defaults to `icontains` if omitted): `iexact`, `exact`, `icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, `iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in` \n" -"• **Value typing**: JSON is attempted first (so you can pass lists/dicts), `true`/`false` for booleans, integers, floats; otherwise treated as string. \n" +"• **Methods** (defaults to `icontains` if omitted): `iexact`, `exact`, " +"`icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, " +"`iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in` \n" +"• **Value typing**: JSON is attempted first (so you can pass lists/dicts), " +"`true`/`false` for booleans, integers, floats; otherwise treated as " +"string. \n" "• **Base64**: prefix with `b64-` to URL-safe base64-encode the raw value. \n" "Examples: \n" -"`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\",\"bluetooth\"]`, \n" +"`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\"," +"\"bluetooth\"]`, \n" "`b64-description=icontains-aGVhdC1jb2xk`" msgstr "" "Filter op een of meer attribuutnaam-/waardeparen. \n" "- **Syntaxis**: `attr_name=methode-waarde[;attr2=methode2-waarde2]...`\n" -"- **Methodes** (standaard op `icontains` indien weggelaten): `iexact`, `exact`, `icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, `iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in`.\n" -"- Waarde typen**: JSON wordt eerst geprobeerd (zodat je lijsten/dicten kunt doorgeven), `true`/`false` voor booleans, integers, floats; anders behandeld als string. \n" -"- **Base64**: prefix met `b64-` om URL-veilige base64-encodering van de ruwe waarde. \n" +"- **Methodes** (standaard op `icontains` indien weggelaten): `iexact`, " +"`exact`, `icontains`, `contains`, `isnull`, `startswith`, `istartswith`, " +"`endswith`, `iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in`.\n" +"- Waarde typen**: JSON wordt eerst geprobeerd (zodat je lijsten/dicten kunt " +"doorgeven), `true`/`false` voor booleans, integers, floats; anders behandeld " +"als string. \n" +"- **Base64**: prefix met `b64-` om URL-veilige base64-encodering van de ruwe " +"waarde. \n" "Voorbeelden: \n" "`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\",\"bluetooth\"]`,\n" "`b64-description=icontains-aGVhdC1jb2xk`." @@ -667,11 +671,14 @@ msgstr "(exacte) UUID van product" #: engine/core/docs/drf/viewsets.py:630 msgid "" -"Comma-separated list of fields to sort by. Prefix with `-` for descending. \n" +"Comma-separated list of fields to sort by. Prefix with `-` for " +"descending. \n" "**Allowed:** uuid, rating, name, slug, created, modified, price, random" msgstr "" -"Door komma's gescheiden lijst van velden om op te sorteren. Voorvoegsel met `-` voor aflopend. \n" -"**Toegestaan:** uuid, beoordeling, naam, slug, gemaakt, gewijzigd, prijs, willekeurig" +"Door komma's gescheiden lijst van velden om op te sorteren. Voorvoegsel met " +"`-` voor aflopend. \n" +"**Toegestaan:** uuid, beoordeling, naam, slug, gemaakt, gewijzigd, prijs, " +"willekeurig" #: engine/core/docs/drf/viewsets.py:647 engine/core/docs/drf/viewsets.py:648 msgid "retrieve a single product (detailed view)" @@ -784,8 +791,7 @@ msgstr "alle order-productrelaties weergeven (eenvoudige weergave)" #: engine/core/docs/drf/viewsets.py:929 msgid "retrieve a single order–product relation (detailed view)" -msgstr "" -"een enkele bestelling-productrelatie ophalen (gedetailleerde weergave)" +msgstr "een enkele bestelling-productrelatie ophalen (gedetailleerde weergave)" #: engine/core/docs/drf/viewsets.py:939 msgid "create a new order–product relation" @@ -1233,8 +1239,8 @@ msgstr "Een bestelling kopen" #: engine/core/graphene/mutations.py:542 msgid "" -"please send the attributes as the string formatted like " -"attr1=value1,attr2=value2" +"please send the attributes as the string formatted like attr1=value1," +"attr2=value2" msgstr "" "Stuur de attributen als de string opgemaakt als attr1=waarde1,attr2=waarde2" @@ -1272,8 +1278,8 @@ msgid "elasticsearch - works like a charm" msgstr "ElasticSearch - werkt als een charme" #: engine/core/graphene/object_types.py:84 -#: engine/core/graphene/object_types.py:419 -#: engine/core/graphene/object_types.py:470 engine/core/models.py:796 +#: engine/core/graphene/object_types.py:420 +#: engine/core/graphene/object_types.py:471 engine/core/models.py:796 #: engine/core/models.py:1290 engine/core/models.py:2022 msgid "attributes" msgstr "Attributen" @@ -1287,8 +1293,8 @@ msgid "groups of attributes" msgstr "Groepen van kenmerken" #: engine/core/graphene/object_types.py:118 -#: engine/core/graphene/object_types.py:216 -#: engine/core/graphene/object_types.py:254 engine/core/models.py:440 +#: engine/core/graphene/object_types.py:217 +#: engine/core/graphene/object_types.py:255 engine/core/models.py:440 msgid "categories" msgstr "Categorieën" @@ -1296,83 +1302,82 @@ msgstr "Categorieën" msgid "brands" msgstr "Merken" -#: engine/core/graphene/object_types.py:218 +#: engine/core/graphene/object_types.py:219 msgid "category image url" msgstr "Categorieën" -#: engine/core/graphene/object_types.py:219 -#: engine/core/graphene/object_types.py:364 engine/core/models.py:278 +#: engine/core/graphene/object_types.py:220 +#: engine/core/graphene/object_types.py:365 engine/core/models.py:278 msgid "markup percentage" msgstr "Opwaarderingspercentage" -#: engine/core/graphene/object_types.py:223 +#: engine/core/graphene/object_types.py:224 msgid "which attributes and values can be used for filtering this category." msgstr "" "Welke attributen en waarden kunnen worden gebruikt om deze categorie te " "filteren." -#: engine/core/graphene/object_types.py:229 -msgid "" -"minimum and maximum prices for products in this category, if available." +#: engine/core/graphene/object_types.py:230 +msgid "minimum and maximum prices for products in this category, if available." msgstr "" "Minimale en maximale prijzen voor producten in deze categorie, indien " "beschikbaar." -#: engine/core/graphene/object_types.py:233 +#: engine/core/graphene/object_types.py:234 msgid "tags for this category" msgstr "Tags voor deze categorie" -#: engine/core/graphene/object_types.py:236 +#: engine/core/graphene/object_types.py:237 msgid "products in this category" msgstr "Producten in deze categorie" -#: engine/core/graphene/object_types.py:371 engine/core/models.py:183 +#: engine/core/graphene/object_types.py:372 engine/core/models.py:183 msgid "vendors" msgstr "Verkopers" -#: engine/core/graphene/object_types.py:375 +#: engine/core/graphene/object_types.py:376 msgid "Latitude (Y coordinate)" msgstr "Breedtegraad (Y-coördinaat)" -#: engine/core/graphene/object_types.py:376 +#: engine/core/graphene/object_types.py:377 msgid "Longitude (X coordinate)" msgstr "Lengtegraad (X-coördinaat)" -#: engine/core/graphene/object_types.py:405 +#: engine/core/graphene/object_types.py:406 msgid "comment" msgstr "Hoe" -#: engine/core/graphene/object_types.py:407 -#: engine/core/graphene/object_types.py:541 +#: engine/core/graphene/object_types.py:408 +#: engine/core/graphene/object_types.py:542 msgid "rating value from 1 to 10, inclusive, or 0 if not set." msgstr "Waarderingswaarde van 1 tot en met 10, of 0 indien niet ingesteld." -#: engine/core/graphene/object_types.py:415 +#: engine/core/graphene/object_types.py:416 msgid "represents feedback from a user." msgstr "Vertegenwoordigt feedback van een gebruiker." -#: engine/core/graphene/object_types.py:420 -#: engine/core/graphene/object_types.py:471 engine/core/models.py:1284 +#: engine/core/graphene/object_types.py:421 +#: engine/core/graphene/object_types.py:472 engine/core/models.py:1284 msgid "notifications" msgstr "Meldingen" -#: engine/core/graphene/object_types.py:422 +#: engine/core/graphene/object_types.py:423 msgid "download url for this order product if applicable" msgstr "Download url voor dit bestelproduct indien van toepassing" -#: engine/core/graphene/object_types.py:424 engine/core/models.py:1849 +#: engine/core/graphene/object_types.py:425 engine/core/models.py:1849 msgid "feedback" msgstr "Feedback" -#: engine/core/graphene/object_types.py:458 +#: engine/core/graphene/object_types.py:459 msgid "a list of order products in this order" msgstr "Een lijst met bestelde producten in deze bestelling" -#: engine/core/graphene/object_types.py:460 engine/core/models.py:1254 +#: engine/core/graphene/object_types.py:461 engine/core/models.py:1254 msgid "billing address" msgstr "Factuuradres" -#: engine/core/graphene/object_types.py:464 +#: engine/core/graphene/object_types.py:465 msgid "" "shipping address for this order, leave blank if same as billing address or " "if not applicable" @@ -1380,53 +1385,53 @@ msgstr "" "Verzendadres voor deze bestelling, leeg laten als dit hetzelfde is als het " "factuuradres of als dit niet van toepassing is" -#: engine/core/graphene/object_types.py:467 +#: engine/core/graphene/object_types.py:468 msgid "total price of this order" msgstr "Totale prijs van deze bestelling" -#: engine/core/graphene/object_types.py:468 +#: engine/core/graphene/object_types.py:469 msgid "total quantity of products in order" msgstr "Totale hoeveelheid producten in bestelling" -#: engine/core/graphene/object_types.py:469 +#: engine/core/graphene/object_types.py:470 msgid "are all products in the order digital" msgstr "Zijn alle producten in de bestelling digitaal" -#: engine/core/graphene/object_types.py:473 +#: engine/core/graphene/object_types.py:474 msgid "transactions for this order" msgstr "Transacties voor deze bestelling" -#: engine/core/graphene/object_types.py:493 engine/core/models.py:1318 +#: engine/core/graphene/object_types.py:494 engine/core/models.py:1318 msgid "orders" msgstr "Bestellingen" -#: engine/core/graphene/object_types.py:514 +#: engine/core/graphene/object_types.py:515 msgid "image url" msgstr "Afbeelding URL" -#: engine/core/graphene/object_types.py:521 +#: engine/core/graphene/object_types.py:522 msgid "product's images" msgstr "Afbeeldingen van het product" -#: engine/core/graphene/object_types.py:528 engine/core/models.py:439 +#: engine/core/graphene/object_types.py:529 engine/core/models.py:439 #: engine/core/models.py:596 msgid "category" msgstr "Categorie" -#: engine/core/graphene/object_types.py:530 engine/core/models.py:1850 +#: engine/core/graphene/object_types.py:531 engine/core/models.py:1850 msgid "feedbacks" msgstr "Reacties" -#: engine/core/graphene/object_types.py:531 engine/core/models.py:510 +#: engine/core/graphene/object_types.py:532 engine/core/models.py:510 #: engine/core/models.py:605 msgid "brand" msgstr "Merk" -#: engine/core/graphene/object_types.py:533 engine/core/models.py:103 +#: engine/core/graphene/object_types.py:534 engine/core/models.py:103 msgid "attribute groups" msgstr "Attribuutgroepen" -#: engine/core/graphene/object_types.py:535 +#: engine/core/graphene/object_types.py:536 #: engine/core/templates/digital_order_created_email.html:111 #: engine/core/templates/digital_order_delivered_email.html:109 #: engine/core/templates/shipped_order_created_email.html:109 @@ -1434,7 +1439,7 @@ msgstr "Attribuutgroepen" msgid "price" msgstr "Prijs" -#: engine/core/graphene/object_types.py:536 +#: engine/core/graphene/object_types.py:537 #: engine/core/templates/digital_order_created_email.html:110 #: engine/core/templates/digital_order_delivered_email.html:108 #: engine/core/templates/shipped_order_created_email.html:108 @@ -1442,39 +1447,39 @@ msgstr "Prijs" msgid "quantity" msgstr "Hoeveelheid" -#: engine/core/graphene/object_types.py:537 +#: engine/core/graphene/object_types.py:538 msgid "number of feedbacks" msgstr "Aantal terugkoppelingen" -#: engine/core/graphene/object_types.py:538 +#: engine/core/graphene/object_types.py:539 msgid "only available for personal orders" msgstr "Producten alleen beschikbaar voor persoonlijke bestellingen" -#: engine/core/graphene/object_types.py:543 +#: engine/core/graphene/object_types.py:544 msgid "discount price" msgstr "Korting" -#: engine/core/graphene/object_types.py:567 engine/core/models.py:677 +#: engine/core/graphene/object_types.py:568 engine/core/models.py:677 msgid "products" msgstr "Producten" -#: engine/core/graphene/object_types.py:677 +#: engine/core/graphene/object_types.py:678 msgid "promocodes" msgstr "Promocodes" -#: engine/core/graphene/object_types.py:692 +#: engine/core/graphene/object_types.py:693 msgid "products on sale" msgstr "Producten te koop" -#: engine/core/graphene/object_types.py:700 engine/core/models.py:928 +#: engine/core/graphene/object_types.py:701 engine/core/models.py:928 msgid "promotions" msgstr "Promoties" -#: engine/core/graphene/object_types.py:704 engine/core/models.py:182 +#: engine/core/graphene/object_types.py:705 engine/core/models.py:182 msgid "vendor" msgstr "Verkoper" -#: engine/core/graphene/object_types.py:705 engine/core/models.py:676 +#: engine/core/graphene/object_types.py:706 engine/core/models.py:676 #: engine/core/templates/digital_order_created_email.html:109 #: engine/core/templates/digital_order_delivered_email.html:107 #: engine/core/templates/shipped_order_created_email.html:107 @@ -1482,100 +1487,100 @@ msgstr "Verkoper" msgid "product" msgstr "Product" -#: engine/core/graphene/object_types.py:717 engine/core/models.py:951 +#: engine/core/graphene/object_types.py:718 engine/core/models.py:951 msgid "wishlisted products" msgstr "Gewenste producten" -#: engine/core/graphene/object_types.py:724 engine/core/models.py:968 +#: engine/core/graphene/object_types.py:725 engine/core/models.py:968 msgid "wishlists" msgstr "Verlanglijst" -#: engine/core/graphene/object_types.py:729 +#: engine/core/graphene/object_types.py:730 msgid "tagged products" msgstr "Getagde producten" -#: engine/core/graphene/object_types.py:737 engine/core/models.py:219 +#: engine/core/graphene/object_types.py:738 engine/core/models.py:219 #: engine/core/models.py:611 msgid "product tags" msgstr "Product tags" -#: engine/core/graphene/object_types.py:742 +#: engine/core/graphene/object_types.py:743 msgid "tagged categories" msgstr "Getagde categorieën" -#: engine/core/graphene/object_types.py:750 +#: engine/core/graphene/object_types.py:751 msgid "categories tags" msgstr "Categorieën' tags" -#: engine/core/graphene/object_types.py:754 +#: engine/core/graphene/object_types.py:755 msgid "project name" msgstr "Naam project" -#: engine/core/graphene/object_types.py:755 +#: engine/core/graphene/object_types.py:756 msgid "company name" msgstr "Bedrijfsnaam" -#: engine/core/graphene/object_types.py:756 +#: engine/core/graphene/object_types.py:757 msgid "company address" msgstr "Adres" -#: engine/core/graphene/object_types.py:757 +#: engine/core/graphene/object_types.py:758 msgid "company phone number" msgstr "Telefoonnummer bedrijf" -#: engine/core/graphene/object_types.py:760 +#: engine/core/graphene/object_types.py:761 msgid "email from, sometimes it must be used instead of host user value" msgstr "" "e-mail van', soms moet deze worden gebruikt in plaats van de " "hostgebruikerswaarde" -#: engine/core/graphene/object_types.py:763 +#: engine/core/graphene/object_types.py:764 msgid "email host user" msgstr "Gebruiker e-mail hosten" -#: engine/core/graphene/object_types.py:764 +#: engine/core/graphene/object_types.py:765 msgid "maximum amount for payment" msgstr "Maximumbedrag voor betaling" -#: engine/core/graphene/object_types.py:765 +#: engine/core/graphene/object_types.py:766 msgid "minimum amount for payment" msgstr "Minimumbedrag voor betaling" -#: engine/core/graphene/object_types.py:766 +#: engine/core/graphene/object_types.py:767 msgid "analytics data" msgstr "Analytics-gegevens" -#: engine/core/graphene/object_types.py:767 +#: engine/core/graphene/object_types.py:768 msgid "advertisement data" msgstr "Advertentiegegevens" -#: engine/core/graphene/object_types.py:770 +#: engine/core/graphene/object_types.py:771 msgid "company configuration" msgstr "Configuratie" -#: engine/core/graphene/object_types.py:774 +#: engine/core/graphene/object_types.py:775 msgid "language code" msgstr "Taalcode" -#: engine/core/graphene/object_types.py:775 +#: engine/core/graphene/object_types.py:776 msgid "language name" msgstr "Naam van de taal" -#: engine/core/graphene/object_types.py:776 +#: engine/core/graphene/object_types.py:777 msgid "language flag, if exists :)" msgstr "Taalvlag, indien aanwezig :)" -#: engine/core/graphene/object_types.py:779 +#: engine/core/graphene/object_types.py:780 msgid "supported languages" msgstr "Een lijst met ondersteunde talen opvragen" -#: engine/core/graphene/object_types.py:811 -#: engine/core/graphene/object_types.py:814 -#: engine/core/graphene/object_types.py:817 +#: engine/core/graphene/object_types.py:812 +#: engine/core/graphene/object_types.py:815 +#: engine/core/graphene/object_types.py:818 msgid "products search results" msgstr "Producten zoekresultaten" -#: engine/core/graphene/object_types.py:819 +#: engine/core/graphene/object_types.py:820 msgid "posts search results" msgstr "Zoekresultaten" @@ -1589,8 +1594,8 @@ msgstr "" "Vertegenwoordigt een groep attributen, die hiërarchisch kan zijn. Deze " "klasse wordt gebruikt om groepen van attributen te beheren en te " "organiseren. Een attribuutgroep kan een bovenliggende groep hebben, die een " -"hiërarchische structuur vormt. Dit kan nuttig zijn voor het categoriseren en" -" effectiever beheren van attributen in een complex systeem." +"hiërarchische structuur vormt. Dit kan nuttig zijn voor het categoriseren en " +"effectiever beheren van attributen in een complex systeem." #: engine/core/models.py:88 msgid "parent of this group" @@ -1618,8 +1623,8 @@ msgid "" "also maintains additional metadata and constraints, making it suitable for " "use in systems that interact with third-party vendors." msgstr "" -"Vertegenwoordigt een verkopersentiteit die informatie over externe verkopers" -" en hun interactievereisten kan opslaan. De klasse Vendor wordt gebruikt om " +"Vertegenwoordigt een verkopersentiteit die informatie over externe verkopers " +"en hun interactievereisten kan opslaan. De klasse Vendor wordt gebruikt om " "informatie over een externe verkoper te definiëren en te beheren. Het slaat " "de naam van de verkoper op, authenticatiegegevens die nodig zijn voor " "communicatie en het opmaakpercentage dat wordt toegepast op producten die " @@ -1680,8 +1685,8 @@ msgid "" msgstr "" "Vertegenwoordigt een producttag die wordt gebruikt om producten te " "classificeren of te identificeren. De klasse ProductTag is ontworpen om " -"producten uniek te identificeren en te classificeren door een combinatie van" -" een interne tagidentifier en een gebruiksvriendelijke weergavenaam. Het " +"producten uniek te identificeren en te classificeren door een combinatie van " +"een interne tagidentifier en een gebruiksvriendelijke weergavenaam. Het " "ondersteunt bewerkingen die geëxporteerd worden door mixins en biedt " "aanpassing van metadata voor administratieve doeleinden." @@ -1739,12 +1744,12 @@ msgstr "" "Vertegenwoordigt een categorie-entiteit voor het organiseren en groeperen " "van gerelateerde items in een hiërarchische structuur. Categorieën kunnen " "hiërarchische relaties hebben met andere categorieën, waarbij ouder-kind " -"relaties worden ondersteund. De klasse bevat velden voor metadata en visuele" -" weergave, die dienen als basis voor categorie-gerelateerde functies. Deze " -"klasse wordt meestal gebruikt om productcategorieën of andere gelijksoortige" -" groeperingen binnen een applicatie te definiëren en te beheren, waarbij " -"gebruikers of beheerders de naam, beschrijving en hiërarchie van categorieën" -" kunnen specificeren en attributen zoals afbeeldingen, tags of prioriteit " +"relaties worden ondersteund. De klasse bevat velden voor metadata en visuele " +"weergave, die dienen als basis voor categorie-gerelateerde functies. Deze " +"klasse wordt meestal gebruikt om productcategorieën of andere gelijksoortige " +"groeperingen binnen een applicatie te definiëren en te beheren, waarbij " +"gebruikers of beheerders de naam, beschrijving en hiërarchie van categorieën " +"kunnen specificeren en attributen zoals afbeeldingen, tags of prioriteit " "kunnen toekennen." #: engine/core/models.py:269 @@ -1796,8 +1801,7 @@ msgid "" "Represents a Brand object in the system. This class handles information and " "attributes related to a brand, including its name, logos, description, " "associated categories, a unique slug, and priority order. It allows for the " -"organization and representation of brand-related data within the " -"application." +"organization and representation of brand-related data within the application." msgstr "" "Vertegenwoordigt een merkobject in het systeem. Deze klasse behandelt " "informatie en attributen met betrekking tot een merk, inclusief de naam, " @@ -1847,8 +1851,8 @@ msgstr "Categorieën" #: engine/core/models.py:516 msgid "" -"Represents the stock of a product managed in the system. This class provides" -" details about the relationship between vendors, products, and their stock " +"Represents the stock of a product managed in the system. This class provides " +"details about the relationship between vendors, products, and their stock " "information, as well as inventory-related properties like price, purchase " "price, quantity, SKU, and digital assets. It is part of the inventory " "management system to allow tracking and evaluation of products available " @@ -2009,13 +2013,13 @@ msgid "" "Represents an attribute in the system. This class is used to define and " "manage attributes, which are customizable pieces of data that can be " "associated with other entities. Attributes have associated categories, " -"groups, value types, and names. The model supports multiple types of values," -" including string, integer, float, boolean, array, and object. This allows " +"groups, value types, and names. The model supports multiple types of values, " +"including string, integer, float, boolean, array, and object. This allows " "for dynamic and flexible data structuring." msgstr "" -"Vertegenwoordigt een attribuut in het systeem. Deze klasse wordt gebruikt om" -" attributen te definiëren en te beheren. Dit zijn aanpasbare stukjes data " -"die kunnen worden geassocieerd met andere entiteiten. Attributen hebben " +"Vertegenwoordigt een attribuut in het systeem. Deze klasse wordt gebruikt om " +"attributen te definiëren en te beheren. Dit zijn aanpasbare stukjes data die " +"kunnen worden geassocieerd met andere entiteiten. Attributen hebben " "geassocieerde categorieën, groepen, waardetypes en namen. Het model " "ondersteunt meerdere typen waarden, waaronder string, integer, float, " "boolean, array en object. Dit maakt dynamische en flexibele " @@ -2082,12 +2086,12 @@ msgstr "Attribuut" #: engine/core/models.py:801 msgid "" -"Represents a specific value for an attribute that is linked to a product. It" -" links the 'attribute' to a unique 'value', allowing better organization and" -" dynamic representation of product characteristics." +"Represents a specific value for an attribute that is linked to a product. It " +"links the 'attribute' to a unique 'value', allowing better organization and " +"dynamic representation of product characteristics." msgstr "" -"Vertegenwoordigt een specifieke waarde voor een kenmerk dat is gekoppeld aan" -" een product. Het koppelt het 'kenmerk' aan een unieke 'waarde', wat een " +"Vertegenwoordigt een specifieke waarde voor een kenmerk dat is gekoppeld aan " +"een product. Het koppelt het 'kenmerk' aan een unieke 'waarde', wat een " "betere organisatie en dynamische weergave van productkenmerken mogelijk " "maakt." @@ -2106,8 +2110,8 @@ msgstr "De specifieke waarde voor dit kenmerk" #: engine/core/models.py:839 msgid "" "Represents a product image associated with a product in the system. This " -"class is designed to manage images for products, including functionality for" -" uploading image files, associating them with specific products, and " +"class is designed to manage images for products, including functionality for " +"uploading image files, associating them with specific products, and " "determining their display order. It also includes an accessibility feature " "with alternative text for the images." msgstr "" @@ -2156,8 +2160,8 @@ msgid "" "is used to define and manage promotional campaigns that offer a percentage-" "based discount for products. The class includes attributes for setting the " "discount rate, providing details about the promotion, and linking it to the " -"applicable products. It integrates with the product catalog to determine the" -" affected items in the campaign." +"applicable products. It integrates with the product catalog to determine the " +"affected items in the campaign." msgstr "" "Vertegenwoordigt een promotiecampagne voor producten met een korting. Deze " "klasse wordt gebruikt om promotiecampagnes te definiëren en beheren die een " @@ -2234,8 +2238,8 @@ msgid "" "store information about documentaries related to specific products, " "including file uploads and their metadata. It contains methods and " "properties to handle the file type and storage path for the documentary " -"files. It extends functionality from specific mixins and provides additional" -" custom features." +"files. It extends functionality from specific mixins and provides additional " +"custom features." msgstr "" "Vertegenwoordigt een documentair record gekoppeld aan een product. Deze " "klasse wordt gebruikt om informatie op te slaan over documentaires met " @@ -2259,20 +2263,20 @@ msgstr "Onopgelost" #: engine/core/models.py:1040 msgid "" -"Represents an address entity that includes location details and associations" -" with a user. Provides functionality for geographic and address data " -"storage, as well as integration with geocoding services. This class is " -"designed to store detailed address information including components like " -"street, city, region, country, and geolocation (longitude and latitude). It " -"supports integration with geocoding APIs, enabling the storage of raw API " -"responses for further processing or inspection. The class also allows " -"associating an address with a user, facilitating personalized data handling." +"Represents an address entity that includes location details and associations " +"with a user. Provides functionality for geographic and address data storage, " +"as well as integration with geocoding services. This class is designed to " +"store detailed address information including components like street, city, " +"region, country, and geolocation (longitude and latitude). It supports " +"integration with geocoding APIs, enabling the storage of raw API responses " +"for further processing or inspection. The class also allows associating an " +"address with a user, facilitating personalized data handling." msgstr "" "Vertegenwoordigt een adresentiteit met locatiegegevens en associaties met " "een gebruiker. Biedt functionaliteit voor het opslaan van geografische en " "adresgegevens, evenals integratie met geocoderingsservices. Deze klasse is " -"ontworpen om gedetailleerde adresgegevens op te slaan, inclusief componenten" -" als straat, stad, regio, land en geolocatie (lengtegraad en breedtegraad). " +"ontworpen om gedetailleerde adresgegevens op te slaan, inclusief componenten " +"als straat, stad, regio, land en geolocatie (lengtegraad en breedtegraad). " "Het ondersteunt integratie met geocodering API's, waardoor de opslag van " "ruwe API antwoorden voor verdere verwerking of inspectie mogelijk wordt. De " "klasse maakt het ook mogelijk om een adres met een gebruiker te associëren, " @@ -2394,8 +2398,7 @@ msgstr "Begin geldigheidsduur" #: engine/core/models.py:1152 msgid "timestamp when the promocode was used, blank if not used yet" msgstr "" -"Tijdstempel wanneer de promocode werd gebruikt, leeg indien nog niet " -"gebruikt" +"Tijdstempel wanneer de promocode werd gebruikt, leeg indien nog niet gebruikt" #: engine/core/models.py:1153 msgid "usage timestamp" @@ -2422,8 +2425,8 @@ msgid "" "only one type of discount should be defined (amount or percent), but not " "both or neither." msgstr "" -"Er moet slechts één type korting worden gedefinieerd (bedrag of percentage)," -" maar niet beide of geen van beide." +"Er moet slechts één type korting worden gedefinieerd (bedrag of percentage), " +"maar niet beide of geen van beide." #: engine/core/models.py:1205 msgid "promocode already used" @@ -2438,8 +2441,8 @@ msgstr "Ongeldig kortingstype voor promocode {self.uuid}!" msgid "" "Represents an order placed by a user. This class models an order within the " "application, including its various attributes such as billing and shipping " -"information, status, associated user, notifications, and related operations." -" Orders can have associated products, promotions can be applied, addresses " +"information, status, associated user, notifications, and related operations. " +"Orders can have associated products, promotions can be applied, addresses " "set, and shipping or billing details updated. Equally, functionality " "supports managing the products in the order lifecycle." msgstr "" @@ -2540,8 +2543,8 @@ msgstr "Je kunt niet meer producten toevoegen dan er op voorraad zijn" #: engine/core/models.py:1488 msgid "you cannot remove products from an order that is not a pending one" msgstr "" -"U kunt geen producten verwijderen uit een bestelling die niet in behandeling" -" is." +"U kunt geen producten verwijderen uit een bestelling die niet in behandeling " +"is." #: engine/core/models.py:1473 #, python-brace-format @@ -2576,8 +2579,8 @@ msgstr "Je kunt geen lege bestelling kopen!" #: engine/core/models.py:1603 msgid "you cannot buy an order without a user" msgstr "" -"U kunt geen producten verwijderen uit een bestelling die niet in behandeling" -" is." +"U kunt geen producten verwijderen uit een bestelling die niet in behandeling " +"is." #: engine/core/models.py:1617 msgid "a user without a balance cannot buy with balance" @@ -2600,8 +2603,7 @@ msgstr "" msgid "" "invalid payment method: {payment_method} from {available_payment_methods}" msgstr "" -"Ongeldige betalingsmethode: {payment_method} van " -"{available_payment_methods}!" +"Ongeldige betalingsmethode: {payment_method} van {available_payment_methods}!" #: engine/core/models.py:1806 msgid "" @@ -2612,8 +2614,8 @@ msgid "" "fields to effectively model and manage feedback data." msgstr "" "Beheert gebruikersfeedback voor producten. Deze klasse is ontworpen om " -"feedback van gebruikers over specifieke producten die ze hebben gekocht vast" -" te leggen en op te slaan. De klasse bevat attributen voor het opslaan van " +"feedback van gebruikers over specifieke producten die ze hebben gekocht vast " +"te leggen en op te slaan. De klasse bevat attributen voor het opslaan van " "opmerkingen van gebruikers, een verwijzing naar het betreffende product in " "de bestelling en een door de gebruiker toegekende beoordeling. De klasse " "gebruikt databasevelden om feedbackgegevens effectief te modelleren en te " @@ -2628,8 +2630,7 @@ msgid "feedback comments" msgstr "Reacties" #: engine/core/models.py:1827 -msgid "" -"references the specific product in an order that this feedback is about" +msgid "references the specific product in an order that this feedback is about" msgstr "" "Verwijst naar het specifieke product in een bestelling waar deze feedback " "over gaat" @@ -2666,8 +2667,8 @@ msgstr "" "het producttegoed of het toevoegen van feedback. Dit model biedt ook " "methoden en eigenschappen die bedrijfslogica ondersteunen, zoals het " "berekenen van de totaalprijs of het genereren van een download-URL voor " -"digitale producten. Het model integreert met de modellen Order en Product en" -" slaat een verwijzing ernaar op." +"digitale producten. Het model integreert met de modellen Order en Product en " +"slaat een verwijzing ernaar op." #: engine/core/models.py:1870 msgid "the price paid by the customer for this product at purchase time" @@ -2737,8 +2738,8 @@ msgstr "Verkeerde actie opgegeven voor feedback: {action}!" #: engine/core/models.py:2006 msgid "you cannot feedback an order which is not received" msgstr "" -"U kunt geen producten verwijderen uit een bestelling die niet in behandeling" -" is." +"U kunt geen producten verwijderen uit een bestelling die niet in behandeling " +"is." #: engine/core/models.py:2015 msgid "name" @@ -2777,9 +2778,9 @@ msgid "" "Represents the downloading functionality for digital assets associated with " "orders. The DigitalAssetDownload class provides the ability to manage and " "access downloads related to order products. It maintains information about " -"the associated order product, the number of downloads, and whether the asset" -" is publicly visible. It includes a method to generate a URL for downloading" -" the asset when the associated order is in a completed status." +"the associated order product, the number of downloads, and whether the asset " +"is publicly visible. It includes a method to generate a URL for downloading " +"the asset when the associated order is in a completed status." msgstr "" "Vertegenwoordigt de downloadfunctionaliteit voor digitale activa gekoppeld " "aan bestellingen. De DigitalAssetDownload klasse biedt de mogelijkheid om " @@ -2994,7 +2995,8 @@ msgstr "Hallo %(order.user.first_name)s," #, python-format msgid "" "thank you for your order #%(order.pk)s! we are pleased to inform you that\n" -" we have taken your order into work. below are the details of your\n" +" we have taken your order into work. below are " +"the details of your\n" " order:" msgstr "" "Hartelijk dank voor uw bestelling #%(order.pk)s! We zijn blij om u te " @@ -3109,7 +3111,8 @@ msgstr "" #: engine/core/templates/shipped_order_created_email.html:101 #: engine/core/templates/shipped_order_delivered_email.html:101 msgid "" -"thank you for your order! we are pleased to confirm your purchase. below are\n" +"thank you for your order! we are pleased to confirm your purchase. below " +"are\n" " the details of your order:" msgstr "" "Bedankt voor uw bestelling! We zijn blij om uw aankoop te bevestigen. " @@ -3146,8 +3149,7 @@ msgstr "Zowel gegevens als time-out zijn vereist" #: engine/core/utils/caching.py:52 msgid "invalid timeout value, it must be between 0 and 216000 seconds" -msgstr "" -"Ongeldige time-outwaarde, deze moet tussen 0 en 216000 seconden liggen" +msgstr "Ongeldige time-outwaarde, deze moet tussen 0 en 216000 seconden liggen" #: engine/core/utils/emailing.py:27 #, python-brace-format @@ -3217,8 +3219,8 @@ msgid "" "Handles cache operations such as reading and setting cache data with a " "specified key and timeout." msgstr "" -"Verwerkt cachebewerkingen zoals het lezen en instellen van cachegegevens met" -" een opgegeven sleutel en time-out." +"Verwerkt cachebewerkingen zoals het lezen en instellen van cachegegevens met " +"een opgegeven sleutel en time-out." #: engine/core/views.py:220 msgid "Handles `contact us` form submissions." @@ -3229,8 +3231,8 @@ msgid "" "Handles requests for processing and validating URLs from incoming POST " "requests." msgstr "" -"Handelt verzoeken af voor het verwerken en valideren van URL's van inkomende" -" POST-verzoeken." +"Handelt verzoeken af voor het verwerken en valideren van URL's van inkomende " +"POST-verzoeken." #: engine/core/views.py:273 msgid "Handles global search queries." @@ -3243,10 +3245,16 @@ msgstr "Behandelt de logica van kopen als bedrijf zonder registratie." #: engine/core/views.py:337 msgid "" "Handles the downloading of a digital asset associated with an order.\n" -"This function attempts to serve the digital asset file located in the storage directory of the project. If the file is not found, an HTTP 404 error is raised to indicate the resource is unavailable." +"This function attempts to serve the digital asset file located in the " +"storage directory of the project. If the file is not found, an HTTP 404 " +"error is raised to indicate the resource is unavailable." msgstr "" -"Handelt het downloaden af van een digitaal actief dat is gekoppeld aan een bestelling.\n" -"Deze functie probeert het digitale activabestand te serveren dat zich in de opslagmap van het project bevindt. Als het bestand niet wordt gevonden, wordt er een HTTP 404-fout weergegeven om aan te geven dat de bron niet beschikbaar is." +"Handelt het downloaden af van een digitaal actief dat is gekoppeld aan een " +"bestelling.\n" +"Deze functie probeert het digitale activabestand te serveren dat zich in de " +"opslagmap van het project bevindt. Als het bestand niet wordt gevonden, " +"wordt er een HTTP 404-fout weergegeven om aan te geven dat de bron niet " +"beschikbaar is." #: engine/core/views.py:348 msgid "order_product_uuid is required" @@ -3277,15 +3285,20 @@ msgstr "favicon niet gevonden" #: engine/core/views.py:418 msgid "" "Handles requests for the favicon of a website.\n" -"This function attempts to serve the favicon file located in the static directory of the project. If the favicon file is not found, an HTTP 404 error is raised to indicate the resource is unavailable." +"This function attempts to serve the favicon file located in the static " +"directory of the project. If the favicon file is not found, an HTTP 404 " +"error is raised to indicate the resource is unavailable." msgstr "" "Handelt verzoeken af voor de favicon van een website.\n" -"Deze functie probeert het favicon-bestand te serveren dat zich in de statische map van het project bevindt. Als het favicon-bestand niet wordt gevonden, wordt er een HTTP 404-fout weergegeven om aan te geven dat de bron niet beschikbaar is." +"Deze functie probeert het favicon-bestand te serveren dat zich in de " +"statische map van het project bevindt. Als het favicon-bestand niet wordt " +"gevonden, wordt er een HTTP 404-fout weergegeven om aan te geven dat de bron " +"niet beschikbaar is." #: engine/core/views.py:432 msgid "" -"Redirects the request to the admin index page. The function handles incoming" -" HTTP requests and redirects them to the Django admin interface index page. " +"Redirects the request to the admin index page. The function handles incoming " +"HTTP requests and redirects them to the Django admin interface index page. " "It uses Django's `redirect` function for handling the HTTP redirection." msgstr "" "Stuurt het verzoek door naar de admin-indexpagina. De functie handelt " @@ -3314,19 +3327,18 @@ msgid "" "serializer classes based on the current action, customizable permissions, " "and rendering formats." msgstr "" -"Definieert een viewset voor het beheren van Evibes-gerelateerde handelingen." -" De klasse EvibesViewSet erft van ModelViewSet en biedt functionaliteit voor" -" het afhandelen van acties en bewerkingen op Evibes-entiteiten. Het omvat " +"Definieert een viewset voor het beheren van Evibes-gerelateerde handelingen. " +"De klasse EvibesViewSet erft van ModelViewSet en biedt functionaliteit voor " +"het afhandelen van acties en bewerkingen op Evibes-entiteiten. Het omvat " "ondersteuning voor dynamische serializer klassen op basis van de huidige " "actie, aanpasbare machtigingen, en rendering formaten." #: engine/core/viewsets.py:160 msgid "" -"Represents a viewset for managing AttributeGroup objects. Handles operations" -" related to AttributeGroup, including filtering, serialization, and " -"retrieval of data. This class is part of the application's API layer and " -"provides a standardized way to process requests and responses for " -"AttributeGroup data." +"Represents a viewset for managing AttributeGroup objects. Handles operations " +"related to AttributeGroup, including filtering, serialization, and retrieval " +"of data. This class is part of the application's API layer and provides a " +"standardized way to process requests and responses for AttributeGroup data." msgstr "" "Vertegenwoordigt een viewset voor het beheren van AttributeGroup objecten. " "Verwerkt bewerkingen met betrekking tot AttributeGroup, inclusief filteren, " @@ -3347,21 +3359,20 @@ msgstr "" "applicatie. Biedt een set API-eindpunten voor interactie met " "Attribuutgegevens. Deze klasse beheert het opvragen, filteren en seriëren " "van Attribuutobjecten, waardoor dynamische controle over de geretourneerde " -"gegevens mogelijk is, zoals filteren op specifieke velden of het ophalen van" -" gedetailleerde versus vereenvoudigde informatie afhankelijk van het " -"verzoek." +"gegevens mogelijk is, zoals filteren op specifieke velden of het ophalen van " +"gedetailleerde versus vereenvoudigde informatie afhankelijk van het verzoek." #: engine/core/viewsets.py:198 msgid "" "A viewset for managing AttributeValue objects. This viewset provides " "functionality for listing, retrieving, creating, updating, and deleting " "AttributeValue objects. It integrates with Django REST Framework's viewset " -"mechanisms and uses appropriate serializers for different actions. Filtering" -" capabilities are provided through the DjangoFilterBackend." +"mechanisms and uses appropriate serializers for different actions. Filtering " +"capabilities are provided through the DjangoFilterBackend." msgstr "" -"Een viewset voor het beheren van AttributeValue-objecten. Deze viewset biedt" -" functionaliteit voor het opsommen, ophalen, maken, bijwerken en verwijderen" -" van AttributeValue objecten. Het integreert met Django REST Framework's " +"Een viewset voor het beheren van AttributeValue-objecten. Deze viewset biedt " +"functionaliteit voor het opsommen, ophalen, maken, bijwerken en verwijderen " +"van AttributeValue objecten. Het integreert met Django REST Framework's " "viewset mechanismen en gebruikt passende serializers voor verschillende " "acties. Filtermogelijkheden worden geleverd door de DjangoFilterBackend." @@ -3377,8 +3388,8 @@ msgstr "" "CategoryViewSet is verantwoordelijk voor het afhandelen van bewerkingen met " "betrekking tot het categoriemodel in het systeem. Het ondersteunt het " "ophalen, filteren en seriëren van categoriegegevens. De viewset dwingt ook " -"rechten af om ervoor te zorgen dat alleen bevoegde gebruikers toegang hebben" -" tot specifieke gegevens." +"rechten af om ervoor te zorgen dat alleen bevoegde gebruikers toegang hebben " +"tot specifieke gegevens." #: engine/core/viewsets.py:346 msgid "" @@ -3422,8 +3433,8 @@ msgstr "" "Vertegenwoordigt een viewset voor het beheren van Vendor-objecten. Met deze " "viewset kunnen gegevens van een verkoper worden opgehaald, gefilterd en " "geserialiseerd. Het definieert de queryset, filter configuraties, en " -"serializer klassen gebruikt om verschillende acties af te handelen. Het doel" -" van deze klasse is om gestroomlijnde toegang te bieden tot Vendor-" +"serializer klassen gebruikt om verschillende acties af te handelen. Het doel " +"van deze klasse is om gestroomlijnde toegang te bieden tot Vendor-" "gerelateerde bronnen via het Django REST framework." #: engine/core/viewsets.py:625 @@ -3431,8 +3442,8 @@ msgid "" "Representation of a view set handling Feedback objects. This class manages " "operations related to Feedback objects, including listing, filtering, and " "retrieving details. The purpose of this view set is to provide different " -"serializers for different actions and implement permission-based handling of" -" accessible Feedback objects. It extends the base `EvibesViewSet` and makes " +"serializers for different actions and implement permission-based handling of " +"accessible Feedback objects. It extends the base `EvibesViewSet` and makes " "use of Django's filtering system for querying data." msgstr "" "Weergave van een weergaveset die Feedback-objecten afhandelt. Deze klasse " @@ -3448,9 +3459,9 @@ msgid "" "ViewSet for managing orders and related operations. This class provides " "functionality to retrieve, modify, and manage order objects. It includes " "various endpoints for handling order operations such as adding or removing " -"products, performing purchases for registered as well as unregistered users," -" and retrieving the current authenticated user's pending orders. The ViewSet" -" uses multiple serializers based on the specific action being performed and " +"products, performing purchases for registered as well as unregistered users, " +"and retrieving the current authenticated user's pending orders. The ViewSet " +"uses multiple serializers based on the specific action being performed and " "enforces permissions accordingly while interacting with order data." msgstr "" "ViewSet voor het beheren van orders en gerelateerde operaties. Deze klasse " @@ -3467,15 +3478,15 @@ msgstr "" msgid "" "Provides a viewset for managing OrderProduct entities. This viewset enables " "CRUD operations and custom actions specific to the OrderProduct model. It " -"includes filtering, permission checks, and serializer switching based on the" -" requested action. Additionally, it provides a detailed action for handling " +"includes filtering, permission checks, and serializer switching based on the " +"requested action. Additionally, it provides a detailed action for handling " "feedback on OrderProduct instances" msgstr "" -"Biedt een viewset voor het beheren van OrderProduct-entiteiten. Deze viewset" -" maakt CRUD-bewerkingen en aangepaste acties mogelijk die specifiek zijn " -"voor het OrderProduct-model. Het omvat filteren, toestemmingscontroles en " -"serializer-omschakeling op basis van de gevraagde actie. Bovendien biedt het" -" een gedetailleerde actie voor het afhandelen van feedback op OrderProduct " +"Biedt een viewset voor het beheren van OrderProduct-entiteiten. Deze viewset " +"maakt CRUD-bewerkingen en aangepaste acties mogelijk die specifiek zijn voor " +"het OrderProduct-model. Het omvat filteren, toestemmingscontroles en " +"serializer-omschakeling op basis van de gevraagde actie. Bovendien biedt het " +"een gedetailleerde actie voor het afhandelen van feedback op OrderProduct " "instanties" #: engine/core/viewsets.py:974 @@ -3488,8 +3499,8 @@ msgid "" "Manages the retrieval and handling of PromoCode instances through various " "API actions." msgstr "" -"Beheert het ophalen en afhandelen van PromoCode-instanties via verschillende" -" API-acties." +"Beheert het ophalen en afhandelen van PromoCode-instanties via verschillende " +"API-acties." #: engine/core/viewsets.py:1019 msgid "Represents a view set for managing promotions. " @@ -3504,8 +3515,8 @@ msgstr "" msgid "" "ViewSet for managing Wishlist operations. The WishlistViewSet provides " "endpoints for interacting with a user's wish list, allowing for the " -"retrieval, modification, and customization of products within the wish list." -" This ViewSet facilitates functionality such as adding, removing, and bulk " +"retrieval, modification, and customization of products within the wish list. " +"This ViewSet facilitates functionality such as adding, removing, and bulk " "actions for wishlist products. Permission checks are integrated to ensure " "that users can only manage their own wishlists unless explicit permissions " "are granted." @@ -3527,9 +3538,9 @@ msgid "" "different HTTP methods, serializer overrides, and permission handling based " "on the request context." msgstr "" -"Deze klasse biedt viewsetfunctionaliteit voor het beheren van " -"`Adres`-objecten. De klasse AddressViewSet maakt CRUD-bewerkingen, filteren " -"en aangepaste acties met betrekking tot adresentiteiten mogelijk. Het bevat " +"Deze klasse biedt viewsetfunctionaliteit voor het beheren van `Adres`-" +"objecten. De klasse AddressViewSet maakt CRUD-bewerkingen, filteren en " +"aangepaste acties met betrekking tot adresentiteiten mogelijk. Het bevat " "gespecialiseerde gedragingen voor verschillende HTTP methoden, serializer " "omzeilingen en toestemmingsafhandeling gebaseerd op de verzoekcontext." @@ -3547,8 +3558,8 @@ msgid "" "serializers based on the action being performed." msgstr "" "Behandelt bewerkingen met betrekking tot Product Tags binnen de applicatie. " -"Deze klasse biedt functionaliteit voor het ophalen, filteren en serialiseren" -" van Product Tag objecten. Het ondersteunt flexibel filteren op specifieke " +"Deze klasse biedt functionaliteit voor het ophalen, filteren en serialiseren " +"van Product Tag objecten. Het ondersteunt flexibel filteren op specifieke " "attributen met behulp van de gespecificeerde filter backend en gebruikt " "dynamisch verschillende serializers op basis van de actie die wordt " "uitgevoerd." diff --git a/engine/core/locale/no_NO/LC_MESSAGES/django.mo b/engine/core/locale/no_NO/LC_MESSAGES/django.mo index a3f0be19bd617f63512dc2714ed41d7a3aed2624..51a52241cf86c8d39b44ba8460de4e2fccbaa112 100644 GIT binary patch delta 18 acmcb3lJ(+A)(zdqn9cMIH}@TLo(BL|KnTD9 delta 18 acmcb3lJ(+A)(zdqm`(LeHuoKKo(BL|N(jOL diff --git a/engine/core/locale/no_NO/LC_MESSAGES/django.po b/engine/core/locale/no_NO/LC_MESSAGES/django.po index 1ebec673..9132e3b9 100644 --- a/engine/core/locale/no_NO/LC_MESSAGES/django.po +++ b/engine/core/locale/no_NO/LC_MESSAGES/django.po @@ -1,9 +1,9 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-12-21 00:38+0300\n" +"POT-Creation-Date: 2026-01-04 19:25+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" @@ -28,8 +28,7 @@ msgstr "Er aktiv" #: engine/core/abstract.py:22 msgid "" -"if set to false, this object can't be seen by users without needed " -"permission" +"if set to false, this object can't be seen by users without needed permission" msgstr "" "Hvis dette objektet er satt til false, kan det ikke ses av brukere uten " "nødvendig tillatelse" @@ -92,8 +91,8 @@ msgstr "Deaktiver valgt %(verbose_name_plural)s" msgid "selected items have been deactivated." msgstr "Utvalgte elementer har blitt deaktivert!" -#: engine/core/admin.py:196 engine/core/graphene/object_types.py:652 -#: engine/core/graphene/object_types.py:659 engine/core/models.py:825 +#: engine/core/admin.py:196 engine/core/graphene/object_types.py:653 +#: engine/core/graphene/object_types.py:660 engine/core/models.py:825 #: engine/core/models.py:833 msgid "attribute value" msgstr "Attributtverdi" @@ -107,7 +106,7 @@ msgstr "Attributtverdier" msgid "image" msgstr "Bilde" -#: engine/core/admin.py:209 engine/core/graphene/object_types.py:529 +#: engine/core/admin.py:209 engine/core/graphene/object_types.py:530 msgid "images" msgstr "Bilder" @@ -115,7 +114,7 @@ msgstr "Bilder" msgid "stock" msgstr "Lager" -#: engine/core/admin.py:221 engine/core/graphene/object_types.py:712 +#: engine/core/admin.py:221 engine/core/graphene/object_types.py:713 msgid "stocks" msgstr "Aksjer" @@ -123,7 +122,7 @@ msgstr "Aksjer" msgid "order product" msgstr "Bestill produkt" -#: engine/core/admin.py:233 engine/core/graphene/object_types.py:440 +#: engine/core/admin.py:233 engine/core/graphene/object_types.py:441 #: engine/core/models.py:1932 msgid "order products" msgstr "Bestill produkter" @@ -156,8 +155,7 @@ msgstr "Leveres" msgid "canceled" msgstr "Avlyst" -#: engine/core/choices.py:8 engine/core/choices.py:16 -#: engine/core/choices.py:24 +#: engine/core/choices.py:8 engine/core/choices.py:16 engine/core/choices.py:24 msgid "failed" msgstr "Mislyktes" @@ -195,8 +193,8 @@ msgid "" "negotiation. Language can be selected with Accept-Language and query " "parameter both." msgstr "" -"OpenApi3-skjema for dette API-et. Format kan velges via innholdsforhandling." -" Språk kan velges både med Accept-Language og spørringsparameteren." +"OpenApi3-skjema for dette API-et. Format kan velges via innholdsforhandling. " +"Språk kan velges både med Accept-Language og spørringsparameteren." #: engine/core/docs/drf/views.py:46 engine/core/graphene/mutations.py:36 msgid "cache I/O" @@ -208,7 +206,8 @@ msgid "" "apply key, data and timeout with authentication to write data to cache." msgstr "" "Bruk bare en nøkkel for å lese tillatte data fra hurtigbufferen.\n" -"Bruk nøkkel, data og tidsavbrudd med autentisering for å skrive data til hurtigbufferen." +"Bruk nøkkel, data og tidsavbrudd med autentisering for å skrive data til " +"hurtigbufferen." #: engine/core/docs/drf/views.py:66 msgid "get a list of supported languages" @@ -273,8 +272,7 @@ msgstr "" "attributter" #: engine/core/docs/drf/viewsets.py:107 -msgid "" -"rewrite some fields of an existing attribute group saving non-editables" +msgid "rewrite some fields of an existing attribute group saving non-editables" msgstr "" "Skriv om noen av feltene i en eksisterende attributtgruppe for å lagre ikke-" "redigerbare felt" @@ -329,8 +327,7 @@ msgstr "" "attributter" #: engine/core/docs/drf/viewsets.py:208 -msgid "" -"rewrite some fields of an existing attribute value saving non-editables" +msgid "rewrite some fields of an existing attribute value saving non-editables" msgstr "" "Skriv om noen av feltene i en eksisterende attributtverdi og lagre ikke-" "redigerbare felt" @@ -368,8 +365,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:280 engine/core/docs/drf/viewsets.py:757 #: engine/core/docs/drf/viewsets.py:1046 #: engine/core/graphene/object_types.py:119 -#: engine/core/graphene/object_types.py:238 -#: engine/core/graphene/object_types.py:539 +#: engine/core/graphene/object_types.py:239 +#: engine/core/graphene/object_types.py:540 msgid "SEO Meta snapshot" msgstr "SEO Meta-øyeblikksbilde" @@ -387,8 +384,8 @@ msgstr "For ikke-ansatte brukere returneres bare deres egne bestillinger." #: engine/core/docs/drf/viewsets.py:309 msgid "" -"Case-insensitive substring search across human_readable_id, " -"order_products.product.name, and order_products.product.partnumber" +"Case-insensitive substring search across human_readable_id, order_products." +"product.name, and order_products.product.partnumber" msgstr "" "Søk etter store og små bokstaver på tvers av human_readable_id, " "order_products.product.name og order_products.product.partnumber" @@ -423,13 +420,13 @@ msgstr "Filtrer etter ordrestatus (skiller mellom store og små bokstaver)" #: engine/core/docs/drf/viewsets.py:354 msgid "" -"Order by one of: uuid, human_readable_id, user_email, user, status, created," -" modified, buy_time, random. Prefix with '-' for descending (e.g. " -"'-buy_time')." +"Order by one of: uuid, human_readable_id, user_email, user, status, created, " +"modified, buy_time, random. Prefix with '-' for descending (e.g. '-" +"buy_time')." msgstr "" "Bestill etter en av: uuid, human_readable_id, user_email, user, status, " -"created, modified, buy_time, random. Prefiks med '-' for synkende rekkefølge" -" (f.eks. '-buy_time')." +"created, modified, buy_time, random. Prefiks med '-' for synkende rekkefølge " +"(f.eks. '-buy_time')." #: engine/core/docs/drf/viewsets.py:366 msgid "retrieve a single order (detailed view)" @@ -500,8 +497,8 @@ msgid "" "adds a product to an order using the provided `product_uuid` and " "`attributes`." msgstr "" -"Legger til et produkt i en bestilling ved hjelp av de angitte `product_uuid`" -" og `attributtene`." +"Legger til et produkt i en bestilling ved hjelp av de angitte `product_uuid` " +"og `attributtene`." #: engine/core/docs/drf/viewsets.py:461 msgid "add a list of products to order, quantities will not count" @@ -601,8 +598,7 @@ msgstr "Fjern et produkt fra ønskelisten" #: engine/core/docs/drf/viewsets.py:568 msgid "removes a product from an wishlist using the provided `product_uuid`" msgstr "" -"Fjerner et produkt fra en ønskeliste ved hjelp av den angitte " -"`product_uuid`." +"Fjerner et produkt fra en ønskeliste ved hjelp av den angitte `product_uuid`." #: engine/core/docs/drf/viewsets.py:577 msgid "add many products to wishlist" @@ -629,18 +625,28 @@ msgstr "" msgid "" "Filter by one or more attribute name/value pairs. \n" "• **Syntax**: `attr_name=method-value[;attr2=method2-value2]…` \n" -"• **Methods** (defaults to `icontains` if omitted): `iexact`, `exact`, `icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, `iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in` \n" -"• **Value typing**: JSON is attempted first (so you can pass lists/dicts), `true`/`false` for booleans, integers, floats; otherwise treated as string. \n" +"• **Methods** (defaults to `icontains` if omitted): `iexact`, `exact`, " +"`icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, " +"`iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in` \n" +"• **Value typing**: JSON is attempted first (so you can pass lists/dicts), " +"`true`/`false` for booleans, integers, floats; otherwise treated as " +"string. \n" "• **Base64**: prefix with `b64-` to URL-safe base64-encode the raw value. \n" "Examples: \n" -"`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\",\"bluetooth\"]`, \n" +"`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\"," +"\"bluetooth\"]`, \n" "`b64-description=icontains-aGVhdC1jb2xk`" msgstr "" "Filtrer etter ett eller flere attributtnavn/verdipar. \n" "- **Syntaks**: `attr_name=metode-verdi[;attr2=metode2-verdi2]...`.\n" -"- **Metoder** (standardinnstilling er `icontains` hvis utelatt): `iexact`, `exact`, `icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, `iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in`.\n" -"- **Vertyping av verdi**: JSON forsøkes først (slik at du kan sende lister/dikter), `true`/`false` for booleans, heltall, floats; ellers behandlet som streng. \n" -"- **Base64**: prefiks med `b64-` for URL-sikker base64-koding av råverdien. \n" +"- **Metoder** (standardinnstilling er `icontains` hvis utelatt): `iexact`, " +"`exact`, `icontains`, `contains`, `isnull`, `startswith`, `istartswith`, " +"`endswith`, `iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in`.\n" +"- **Vertyping av verdi**: JSON forsøkes først (slik at du kan sende lister/" +"dikter), `true`/`false` for booleans, heltall, floats; ellers behandlet som " +"streng. \n" +"- **Base64**: prefiks med `b64-` for URL-sikker base64-koding av " +"råverdien. \n" "Eksempler: \n" "`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\",\"bluetooth\"]`,\n" "`b64-beskrivelse=icontains-aGVhdC1jb2xk`" @@ -655,10 +661,12 @@ msgstr "(nøyaktig) Produkt UUID" #: engine/core/docs/drf/viewsets.py:630 msgid "" -"Comma-separated list of fields to sort by. Prefix with `-` for descending. \n" +"Comma-separated list of fields to sort by. Prefix with `-` for " +"descending. \n" "**Allowed:** uuid, rating, name, slug, created, modified, price, random" msgstr "" -"Kommaseparert liste over felt som skal sorteres etter. Prefiks med `-` for synkende sortering. \n" +"Kommaseparert liste over felt som skal sorteres etter. Prefiks med `-` for " +"synkende sortering. \n" "**Tillatt:** uuid, vurdering, navn, slug, opprettet, endret, pris, tilfeldig" #: engine/core/docs/drf/viewsets.py:647 engine/core/docs/drf/viewsets.py:648 @@ -1215,8 +1223,8 @@ msgstr "Kjøp en ordre" #: engine/core/graphene/mutations.py:542 msgid "" -"please send the attributes as the string formatted like " -"attr1=value1,attr2=value2" +"please send the attributes as the string formatted like attr1=value1," +"attr2=value2" msgstr "" "Send attributtene som en streng formatert som attr1=verdi1,attr2=verdi2" @@ -1254,8 +1262,8 @@ msgid "elasticsearch - works like a charm" msgstr "ElasticSearch - fungerer som en drøm" #: engine/core/graphene/object_types.py:84 -#: engine/core/graphene/object_types.py:419 -#: engine/core/graphene/object_types.py:470 engine/core/models.py:796 +#: engine/core/graphene/object_types.py:420 +#: engine/core/graphene/object_types.py:471 engine/core/models.py:796 #: engine/core/models.py:1290 engine/core/models.py:2022 msgid "attributes" msgstr "Egenskaper" @@ -1269,8 +1277,8 @@ msgid "groups of attributes" msgstr "Grupper av attributter" #: engine/core/graphene/object_types.py:118 -#: engine/core/graphene/object_types.py:216 -#: engine/core/graphene/object_types.py:254 engine/core/models.py:440 +#: engine/core/graphene/object_types.py:217 +#: engine/core/graphene/object_types.py:255 engine/core/models.py:440 msgid "categories" msgstr "Kategorier" @@ -1278,83 +1286,81 @@ msgstr "Kategorier" msgid "brands" msgstr "Merkevarer" -#: engine/core/graphene/object_types.py:218 +#: engine/core/graphene/object_types.py:219 msgid "category image url" msgstr "Kategorier" -#: engine/core/graphene/object_types.py:219 -#: engine/core/graphene/object_types.py:364 engine/core/models.py:278 +#: engine/core/graphene/object_types.py:220 +#: engine/core/graphene/object_types.py:365 engine/core/models.py:278 msgid "markup percentage" msgstr "Påslag i prosent" -#: engine/core/graphene/object_types.py:223 +#: engine/core/graphene/object_types.py:224 msgid "which attributes and values can be used for filtering this category." msgstr "" -"Hvilke attributter og verdier som kan brukes til å filtrere denne " -"kategorien." +"Hvilke attributter og verdier som kan brukes til å filtrere denne kategorien." -#: engine/core/graphene/object_types.py:229 -msgid "" -"minimum and maximum prices for products in this category, if available." +#: engine/core/graphene/object_types.py:230 +msgid "minimum and maximum prices for products in this category, if available." msgstr "" "Minimums- og maksimumspriser for produkter i denne kategorien, hvis " "tilgjengelig." -#: engine/core/graphene/object_types.py:233 +#: engine/core/graphene/object_types.py:234 msgid "tags for this category" msgstr "Tagger for denne kategorien" -#: engine/core/graphene/object_types.py:236 +#: engine/core/graphene/object_types.py:237 msgid "products in this category" msgstr "Produkter i denne kategorien" -#: engine/core/graphene/object_types.py:371 engine/core/models.py:183 +#: engine/core/graphene/object_types.py:372 engine/core/models.py:183 msgid "vendors" msgstr "Leverandører" -#: engine/core/graphene/object_types.py:375 +#: engine/core/graphene/object_types.py:376 msgid "Latitude (Y coordinate)" msgstr "Breddegrad (Y-koordinat)" -#: engine/core/graphene/object_types.py:376 +#: engine/core/graphene/object_types.py:377 msgid "Longitude (X coordinate)" msgstr "Lengdegrad (X-koordinat)" -#: engine/core/graphene/object_types.py:405 +#: engine/core/graphene/object_types.py:406 msgid "comment" msgstr "Hvordan" -#: engine/core/graphene/object_types.py:407 -#: engine/core/graphene/object_types.py:541 +#: engine/core/graphene/object_types.py:408 +#: engine/core/graphene/object_types.py:542 msgid "rating value from 1 to 10, inclusive, or 0 if not set." msgstr "Vurderingsverdi fra 1 til og med 10, eller 0 hvis den ikke er angitt." -#: engine/core/graphene/object_types.py:415 +#: engine/core/graphene/object_types.py:416 msgid "represents feedback from a user." msgstr "Representerer tilbakemeldinger fra en bruker." -#: engine/core/graphene/object_types.py:420 -#: engine/core/graphene/object_types.py:471 engine/core/models.py:1284 +#: engine/core/graphene/object_types.py:421 +#: engine/core/graphene/object_types.py:472 engine/core/models.py:1284 msgid "notifications" msgstr "Varsler" -#: engine/core/graphene/object_types.py:422 +#: engine/core/graphene/object_types.py:423 msgid "download url for this order product if applicable" msgstr "Last ned url for dette bestillingsproduktet, hvis aktuelt" -#: engine/core/graphene/object_types.py:424 engine/core/models.py:1849 +#: engine/core/graphene/object_types.py:425 engine/core/models.py:1849 msgid "feedback" msgstr "Tilbakemeldinger" -#: engine/core/graphene/object_types.py:458 +#: engine/core/graphene/object_types.py:459 msgid "a list of order products in this order" msgstr "En liste over bestillingsprodukter i denne rekkefølgen" -#: engine/core/graphene/object_types.py:460 engine/core/models.py:1254 +#: engine/core/graphene/object_types.py:461 engine/core/models.py:1254 msgid "billing address" msgstr "Faktureringsadresse" -#: engine/core/graphene/object_types.py:464 +#: engine/core/graphene/object_types.py:465 msgid "" "shipping address for this order, leave blank if same as billing address or " "if not applicable" @@ -1362,53 +1368,53 @@ msgstr "" "Leveringsadresse for denne bestillingen, la den stå tom hvis den er den " "samme som faktureringsadressen eller hvis den ikke er relevant" -#: engine/core/graphene/object_types.py:467 +#: engine/core/graphene/object_types.py:468 msgid "total price of this order" msgstr "Totalpris for denne bestillingen" -#: engine/core/graphene/object_types.py:468 +#: engine/core/graphene/object_types.py:469 msgid "total quantity of products in order" msgstr "Totalt antall produkter i bestillingen" -#: engine/core/graphene/object_types.py:469 +#: engine/core/graphene/object_types.py:470 msgid "are all products in the order digital" msgstr "Er alle produktene i bestillingen digitale" -#: engine/core/graphene/object_types.py:473 +#: engine/core/graphene/object_types.py:474 msgid "transactions for this order" msgstr "Transaksjoner for denne bestillingen" -#: engine/core/graphene/object_types.py:493 engine/core/models.py:1318 +#: engine/core/graphene/object_types.py:494 engine/core/models.py:1318 msgid "orders" msgstr "Bestillinger" -#: engine/core/graphene/object_types.py:514 +#: engine/core/graphene/object_types.py:515 msgid "image url" msgstr "Bilde-URL" -#: engine/core/graphene/object_types.py:521 +#: engine/core/graphene/object_types.py:522 msgid "product's images" msgstr "Bilder av produktet" -#: engine/core/graphene/object_types.py:528 engine/core/models.py:439 +#: engine/core/graphene/object_types.py:529 engine/core/models.py:439 #: engine/core/models.py:596 msgid "category" msgstr "Kategori" -#: engine/core/graphene/object_types.py:530 engine/core/models.py:1850 +#: engine/core/graphene/object_types.py:531 engine/core/models.py:1850 msgid "feedbacks" msgstr "Tilbakemeldinger" -#: engine/core/graphene/object_types.py:531 engine/core/models.py:510 +#: engine/core/graphene/object_types.py:532 engine/core/models.py:510 #: engine/core/models.py:605 msgid "brand" msgstr "Merkevare" -#: engine/core/graphene/object_types.py:533 engine/core/models.py:103 +#: engine/core/graphene/object_types.py:534 engine/core/models.py:103 msgid "attribute groups" msgstr "Attributtgrupper" -#: engine/core/graphene/object_types.py:535 +#: engine/core/graphene/object_types.py:536 #: engine/core/templates/digital_order_created_email.html:111 #: engine/core/templates/digital_order_delivered_email.html:109 #: engine/core/templates/shipped_order_created_email.html:109 @@ -1416,7 +1422,7 @@ msgstr "Attributtgrupper" msgid "price" msgstr "Pris" -#: engine/core/graphene/object_types.py:536 +#: engine/core/graphene/object_types.py:537 #: engine/core/templates/digital_order_created_email.html:110 #: engine/core/templates/digital_order_delivered_email.html:108 #: engine/core/templates/shipped_order_created_email.html:108 @@ -1424,39 +1430,39 @@ msgstr "Pris" msgid "quantity" msgstr "Antall" -#: engine/core/graphene/object_types.py:537 +#: engine/core/graphene/object_types.py:538 msgid "number of feedbacks" msgstr "Antall tilbakemeldinger" -#: engine/core/graphene/object_types.py:538 +#: engine/core/graphene/object_types.py:539 msgid "only available for personal orders" msgstr "Produkter kun tilgjengelig for personlige bestillinger" -#: engine/core/graphene/object_types.py:543 +#: engine/core/graphene/object_types.py:544 msgid "discount price" msgstr "Rabattert pris" -#: engine/core/graphene/object_types.py:567 engine/core/models.py:677 +#: engine/core/graphene/object_types.py:568 engine/core/models.py:677 msgid "products" msgstr "Produkter" -#: engine/core/graphene/object_types.py:677 +#: engine/core/graphene/object_types.py:678 msgid "promocodes" msgstr "Promokoder" -#: engine/core/graphene/object_types.py:692 +#: engine/core/graphene/object_types.py:693 msgid "products on sale" msgstr "Produkter på salg" -#: engine/core/graphene/object_types.py:700 engine/core/models.py:928 +#: engine/core/graphene/object_types.py:701 engine/core/models.py:928 msgid "promotions" msgstr "Kampanjer" -#: engine/core/graphene/object_types.py:704 engine/core/models.py:182 +#: engine/core/graphene/object_types.py:705 engine/core/models.py:182 msgid "vendor" msgstr "Leverandør" -#: engine/core/graphene/object_types.py:705 engine/core/models.py:676 +#: engine/core/graphene/object_types.py:706 engine/core/models.py:676 #: engine/core/templates/digital_order_created_email.html:109 #: engine/core/templates/digital_order_delivered_email.html:107 #: engine/core/templates/shipped_order_created_email.html:107 @@ -1464,98 +1470,99 @@ msgstr "Leverandør" msgid "product" msgstr "Produkt" -#: engine/core/graphene/object_types.py:717 engine/core/models.py:951 +#: engine/core/graphene/object_types.py:718 engine/core/models.py:951 msgid "wishlisted products" msgstr "Produkter på ønskelisten" -#: engine/core/graphene/object_types.py:724 engine/core/models.py:968 +#: engine/core/graphene/object_types.py:725 engine/core/models.py:968 msgid "wishlists" msgstr "Ønskelister" -#: engine/core/graphene/object_types.py:729 +#: engine/core/graphene/object_types.py:730 msgid "tagged products" msgstr "Merkede produkter" -#: engine/core/graphene/object_types.py:737 engine/core/models.py:219 +#: engine/core/graphene/object_types.py:738 engine/core/models.py:219 #: engine/core/models.py:611 msgid "product tags" msgstr "Produktmerker" -#: engine/core/graphene/object_types.py:742 +#: engine/core/graphene/object_types.py:743 msgid "tagged categories" msgstr "Merkede kategorier" -#: engine/core/graphene/object_types.py:750 +#: engine/core/graphene/object_types.py:751 msgid "categories tags" msgstr "Kategorier' tagger" -#: engine/core/graphene/object_types.py:754 +#: engine/core/graphene/object_types.py:755 msgid "project name" msgstr "Prosjektets navn" -#: engine/core/graphene/object_types.py:755 +#: engine/core/graphene/object_types.py:756 msgid "company name" msgstr "Selskapets navn" -#: engine/core/graphene/object_types.py:756 +#: engine/core/graphene/object_types.py:757 msgid "company address" msgstr "Selskapets adresse" -#: engine/core/graphene/object_types.py:757 +#: engine/core/graphene/object_types.py:758 msgid "company phone number" msgstr "Telefonnummer til selskapet" -#: engine/core/graphene/object_types.py:760 +#: engine/core/graphene/object_types.py:761 msgid "email from, sometimes it must be used instead of host user value" -msgstr "\"e-post fra\", noen ganger må den brukes i stedet for vertsbrukerverdien" +msgstr "" +"\"e-post fra\", noen ganger må den brukes i stedet for vertsbrukerverdien" -#: engine/core/graphene/object_types.py:763 +#: engine/core/graphene/object_types.py:764 msgid "email host user" msgstr "E-post vert bruker" -#: engine/core/graphene/object_types.py:764 +#: engine/core/graphene/object_types.py:765 msgid "maximum amount for payment" msgstr "Maksimalt beløp for betaling" -#: engine/core/graphene/object_types.py:765 +#: engine/core/graphene/object_types.py:766 msgid "minimum amount for payment" msgstr "Minimumsbeløp for betaling" -#: engine/core/graphene/object_types.py:766 +#: engine/core/graphene/object_types.py:767 msgid "analytics data" msgstr "Analysedata" -#: engine/core/graphene/object_types.py:767 +#: engine/core/graphene/object_types.py:768 msgid "advertisement data" msgstr "Annonsedata" -#: engine/core/graphene/object_types.py:770 +#: engine/core/graphene/object_types.py:771 msgid "company configuration" msgstr "Konfigurasjon" -#: engine/core/graphene/object_types.py:774 +#: engine/core/graphene/object_types.py:775 msgid "language code" msgstr "Språkkode" -#: engine/core/graphene/object_types.py:775 +#: engine/core/graphene/object_types.py:776 msgid "language name" msgstr "Navn på språk" -#: engine/core/graphene/object_types.py:776 +#: engine/core/graphene/object_types.py:777 msgid "language flag, if exists :)" msgstr "Språkflagg, hvis det finnes :)" -#: engine/core/graphene/object_types.py:779 +#: engine/core/graphene/object_types.py:780 msgid "supported languages" msgstr "Få en liste over språk som støttes" -#: engine/core/graphene/object_types.py:811 -#: engine/core/graphene/object_types.py:814 -#: engine/core/graphene/object_types.py:817 +#: engine/core/graphene/object_types.py:812 +#: engine/core/graphene/object_types.py:815 +#: engine/core/graphene/object_types.py:818 msgid "products search results" msgstr "Søkeresultater for produkter" -#: engine/core/graphene/object_types.py:819 +#: engine/core/graphene/object_types.py:820 msgid "posts search results" msgstr "Søkeresultater for produkter" @@ -1566,11 +1573,11 @@ msgid "" "parent group, forming a hierarchical structure. This can be useful for " "categorizing and managing attributes more effectively in acomplex system." msgstr "" -"Representerer en gruppe attributter, som kan være hierarkiske. Denne klassen" -" brukes til å administrere og organisere attributtgrupper. En " -"attributtgruppe kan ha en overordnet gruppe som danner en hierarkisk " -"struktur. Dette kan være nyttig for å kategorisere og administrere " -"attributter på en mer effektiv måte i et komplekst system." +"Representerer en gruppe attributter, som kan være hierarkiske. Denne klassen " +"brukes til å administrere og organisere attributtgrupper. En attributtgruppe " +"kan ha en overordnet gruppe som danner en hierarkisk struktur. Dette kan " +"være nyttig for å kategorisere og administrere attributter på en mer " +"effektiv måte i et komplekst system." #: engine/core/models.py:88 msgid "parent of this group" @@ -1599,8 +1606,8 @@ msgid "" "use in systems that interact with third-party vendors." msgstr "" "Representerer en leverandørenhet som kan lagre informasjon om eksterne " -"leverandører og deres interaksjonskrav. Vendor-klassen brukes til å definere" -" og administrere informasjon knyttet til en ekstern leverandør. Den lagrer " +"leverandører og deres interaksjonskrav. Vendor-klassen brukes til å definere " +"og administrere informasjon knyttet til en ekstern leverandør. Den lagrer " "leverandørens navn, autentiseringsdetaljer som kreves for kommunikasjon, og " "prosentmarkeringen som brukes på produkter som hentes fra leverandøren. " "Denne modellen inneholder også ytterligere metadata og begrensninger, noe " @@ -1658,8 +1665,8 @@ msgid "" "metadata customization for administrative purposes." msgstr "" "Representerer en produkttagg som brukes til å klassifisere eller " -"identifisere produkter. ProductTag-klassen er utformet for å identifisere og" -" klassifisere produkter på en unik måte ved hjelp av en kombinasjon av en " +"identifisere produkter. ProductTag-klassen er utformet for å identifisere og " +"klassifisere produkter på en unik måte ved hjelp av en kombinasjon av en " "intern tagg-identifikator og et brukervennlig visningsnavn. Den støtter " "operasjoner som eksporteres gjennom mixins, og gir metadatatilpasning for " "administrative formål." @@ -1692,8 +1699,8 @@ msgid "" msgstr "" "Representerer en kategorikode som brukes for produkter. Denne klassen " "modellerer en kategorikode som kan brukes til å knytte til og klassifisere " -"produkter. Den inneholder attributter for en intern tagg-identifikator og et" -" brukervennlig visningsnavn." +"produkter. Den inneholder attributter for en intern tagg-identifikator og et " +"brukervennlig visningsnavn." #: engine/core/models.py:249 msgid "category tag" @@ -1716,8 +1723,8 @@ msgid "" "priority." msgstr "" "Representerer en kategorienhet for å organisere og gruppere relaterte " -"elementer i en hierarkisk struktur. Kategorier kan ha hierarkiske relasjoner" -" med andre kategorier, noe som støtter foreldre-barn-relasjoner. Klassen " +"elementer i en hierarkisk struktur. Kategorier kan ha hierarkiske relasjoner " +"med andre kategorier, noe som støtter foreldre-barn-relasjoner. Klassen " "inneholder felt for metadata og visuell representasjon, som danner " "grunnlaget for kategorirelaterte funksjoner. Denne klassen brukes vanligvis " "til å definere og administrere produktkategorier eller andre lignende " @@ -1774,8 +1781,7 @@ msgid "" "Represents a Brand object in the system. This class handles information and " "attributes related to a brand, including its name, logos, description, " "associated categories, a unique slug, and priority order. It allows for the " -"organization and representation of brand-related data within the " -"application." +"organization and representation of brand-related data within the application." msgstr "" "Representerer et merkevareobjekt i systemet. Denne klassen håndterer " "informasjon og attributter knyttet til et merke, inkludert navn, logoer, " @@ -1825,16 +1831,16 @@ msgstr "Kategorier" #: engine/core/models.py:516 msgid "" -"Represents the stock of a product managed in the system. This class provides" -" details about the relationship between vendors, products, and their stock " +"Represents the stock of a product managed in the system. This class provides " +"details about the relationship between vendors, products, and their stock " "information, as well as inventory-related properties like price, purchase " "price, quantity, SKU, and digital assets. It is part of the inventory " "management system to allow tracking and evaluation of products available " "from various vendors." msgstr "" -"Representerer lagerbeholdningen til et produkt som administreres i systemet." -" Denne klassen gir informasjon om forholdet mellom leverandører, produkter " -"og deres lagerinformasjon, samt lagerrelaterte egenskaper som pris, " +"Representerer lagerbeholdningen til et produkt som administreres i systemet. " +"Denne klassen gir informasjon om forholdet mellom leverandører, produkter og " +"deres lagerinformasjon, samt lagerrelaterte egenskaper som pris, " "innkjøpspris, antall, SKU og digitale eiendeler. Den er en del av " "lagerstyringssystemet for å muliggjøre sporing og evaluering av produkter " "som er tilgjengelige fra ulike leverandører." @@ -1986,8 +1992,8 @@ msgid "" "Represents an attribute in the system. This class is used to define and " "manage attributes, which are customizable pieces of data that can be " "associated with other entities. Attributes have associated categories, " -"groups, value types, and names. The model supports multiple types of values," -" including string, integer, float, boolean, array, and object. This allows " +"groups, value types, and names. The model supports multiple types of values, " +"including string, integer, float, boolean, array, and object. This allows " "for dynamic and flexible data structuring." msgstr "" "Representerer et attributt i systemet. Denne klassen brukes til å definere " @@ -2048,8 +2054,7 @@ msgstr "er filtrerbar" #: engine/core/models.py:782 msgid "designates whether this attribute can be used for filtering or not" msgstr "" -"Hvilke attributter og verdier som kan brukes til å filtrere denne " -"kategorien." +"Hvilke attributter og verdier som kan brukes til å filtrere denne kategorien." #: engine/core/models.py:795 engine/core/models.py:813 #: engine/core/templates/digital_order_delivered_email.html:134 @@ -2058,9 +2063,9 @@ msgstr "Attributt" #: engine/core/models.py:801 msgid "" -"Represents a specific value for an attribute that is linked to a product. It" -" links the 'attribute' to a unique 'value', allowing better organization and" -" dynamic representation of product characteristics." +"Represents a specific value for an attribute that is linked to a product. It " +"links the 'attribute' to a unique 'value', allowing better organization and " +"dynamic representation of product characteristics." msgstr "" "Representerer en spesifikk verdi for et attributt som er knyttet til et " "produkt. Den knytter \"attributtet\" til en unik \"verdi\", noe som gir " @@ -2081,14 +2086,14 @@ msgstr "Den spesifikke verdien for dette attributtet" #: engine/core/models.py:839 msgid "" "Represents a product image associated with a product in the system. This " -"class is designed to manage images for products, including functionality for" -" uploading image files, associating them with specific products, and " +"class is designed to manage images for products, including functionality for " +"uploading image files, associating them with specific products, and " "determining their display order. It also includes an accessibility feature " "with alternative text for the images." msgstr "" "Representerer et produktbilde som er knyttet til et produkt i systemet. " -"Denne klassen er utviklet for å administrere bilder for produkter, inkludert" -" funksjonalitet for å laste opp bildefiler, knytte dem til spesifikke " +"Denne klassen er utviklet for å administrere bilder for produkter, inkludert " +"funksjonalitet for å laste opp bildefiler, knytte dem til spesifikke " "produkter og bestemme visningsrekkefølgen. Den inneholder også en " "tilgjengelighetsfunksjon med alternativ tekst for bildene." @@ -2130,11 +2135,11 @@ msgid "" "is used to define and manage promotional campaigns that offer a percentage-" "based discount for products. The class includes attributes for setting the " "discount rate, providing details about the promotion, and linking it to the " -"applicable products. It integrates with the product catalog to determine the" -" affected items in the campaign." +"applicable products. It integrates with the product catalog to determine the " +"affected items in the campaign." msgstr "" -"Representerer en kampanje for produkter med rabatt. Denne klassen brukes til" -" å definere og administrere kampanjekampanjer som tilbyr en prosentbasert " +"Representerer en kampanje for produkter med rabatt. Denne klassen brukes til " +"å definere og administrere kampanjekampanjer som tilbyr en prosentbasert " "rabatt for produkter. Klassen inneholder attributter for å angi " "rabattsatsen, gi detaljer om kampanjen og knytte den til de aktuelle " "produktene. Den integreres med produktkatalogen for å finne de berørte " @@ -2179,8 +2184,8 @@ msgid "" "operations such as adding and removing products, as well as supporting " "operations for adding and removing multiple products at once." msgstr "" -"Representerer en brukers ønskeliste for lagring og administrasjon av ønskede" -" produkter. Klassen tilbyr funksjonalitet for å administrere en samling " +"Representerer en brukers ønskeliste for lagring og administrasjon av ønskede " +"produkter. Klassen tilbyr funksjonalitet for å administrere en samling " "produkter, og støtter operasjoner som å legge til og fjerne produkter, samt " "operasjoner for å legge til og fjerne flere produkter samtidig." @@ -2206,11 +2211,11 @@ msgid "" "store information about documentaries related to specific products, " "including file uploads and their metadata. It contains methods and " "properties to handle the file type and storage path for the documentary " -"files. It extends functionality from specific mixins and provides additional" -" custom features." +"files. It extends functionality from specific mixins and provides additional " +"custom features." msgstr "" -"Representerer en dokumentarpost knyttet til et produkt. Denne klassen brukes" -" til å lagre informasjon om dokumentarer knyttet til bestemte produkter, " +"Representerer en dokumentarpost knyttet til et produkt. Denne klassen brukes " +"til å lagre informasjon om dokumentarer knyttet til bestemte produkter, " "inkludert filopplastinger og metadata for disse. Den inneholder metoder og " "egenskaper for å håndtere filtype og lagringsbane for dokumentarfilene. Den " "utvider funksjonaliteten fra spesifikke mixins og tilbyr flere tilpassede " @@ -2230,23 +2235,23 @@ msgstr "Uavklart" #: engine/core/models.py:1040 msgid "" -"Represents an address entity that includes location details and associations" -" with a user. Provides functionality for geographic and address data " -"storage, as well as integration with geocoding services. This class is " -"designed to store detailed address information including components like " -"street, city, region, country, and geolocation (longitude and latitude). It " -"supports integration with geocoding APIs, enabling the storage of raw API " -"responses for further processing or inspection. The class also allows " -"associating an address with a user, facilitating personalized data handling." +"Represents an address entity that includes location details and associations " +"with a user. Provides functionality for geographic and address data storage, " +"as well as integration with geocoding services. This class is designed to " +"store detailed address information including components like street, city, " +"region, country, and geolocation (longitude and latitude). It supports " +"integration with geocoding APIs, enabling the storage of raw API responses " +"for further processing or inspection. The class also allows associating an " +"address with a user, facilitating personalized data handling." msgstr "" "Representerer en adresseenhet som inneholder stedsdetaljer og assosiasjoner " "til en bruker. Tilbyr funksjonalitet for lagring av geografiske data og " "adressedata, samt integrering med geokodingstjenester. Denne klassen er " -"utformet for å lagre detaljert adresseinformasjon, inkludert komponenter som" -" gate, by, region, land og geolokalisering (lengde- og breddegrad). Den " +"utformet for å lagre detaljert adresseinformasjon, inkludert komponenter som " +"gate, by, region, land og geolokalisering (lengde- og breddegrad). Den " "støtter integrasjon med API-er for geokoding, og gjør det mulig å lagre rå " -"API-svar for videre behandling eller inspeksjon. Klassen gjør det også mulig" -" å knytte en adresse til en bruker, noe som gjør det enklere å tilpasse " +"API-svar for videre behandling eller inspeksjon. Klassen gjør det også mulig " +"å knytte en adresse til en bruker, noe som gjør det enklere å tilpasse " "datahåndteringen." #: engine/core/models.py:1055 @@ -2312,11 +2317,11 @@ msgid "" msgstr "" "Representerer en kampanjekode som kan brukes til rabatter, og styrer dens " "gyldighet, rabattype og anvendelse. PromoCode-klassen lagrer informasjon om " -"en kampanjekode, inkludert dens unike identifikator, rabattegenskaper (beløp" -" eller prosent), gyldighetsperiode, tilknyttet bruker (hvis noen) og status " +"en kampanjekode, inkludert dens unike identifikator, rabattegenskaper (beløp " +"eller prosent), gyldighetsperiode, tilknyttet bruker (hvis noen) og status " "for bruken av den. Den inneholder funksjonalitet for å validere og bruke " -"kampanjekoden på en bestilling, samtidig som den sikrer at begrensningene er" -" oppfylt." +"kampanjekoden på en bestilling, samtidig som den sikrer at begrensningene er " +"oppfylt." #: engine/core/models.py:1119 msgid "unique code used by a user to redeem a discount" @@ -2361,8 +2366,7 @@ msgstr "Start gyldighetstid" #: engine/core/models.py:1152 msgid "timestamp when the promocode was used, blank if not used yet" msgstr "" -"Tidsstempel for når kampanjekoden ble brukt, tomt hvis den ikke er brukt " -"ennå" +"Tidsstempel for når kampanjekoden ble brukt, tomt hvis den ikke er brukt ennå" #: engine/core/models.py:1153 msgid "usage timestamp" @@ -2405,18 +2409,18 @@ msgstr "Ugyldig rabattype for kampanjekode {self.uuid}!" msgid "" "Represents an order placed by a user. This class models an order within the " "application, including its various attributes such as billing and shipping " -"information, status, associated user, notifications, and related operations." -" Orders can have associated products, promotions can be applied, addresses " +"information, status, associated user, notifications, and related operations. " +"Orders can have associated products, promotions can be applied, addresses " "set, and shipping or billing details updated. Equally, functionality " "supports managing the products in the order lifecycle." msgstr "" "Representerer en bestilling som er lagt inn av en bruker. Denne klassen " "modellerer en bestilling i applikasjonen, inkludert ulike attributter som " -"fakturerings- og leveringsinformasjon, status, tilknyttet bruker, varsler og" -" relaterte operasjoner. Bestillinger kan ha tilknyttede produkter, kampanjer" -" kan brukes, adresser kan angis, og frakt- eller faktureringsopplysninger " -"kan oppdateres. På samme måte støtter funksjonaliteten håndtering av " -"produktene i bestillingens livssyklus." +"fakturerings- og leveringsinformasjon, status, tilknyttet bruker, varsler og " +"relaterte operasjoner. Bestillinger kan ha tilknyttede produkter, kampanjer " +"kan brukes, adresser kan angis, og frakt- eller faktureringsopplysninger kan " +"oppdateres. På samme måte støtter funksjonaliteten håndtering av produktene " +"i bestillingens livssyklus." #: engine/core/models.py:1253 msgid "the billing address used for this order" @@ -2575,8 +2579,8 @@ msgid "" "product in the order, and a user-assigned rating. The class uses database " "fields to effectively model and manage feedback data." msgstr "" -"Håndterer brukernes tilbakemeldinger på produkter. Denne klassen er utformet" -" for å fange opp og lagre tilbakemeldinger fra brukerne om spesifikke " +"Håndterer brukernes tilbakemeldinger på produkter. Denne klassen er utformet " +"for å fange opp og lagre tilbakemeldinger fra brukerne om spesifikke " "produkter de har kjøpt. Den inneholder attributter for å lagre " "brukerkommentarer, en referanse til det relaterte produktet i bestillingen " "og en brukertildelt vurdering. Klassen bruker databasefelt for å modellere " @@ -2591,11 +2595,10 @@ msgid "feedback comments" msgstr "Tilbakemeldinger og kommentarer" #: engine/core/models.py:1827 -msgid "" -"references the specific product in an order that this feedback is about" +msgid "references the specific product in an order that this feedback is about" msgstr "" -"Refererer til det spesifikke produktet i en ordre som denne tilbakemeldingen" -" handler om" +"Refererer til det spesifikke produktet i en ordre som denne tilbakemeldingen " +"handler om" #: engine/core/models.py:1829 msgid "related order product" @@ -2739,12 +2742,12 @@ msgid "" "Represents the downloading functionality for digital assets associated with " "orders. The DigitalAssetDownload class provides the ability to manage and " "access downloads related to order products. It maintains information about " -"the associated order product, the number of downloads, and whether the asset" -" is publicly visible. It includes a method to generate a URL for downloading" -" the asset when the associated order is in a completed status." +"the associated order product, the number of downloads, and whether the asset " +"is publicly visible. It includes a method to generate a URL for downloading " +"the asset when the associated order is in a completed status." msgstr "" -"Representerer nedlastingsfunksjonaliteten for digitale ressurser knyttet til" -" bestillinger. DigitalAssetDownload-klassen gir mulighet til å administrere " +"Representerer nedlastingsfunksjonaliteten for digitale ressurser knyttet til " +"bestillinger. DigitalAssetDownload-klassen gir mulighet til å administrere " "og få tilgang til nedlastinger knyttet til bestillingsprodukter. Den " "inneholder informasjon om det tilknyttede bestillingsproduktet, antall " "nedlastinger og om ressursen er offentlig synlig. Den inneholder en metode " @@ -2956,12 +2959,13 @@ msgstr "Hallo %(order.user.first_name)s," #, python-format msgid "" "thank you for your order #%(order.pk)s! we are pleased to inform you that\n" -" we have taken your order into work. below are the details of your\n" +" we have taken your order into work. below are " +"the details of your\n" " order:" msgstr "" -"Takk for din bestilling #%(order.pk)s! Vi er glade for å informere deg om at" -" vi har tatt bestillingen din i arbeid. Nedenfor er detaljene i bestillingen" -" din:" +"Takk for din bestilling #%(order.pk)s! Vi er glade for å informere deg om at " +"vi har tatt bestillingen din i arbeid. Nedenfor er detaljene i bestillingen " +"din:" #: engine/core/templates/digital_order_created_email.html:112 #: engine/core/templates/digital_order_delivered_email.html:110 @@ -3071,7 +3075,8 @@ msgstr "" #: engine/core/templates/shipped_order_created_email.html:101 #: engine/core/templates/shipped_order_delivered_email.html:101 msgid "" -"thank you for your order! we are pleased to confirm your purchase. below are\n" +"thank you for your order! we are pleased to confirm your purchase. below " +"are\n" " the details of your order:" msgstr "" "Takk for bestillingen din! Vi er glade for å kunne bekrefte kjøpet ditt. " @@ -3149,8 +3154,8 @@ msgid "" "Handles the request for the sitemap index and returns an XML response. It " "ensures the response includes the appropriate content type header for XML." msgstr "" -"Håndterer forespørselen om områdekartindeksen og returnerer et XML-svar. Den" -" sørger for at svaret inneholder riktig innholdstypeoverskrift for XML." +"Håndterer forespørselen om områdekartindeksen og returnerer et XML-svar. Den " +"sørger for at svaret inneholder riktig innholdstypeoverskrift for XML." #: engine/core/views.py:119 msgid "" @@ -3189,8 +3194,8 @@ msgid "" "Handles requests for processing and validating URLs from incoming POST " "requests." msgstr "" -"Håndterer forespørsler om behandling og validering av URL-er fra innkommende" -" POST-forespørsler." +"Håndterer forespørsler om behandling og validering av URL-er fra innkommende " +"POST-forespørsler." #: engine/core/views.py:273 msgid "Handles global search queries." @@ -3203,10 +3208,15 @@ msgstr "Håndterer logikken med å kjøpe som en bedrift uten registrering." #: engine/core/views.py:337 msgid "" "Handles the downloading of a digital asset associated with an order.\n" -"This function attempts to serve the digital asset file located in the storage directory of the project. If the file is not found, an HTTP 404 error is raised to indicate the resource is unavailable." +"This function attempts to serve the digital asset file located in the " +"storage directory of the project. If the file is not found, an HTTP 404 " +"error is raised to indicate the resource is unavailable." msgstr "" -"Håndterer nedlastingen av en digital ressurs som er knyttet til en bestilling.\n" -"Denne funksjonen forsøker å levere den digitale ressursfilen som ligger i lagringskatalogen til prosjektet. Hvis filen ikke blir funnet, vises en HTTP 404-feil for å indikere at ressursen ikke er tilgjengelig." +"Håndterer nedlastingen av en digital ressurs som er knyttet til en " +"bestilling.\n" +"Denne funksjonen forsøker å levere den digitale ressursfilen som ligger i " +"lagringskatalogen til prosjektet. Hvis filen ikke blir funnet, vises en HTTP " +"404-feil for å indikere at ressursen ikke er tilgjengelig." #: engine/core/views.py:348 msgid "order_product_uuid is required" @@ -3235,15 +3245,19 @@ msgstr "favicon ble ikke funnet" #: engine/core/views.py:418 msgid "" "Handles requests for the favicon of a website.\n" -"This function attempts to serve the favicon file located in the static directory of the project. If the favicon file is not found, an HTTP 404 error is raised to indicate the resource is unavailable." +"This function attempts to serve the favicon file located in the static " +"directory of the project. If the favicon file is not found, an HTTP 404 " +"error is raised to indicate the resource is unavailable." msgstr "" "Håndterer forespørsler om faviconet til et nettsted.\n" -"Denne funksjonen forsøker å vise favicon-filen som ligger i den statiske katalogen i prosjektet. Hvis favicon-filen ikke blir funnet, vises en HTTP 404-feil for å indikere at ressursen ikke er tilgjengelig." +"Denne funksjonen forsøker å vise favicon-filen som ligger i den statiske " +"katalogen i prosjektet. Hvis favicon-filen ikke blir funnet, vises en HTTP " +"404-feil for å indikere at ressursen ikke er tilgjengelig." #: engine/core/views.py:432 msgid "" -"Redirects the request to the admin index page. The function handles incoming" -" HTTP requests and redirects them to the Django admin interface index page. " +"Redirects the request to the admin index page. The function handles incoming " +"HTTP requests and redirects them to the Django admin interface index page. " "It uses Django's `redirect` function for handling the HTTP redirection." msgstr "" "Omdirigerer forespørselen til admin-indekssiden. Funksjonen håndterer " @@ -3280,11 +3294,10 @@ msgstr "" #: engine/core/viewsets.py:160 msgid "" -"Represents a viewset for managing AttributeGroup objects. Handles operations" -" related to AttributeGroup, including filtering, serialization, and " -"retrieval of data. This class is part of the application's API layer and " -"provides a standardized way to process requests and responses for " -"AttributeGroup data." +"Represents a viewset for managing AttributeGroup objects. Handles operations " +"related to AttributeGroup, including filtering, serialization, and retrieval " +"of data. This class is part of the application's API layer and provides a " +"standardized way to process requests and responses for AttributeGroup data." msgstr "" "Representerer et visningssett for håndtering av AttributeGroup-objekter. " "Håndterer operasjoner knyttet til AttributeGroup, inkludert filtrering, " @@ -3301,20 +3314,20 @@ msgid "" "specific fields or retrieving detailed versus simplified information " "depending on the request." msgstr "" -"Håndterer operasjoner knyttet til Attribute-objekter i applikasjonen. Tilbyr" -" et sett med API-endepunkter for interaksjon med attributtdata. Denne " -"klassen håndterer spørring, filtrering og serialisering av Attribute-" -"objekter, noe som gir dynamisk kontroll over dataene som returneres, for " -"eksempel filtrering etter bestemte felt eller henting av detaljert versus " -"forenklet informasjon avhengig av forespørselen." +"Håndterer operasjoner knyttet til Attribute-objekter i applikasjonen. Tilbyr " +"et sett med API-endepunkter for interaksjon med attributtdata. Denne klassen " +"håndterer spørring, filtrering og serialisering av Attribute-objekter, noe " +"som gir dynamisk kontroll over dataene som returneres, for eksempel " +"filtrering etter bestemte felt eller henting av detaljert versus forenklet " +"informasjon avhengig av forespørselen." #: engine/core/viewsets.py:198 msgid "" "A viewset for managing AttributeValue objects. This viewset provides " "functionality for listing, retrieving, creating, updating, and deleting " "AttributeValue objects. It integrates with Django REST Framework's viewset " -"mechanisms and uses appropriate serializers for different actions. Filtering" -" capabilities are provided through the DjangoFilterBackend." +"mechanisms and uses appropriate serializers for different actions. Filtering " +"capabilities are provided through the DjangoFilterBackend." msgstr "" "Et visningssett for administrasjon av AttributeValue-objekter. Dette " "visningssettet inneholder funksjonalitet for å liste opp, hente, opprette, " @@ -3363,8 +3376,8 @@ msgstr "" "filtrering, serialisering og operasjoner på spesifikke forekomster. Den " "utvides fra `EvibesViewSet` for å bruke felles funksjonalitet og integreres " "med Django REST-rammeverket for RESTful API-operasjoner. Inkluderer metoder " -"for å hente produktdetaljer, tildele tillatelser og få tilgang til relaterte" -" tilbakemeldinger om et produkt." +"for å hente produktdetaljer, tildele tillatelser og få tilgang til relaterte " +"tilbakemeldinger om et produkt." #: engine/core/viewsets.py:605 msgid "" @@ -3376,9 +3389,9 @@ msgid "" msgstr "" "Representerer et visningssett for håndtering av Vendor-objekter. Dette " "visningssettet gjør det mulig å hente, filtrere og serialisere Vendor-data. " -"Den definerer spørresettet, filterkonfigurasjonene og serialiseringsklassene" -" som brukes til å håndtere ulike handlinger. Formålet med denne klassen er å" -" gi strømlinjeformet tilgang til Vendor-relaterte ressurser gjennom Django " +"Den definerer spørresettet, filterkonfigurasjonene og serialiseringsklassene " +"som brukes til å håndtere ulike handlinger. Formålet med denne klassen er å " +"gi strømlinjeformet tilgang til Vendor-relaterte ressurser gjennom Django " "REST-rammeverket." #: engine/core/viewsets.py:625 @@ -3386,8 +3399,8 @@ msgid "" "Representation of a view set handling Feedback objects. This class manages " "operations related to Feedback objects, including listing, filtering, and " "retrieving details. The purpose of this view set is to provide different " -"serializers for different actions and implement permission-based handling of" -" accessible Feedback objects. It extends the base `EvibesViewSet` and makes " +"serializers for different actions and implement permission-based handling of " +"accessible Feedback objects. It extends the base `EvibesViewSet` and makes " "use of Django's filtering system for querying data." msgstr "" "Representasjon av et visningssett som håndterer Feedback-objekter. Denne " @@ -3403,9 +3416,9 @@ msgid "" "ViewSet for managing orders and related operations. This class provides " "functionality to retrieve, modify, and manage order objects. It includes " "various endpoints for handling order operations such as adding or removing " -"products, performing purchases for registered as well as unregistered users," -" and retrieving the current authenticated user's pending orders. The ViewSet" -" uses multiple serializers based on the specific action being performed and " +"products, performing purchases for registered as well as unregistered users, " +"and retrieving the current authenticated user's pending orders. The ViewSet " +"uses multiple serializers based on the specific action being performed and " "enforces permissions accordingly while interacting with order data." msgstr "" "ViewSet for håndtering av bestillinger og relaterte operasjoner. Denne " @@ -3414,22 +3427,22 @@ msgstr "" "ordreoperasjoner, for eksempel å legge til eller fjerne produkter, utføre " "kjøp for både registrerte og uregistrerte brukere og hente den aktuelle " "autentiserte brukerens ventende bestillinger. ViewSet bruker flere " -"serialisatorer basert på den spesifikke handlingen som utføres, og håndhever" -" tillatelser i samsvar med dette under samhandling med ordredata." +"serialisatorer basert på den spesifikke handlingen som utføres, og håndhever " +"tillatelser i samsvar med dette under samhandling med ordredata." #: engine/core/viewsets.py:914 msgid "" "Provides a viewset for managing OrderProduct entities. This viewset enables " "CRUD operations and custom actions specific to the OrderProduct model. It " -"includes filtering, permission checks, and serializer switching based on the" -" requested action. Additionally, it provides a detailed action for handling " +"includes filtering, permission checks, and serializer switching based on the " +"requested action. Additionally, it provides a detailed action for handling " "feedback on OrderProduct instances" msgstr "" "Tilbyr et visningssett for håndtering av OrderProduct-enheter. Dette " -"visningssettet muliggjør CRUD-operasjoner og egendefinerte handlinger som er" -" spesifikke for OrderProduct-modellen. Det inkluderer filtrering, kontroll " -"av tillatelser og bytte av serializer basert på den forespurte handlingen. I" -" tillegg inneholder det en detaljert handling for håndtering av " +"visningssettet muliggjør CRUD-operasjoner og egendefinerte handlinger som er " +"spesifikke for OrderProduct-modellen. Det inkluderer filtrering, kontroll av " +"tillatelser og bytte av serializer basert på den forespurte handlingen. I " +"tillegg inneholder det en detaljert handling for håndtering av " "tilbakemeldinger på OrderProduct-instanser" #: engine/core/viewsets.py:974 @@ -3441,8 +3454,8 @@ msgid "" "Manages the retrieval and handling of PromoCode instances through various " "API actions." msgstr "" -"Administrerer henting og håndtering av PromoCode-instanser gjennom ulike " -"API-handlinger." +"Administrerer henting og håndtering av PromoCode-instanser gjennom ulike API-" +"handlinger." #: engine/core/viewsets.py:1019 msgid "Represents a view set for managing promotions. " @@ -3456,8 +3469,8 @@ msgstr "Håndterer operasjoner knyttet til lagerdata i systemet." msgid "" "ViewSet for managing Wishlist operations. The WishlistViewSet provides " "endpoints for interacting with a user's wish list, allowing for the " -"retrieval, modification, and customization of products within the wish list." -" This ViewSet facilitates functionality such as adding, removing, and bulk " +"retrieval, modification, and customization of products within the wish list. " +"This ViewSet facilitates functionality such as adding, removing, and bulk " "actions for wishlist products. Permission checks are integrated to ensure " "that users can only manage their own wishlists unless explicit permissions " "are granted." @@ -3467,8 +3480,8 @@ msgstr "" "gjør det mulig å hente, endre og tilpasse produkter i ønskelisten. Dette " "ViewSetet legger til rette for funksjonalitet som å legge til, fjerne og " "utføre massehandlinger for ønskelisteprodukter. Tillatelseskontroller er " -"integrert for å sikre at brukere bare kan administrere sine egne ønskelister" -" med mindre eksplisitte tillatelser er gitt." +"integrert for å sikre at brukere bare kan administrere sine egne ønskelister " +"med mindre eksplisitte tillatelser er gitt." #: engine/core/viewsets.py:1183 msgid "" @@ -3478,11 +3491,11 @@ msgid "" "different HTTP methods, serializer overrides, and permission handling based " "on the request context." msgstr "" -"Denne klassen tilbyr visningssettfunksjonalitet for håndtering av " -"`Address`-objekter. AddressViewSet-klassen muliggjør CRUD-operasjoner, " -"filtrering og egendefinerte handlinger knyttet til adresseenheter. Den " -"inkluderer spesialisert atferd for ulike HTTP-metoder, overstyring av " -"serializer og håndtering av tillatelser basert på forespørselskonteksten." +"Denne klassen tilbyr visningssettfunksjonalitet for håndtering av `Address`-" +"objekter. AddressViewSet-klassen muliggjør CRUD-operasjoner, filtrering og " +"egendefinerte handlinger knyttet til adresseenheter. Den inkluderer " +"spesialisert atferd for ulike HTTP-metoder, overstyring av serializer og " +"håndtering av tillatelser basert på forespørselskonteksten." #: engine/core/viewsets.py:1254 #, python-brace-format diff --git a/engine/core/locale/pl_PL/LC_MESSAGES/django.mo b/engine/core/locale/pl_PL/LC_MESSAGES/django.mo index cb9bcd37128e760ac233a4b2fe52fc6135c0b2d2..9f3db49a089f3ffd40b1a1cfbfb876e98c85f5b2 100644 GIT binary patch delta 18 YcmdmRopl2cbsu9k(=*)McT8z1091AefB*mh delta 18 YcmdmRopl2cbsu9k)ic@LcT8z1091eof&c&j diff --git a/engine/core/locale/pl_PL/LC_MESSAGES/django.po b/engine/core/locale/pl_PL/LC_MESSAGES/django.po index 96951b78..1d25fe95 100644 --- a/engine/core/locale/pl_PL/LC_MESSAGES/django.po +++ b/engine/core/locale/pl_PL/LC_MESSAGES/django.po @@ -1,9 +1,9 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-12-21 00:38+0300\n" +"POT-Creation-Date: 2026-01-04 19:25+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" @@ -29,8 +29,7 @@ msgstr "Jest aktywny" #: engine/core/abstract.py:22 msgid "" -"if set to false, this object can't be seen by users without needed " -"permission" +"if set to false, this object can't be seen by users without needed permission" msgstr "" "Jeśli ustawione na false, obiekt ten nie może być widoczny dla użytkowników " "bez wymaganych uprawnień." @@ -93,8 +92,8 @@ msgstr "Dezaktywacja wybranego %(verbose_name_plural)s" msgid "selected items have been deactivated." msgstr "Wybrane elementy zostały dezaktywowane!" -#: engine/core/admin.py:196 engine/core/graphene/object_types.py:652 -#: engine/core/graphene/object_types.py:659 engine/core/models.py:825 +#: engine/core/admin.py:196 engine/core/graphene/object_types.py:653 +#: engine/core/graphene/object_types.py:660 engine/core/models.py:825 #: engine/core/models.py:833 msgid "attribute value" msgstr "Wartość atrybutu" @@ -108,7 +107,7 @@ msgstr "Wartości atrybutów" msgid "image" msgstr "Obraz" -#: engine/core/admin.py:209 engine/core/graphene/object_types.py:529 +#: engine/core/admin.py:209 engine/core/graphene/object_types.py:530 msgid "images" msgstr "Obrazy" @@ -116,7 +115,7 @@ msgstr "Obrazy" msgid "stock" msgstr "Stan magazynowy" -#: engine/core/admin.py:221 engine/core/graphene/object_types.py:712 +#: engine/core/admin.py:221 engine/core/graphene/object_types.py:713 msgid "stocks" msgstr "Akcje" @@ -124,7 +123,7 @@ msgstr "Akcje" msgid "order product" msgstr "Zamów produkt" -#: engine/core/admin.py:233 engine/core/graphene/object_types.py:440 +#: engine/core/admin.py:233 engine/core/graphene/object_types.py:441 #: engine/core/models.py:1932 msgid "order products" msgstr "Zamawianie produktów" @@ -157,8 +156,7 @@ msgstr "Dostarczone" msgid "canceled" msgstr "Anulowane" -#: engine/core/choices.py:8 engine/core/choices.py:16 -#: engine/core/choices.py:24 +#: engine/core/choices.py:8 engine/core/choices.py:16 engine/core/choices.py:24 msgid "failed" msgstr "Nie powiodło się" @@ -210,7 +208,8 @@ msgid "" "apply key, data and timeout with authentication to write data to cache." msgstr "" "Zastosuj tylko klucz, aby odczytać dozwolone dane z pamięci podręcznej.\n" -"Zastosuj klucz, dane i limit czasu z uwierzytelnianiem, aby zapisać dane w pamięci podręcznej." +"Zastosuj klucz, dane i limit czasu z uwierzytelnianiem, aby zapisać dane w " +"pamięci podręcznej." #: engine/core/docs/drf/views.py:66 msgid "get a list of supported languages" @@ -275,8 +274,7 @@ msgstr "" "nieedytowalnych" #: engine/core/docs/drf/viewsets.py:107 -msgid "" -"rewrite some fields of an existing attribute group saving non-editables" +msgid "rewrite some fields of an existing attribute group saving non-editables" msgstr "" "Przepisanie niektórych pól istniejącej grupy atrybutów z zachowaniem " "atrybutów nieedytowalnych" @@ -331,8 +329,7 @@ msgstr "" "nieedytowalnych" #: engine/core/docs/drf/viewsets.py:208 -msgid "" -"rewrite some fields of an existing attribute value saving non-editables" +msgid "rewrite some fields of an existing attribute value saving non-editables" msgstr "" "Przepisz niektóre pola istniejącej wartości atrybutu, zapisując wartości " "nieedytowalne" @@ -370,8 +367,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:280 engine/core/docs/drf/viewsets.py:757 #: engine/core/docs/drf/viewsets.py:1046 #: engine/core/graphene/object_types.py:119 -#: engine/core/graphene/object_types.py:238 -#: engine/core/graphene/object_types.py:539 +#: engine/core/graphene/object_types.py:239 +#: engine/core/graphene/object_types.py:540 msgid "SEO Meta snapshot" msgstr "SEO Meta snapshot" @@ -391,11 +388,11 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:309 msgid "" -"Case-insensitive substring search across human_readable_id, " -"order_products.product.name, and order_products.product.partnumber" +"Case-insensitive substring search across human_readable_id, order_products." +"product.name, and order_products.product.partnumber" msgstr "" -"Wyszukiwanie podciągów z uwzględnieniem wielkości liter w human_readable_id," -" order_products.product.name i order_products.product.partnumber." +"Wyszukiwanie podciągów z uwzględnieniem wielkości liter w human_readable_id, " +"order_products.product.name i order_products.product.partnumber." #: engine/core/docs/drf/viewsets.py:316 msgid "Filter orders with buy_time >= this ISO 8601 datetime" @@ -428,14 +425,14 @@ msgstr "Filtrowanie według identyfikatora UUID użytkownika" #: engine/core/docs/drf/viewsets.py:347 msgid "Filter by order status (case-insensitive substring match)" msgstr "" -"Filtrowanie według statusu zamówienia (dopasowanie podciągu z uwzględnieniem" -" wielkości liter)" +"Filtrowanie według statusu zamówienia (dopasowanie podciągu z uwzględnieniem " +"wielkości liter)" #: engine/core/docs/drf/viewsets.py:354 msgid "" -"Order by one of: uuid, human_readable_id, user_email, user, status, created," -" modified, buy_time, random. Prefix with '-' for descending (e.g. " -"'-buy_time')." +"Order by one of: uuid, human_readable_id, user_email, user, status, created, " +"modified, buy_time, random. Prefix with '-' for descending (e.g. '-" +"buy_time')." msgstr "" "Kolejność według jednego z: uuid, human_readable_id, user_email, user, " "status, created, modified, buy_time, random. Prefiks z \"-\" dla malejącego " @@ -447,8 +444,7 @@ msgstr "Pobieranie pojedynczej kategorii (widok szczegółowy)" #: engine/core/docs/drf/viewsets.py:371 msgid "Order UUID or human-readable id" -msgstr "" -"Identyfikator UUID zamówienia lub identyfikator czytelny dla człowieka" +msgstr "Identyfikator UUID zamówienia lub identyfikator czytelny dla człowieka" #: engine/core/docs/drf/viewsets.py:381 msgid "create an order" @@ -636,18 +632,28 @@ msgstr "" msgid "" "Filter by one or more attribute name/value pairs. \n" "• **Syntax**: `attr_name=method-value[;attr2=method2-value2]…` \n" -"• **Methods** (defaults to `icontains` if omitted): `iexact`, `exact`, `icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, `iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in` \n" -"• **Value typing**: JSON is attempted first (so you can pass lists/dicts), `true`/`false` for booleans, integers, floats; otherwise treated as string. \n" +"• **Methods** (defaults to `icontains` if omitted): `iexact`, `exact`, " +"`icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, " +"`iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in` \n" +"• **Value typing**: JSON is attempted first (so you can pass lists/dicts), " +"`true`/`false` for booleans, integers, floats; otherwise treated as " +"string. \n" "• **Base64**: prefix with `b64-` to URL-safe base64-encode the raw value. \n" "Examples: \n" -"`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\",\"bluetooth\"]`, \n" +"`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\"," +"\"bluetooth\"]`, \n" "`b64-description=icontains-aGVhdC1jb2xk`" msgstr "" "Filtrowanie według jednej lub więcej par atrybut/wartość. \n" "- Składnia**: `attr_name=method-value[;attr2=method2-value2]...`\n" -"- **Metody** (domyślnie `icontains` jeśli pominięte): `iexact`, `exact`, `icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, `iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in`\n" -"- Wpisywanie wartości**: JSON jest próbowany jako pierwszy (więc można przekazywać listy/dykty), `true`/`false` dla booleans, integers, floats; w przeciwnym razie traktowane jako string. \n" -"- Base64**: prefiks z `b64-` do bezpiecznego dla adresów URL kodowania base64 surowej wartości. \n" +"- **Metody** (domyślnie `icontains` jeśli pominięte): `iexact`, `exact`, " +"`icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, " +"`iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in`\n" +"- Wpisywanie wartości**: JSON jest próbowany jako pierwszy (więc można " +"przekazywać listy/dykty), `true`/`false` dla booleans, integers, floats; w " +"przeciwnym razie traktowane jako string. \n" +"- Base64**: prefiks z `b64-` do bezpiecznego dla adresów URL kodowania " +"base64 surowej wartości. \n" "Przykłady: \n" "`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\", \"bluetooth\"]`,\n" "`b64-description=icontains-aGVhdC1jb2xk`" @@ -662,10 +668,12 @@ msgstr "(dokładny) UUID produktu" #: engine/core/docs/drf/viewsets.py:630 msgid "" -"Comma-separated list of fields to sort by. Prefix with `-` for descending. \n" +"Comma-separated list of fields to sort by. Prefix with `-` for " +"descending. \n" "**Allowed:** uuid, rating, name, slug, created, modified, price, random" msgstr "" -"Rozdzielana przecinkami lista pól do posortowania. Prefiks z `-` dla sortowania malejącego. \n" +"Rozdzielana przecinkami lista pól do posortowania. Prefiks z `-` dla " +"sortowania malejącego. \n" "**Dozwolone:** uuid, rating, name, slug, created, modified, price, random" #: engine/core/docs/drf/viewsets.py:647 engine/core/docs/drf/viewsets.py:648 @@ -1220,8 +1228,8 @@ msgstr "Kup zamówienie" #: engine/core/graphene/mutations.py:542 msgid "" -"please send the attributes as the string formatted like " -"attr1=value1,attr2=value2" +"please send the attributes as the string formatted like attr1=value1," +"attr2=value2" msgstr "" "Prześlij atrybuty jako ciąg znaków sformatowany w następujący sposób: " "attr1=value1,attr2=value2" @@ -1260,8 +1268,8 @@ msgid "elasticsearch - works like a charm" msgstr "ElasticSearch - działa jak urok" #: engine/core/graphene/object_types.py:84 -#: engine/core/graphene/object_types.py:419 -#: engine/core/graphene/object_types.py:470 engine/core/models.py:796 +#: engine/core/graphene/object_types.py:420 +#: engine/core/graphene/object_types.py:471 engine/core/models.py:796 #: engine/core/models.py:1290 engine/core/models.py:2022 msgid "attributes" msgstr "Atrybuty" @@ -1275,8 +1283,8 @@ msgid "groups of attributes" msgstr "Grupy atrybutów" #: engine/core/graphene/object_types.py:118 -#: engine/core/graphene/object_types.py:216 -#: engine/core/graphene/object_types.py:254 engine/core/models.py:440 +#: engine/core/graphene/object_types.py:217 +#: engine/core/graphene/object_types.py:255 engine/core/models.py:440 msgid "categories" msgstr "Kategorie" @@ -1284,81 +1292,80 @@ msgstr "Kategorie" msgid "brands" msgstr "Marki" -#: engine/core/graphene/object_types.py:218 +#: engine/core/graphene/object_types.py:219 msgid "category image url" msgstr "Kategorie" -#: engine/core/graphene/object_types.py:219 -#: engine/core/graphene/object_types.py:364 engine/core/models.py:278 +#: engine/core/graphene/object_types.py:220 +#: engine/core/graphene/object_types.py:365 engine/core/models.py:278 msgid "markup percentage" msgstr "Procentowy narzut" -#: engine/core/graphene/object_types.py:223 +#: engine/core/graphene/object_types.py:224 msgid "which attributes and values can be used for filtering this category." msgstr "" "Które atrybuty i wartości mogą być używane do filtrowania tej kategorii." -#: engine/core/graphene/object_types.py:229 -msgid "" -"minimum and maximum prices for products in this category, if available." +#: engine/core/graphene/object_types.py:230 +msgid "minimum and maximum prices for products in this category, if available." msgstr "" "Minimalne i maksymalne ceny produktów w tej kategorii, jeśli są dostępne." -#: engine/core/graphene/object_types.py:233 +#: engine/core/graphene/object_types.py:234 msgid "tags for this category" msgstr "Tagi dla tej kategorii" -#: engine/core/graphene/object_types.py:236 +#: engine/core/graphene/object_types.py:237 msgid "products in this category" msgstr "Produkty w tej kategorii" -#: engine/core/graphene/object_types.py:371 engine/core/models.py:183 +#: engine/core/graphene/object_types.py:372 engine/core/models.py:183 msgid "vendors" msgstr "Sprzedawcy" -#: engine/core/graphene/object_types.py:375 +#: engine/core/graphene/object_types.py:376 msgid "Latitude (Y coordinate)" msgstr "Szerokość geograficzna (współrzędna Y)" -#: engine/core/graphene/object_types.py:376 +#: engine/core/graphene/object_types.py:377 msgid "Longitude (X coordinate)" msgstr "Długość geograficzna (współrzędna X)" -#: engine/core/graphene/object_types.py:405 +#: engine/core/graphene/object_types.py:406 msgid "comment" msgstr "Jak" -#: engine/core/graphene/object_types.py:407 -#: engine/core/graphene/object_types.py:541 +#: engine/core/graphene/object_types.py:408 +#: engine/core/graphene/object_types.py:542 msgid "rating value from 1 to 10, inclusive, or 0 if not set." msgstr "Wartość oceny od 1 do 10 włącznie lub 0, jeśli nie jest ustawiona." -#: engine/core/graphene/object_types.py:415 +#: engine/core/graphene/object_types.py:416 msgid "represents feedback from a user." msgstr "Reprezentuje informacje zwrotne od użytkownika." -#: engine/core/graphene/object_types.py:420 -#: engine/core/graphene/object_types.py:471 engine/core/models.py:1284 +#: engine/core/graphene/object_types.py:421 +#: engine/core/graphene/object_types.py:472 engine/core/models.py:1284 msgid "notifications" msgstr "Powiadomienia" -#: engine/core/graphene/object_types.py:422 +#: engine/core/graphene/object_types.py:423 msgid "download url for this order product if applicable" msgstr "Adres URL pobierania dla tego produktu zamówienia, jeśli dotyczy" -#: engine/core/graphene/object_types.py:424 engine/core/models.py:1849 +#: engine/core/graphene/object_types.py:425 engine/core/models.py:1849 msgid "feedback" msgstr "Informacje zwrotne" -#: engine/core/graphene/object_types.py:458 +#: engine/core/graphene/object_types.py:459 msgid "a list of order products in this order" msgstr "Lista zamówionych produktów w tym zamówieniu" -#: engine/core/graphene/object_types.py:460 engine/core/models.py:1254 +#: engine/core/graphene/object_types.py:461 engine/core/models.py:1254 msgid "billing address" msgstr "Adres rozliczeniowy" -#: engine/core/graphene/object_types.py:464 +#: engine/core/graphene/object_types.py:465 msgid "" "shipping address for this order, leave blank if same as billing address or " "if not applicable" @@ -1366,53 +1373,53 @@ msgstr "" "Adres wysyłki dla tego zamówienia, pozostaw pusty, jeśli jest taki sam jak " "adres rozliczeniowy lub jeśli nie dotyczy" -#: engine/core/graphene/object_types.py:467 +#: engine/core/graphene/object_types.py:468 msgid "total price of this order" msgstr "Całkowita cena tego zamówienia" -#: engine/core/graphene/object_types.py:468 +#: engine/core/graphene/object_types.py:469 msgid "total quantity of products in order" msgstr "Całkowita ilość produktów w zamówieniu" -#: engine/core/graphene/object_types.py:469 +#: engine/core/graphene/object_types.py:470 msgid "are all products in the order digital" msgstr "Czy wszystkie produkty w zamówieniu są cyfrowe?" -#: engine/core/graphene/object_types.py:473 +#: engine/core/graphene/object_types.py:474 msgid "transactions for this order" msgstr "Transakcje dla tego zamówienia" -#: engine/core/graphene/object_types.py:493 engine/core/models.py:1318 +#: engine/core/graphene/object_types.py:494 engine/core/models.py:1318 msgid "orders" msgstr "Zamówienia" -#: engine/core/graphene/object_types.py:514 +#: engine/core/graphene/object_types.py:515 msgid "image url" msgstr "Adres URL obrazu" -#: engine/core/graphene/object_types.py:521 +#: engine/core/graphene/object_types.py:522 msgid "product's images" msgstr "Zdjęcia produktu" -#: engine/core/graphene/object_types.py:528 engine/core/models.py:439 +#: engine/core/graphene/object_types.py:529 engine/core/models.py:439 #: engine/core/models.py:596 msgid "category" msgstr "Kategoria" -#: engine/core/graphene/object_types.py:530 engine/core/models.py:1850 +#: engine/core/graphene/object_types.py:531 engine/core/models.py:1850 msgid "feedbacks" msgstr "Informacje zwrotne" -#: engine/core/graphene/object_types.py:531 engine/core/models.py:510 +#: engine/core/graphene/object_types.py:532 engine/core/models.py:510 #: engine/core/models.py:605 msgid "brand" msgstr "Marka" -#: engine/core/graphene/object_types.py:533 engine/core/models.py:103 +#: engine/core/graphene/object_types.py:534 engine/core/models.py:103 msgid "attribute groups" msgstr "Grupy atrybutów" -#: engine/core/graphene/object_types.py:535 +#: engine/core/graphene/object_types.py:536 #: engine/core/templates/digital_order_created_email.html:111 #: engine/core/templates/digital_order_delivered_email.html:109 #: engine/core/templates/shipped_order_created_email.html:109 @@ -1420,7 +1427,7 @@ msgstr "Grupy atrybutów" msgid "price" msgstr "Cena" -#: engine/core/graphene/object_types.py:536 +#: engine/core/graphene/object_types.py:537 #: engine/core/templates/digital_order_created_email.html:110 #: engine/core/templates/digital_order_delivered_email.html:108 #: engine/core/templates/shipped_order_created_email.html:108 @@ -1428,39 +1435,39 @@ msgstr "Cena" msgid "quantity" msgstr "Ilość" -#: engine/core/graphene/object_types.py:537 +#: engine/core/graphene/object_types.py:538 msgid "number of feedbacks" msgstr "Liczba informacji zwrotnych" -#: engine/core/graphene/object_types.py:538 +#: engine/core/graphene/object_types.py:539 msgid "only available for personal orders" msgstr "Produkty dostępne tylko dla zamówień osobistych" -#: engine/core/graphene/object_types.py:543 +#: engine/core/graphene/object_types.py:544 msgid "discount price" msgstr "Cena rabatowa" -#: engine/core/graphene/object_types.py:567 engine/core/models.py:677 +#: engine/core/graphene/object_types.py:568 engine/core/models.py:677 msgid "products" msgstr "Produkty" -#: engine/core/graphene/object_types.py:677 +#: engine/core/graphene/object_types.py:678 msgid "promocodes" msgstr "Promocodes" -#: engine/core/graphene/object_types.py:692 +#: engine/core/graphene/object_types.py:693 msgid "products on sale" msgstr "Produkty w sprzedaży" -#: engine/core/graphene/object_types.py:700 engine/core/models.py:928 +#: engine/core/graphene/object_types.py:701 engine/core/models.py:928 msgid "promotions" msgstr "Promocje" -#: engine/core/graphene/object_types.py:704 engine/core/models.py:182 +#: engine/core/graphene/object_types.py:705 engine/core/models.py:182 msgid "vendor" msgstr "Sprzedawca" -#: engine/core/graphene/object_types.py:705 engine/core/models.py:676 +#: engine/core/graphene/object_types.py:706 engine/core/models.py:676 #: engine/core/templates/digital_order_created_email.html:109 #: engine/core/templates/digital_order_delivered_email.html:107 #: engine/core/templates/shipped_order_created_email.html:107 @@ -1468,98 +1475,99 @@ msgstr "Sprzedawca" msgid "product" msgstr "Produkt" -#: engine/core/graphene/object_types.py:717 engine/core/models.py:951 +#: engine/core/graphene/object_types.py:718 engine/core/models.py:951 msgid "wishlisted products" msgstr "Produkty z listy życzeń" -#: engine/core/graphene/object_types.py:724 engine/core/models.py:968 +#: engine/core/graphene/object_types.py:725 engine/core/models.py:968 msgid "wishlists" msgstr "Listy życzeń" -#: engine/core/graphene/object_types.py:729 +#: engine/core/graphene/object_types.py:730 msgid "tagged products" msgstr "Produkty Tagged" -#: engine/core/graphene/object_types.py:737 engine/core/models.py:219 +#: engine/core/graphene/object_types.py:738 engine/core/models.py:219 #: engine/core/models.py:611 msgid "product tags" msgstr "Tagi produktu" -#: engine/core/graphene/object_types.py:742 +#: engine/core/graphene/object_types.py:743 msgid "tagged categories" msgstr "Kategorie oznaczone tagami" -#: engine/core/graphene/object_types.py:750 +#: engine/core/graphene/object_types.py:751 msgid "categories tags" msgstr "Tagi kategorii" -#: engine/core/graphene/object_types.py:754 +#: engine/core/graphene/object_types.py:755 msgid "project name" msgstr "Nazwa projektu" -#: engine/core/graphene/object_types.py:755 +#: engine/core/graphene/object_types.py:756 msgid "company name" msgstr "Nazwa firmy" -#: engine/core/graphene/object_types.py:756 +#: engine/core/graphene/object_types.py:757 msgid "company address" msgstr "Adres firmy" -#: engine/core/graphene/object_types.py:757 +#: engine/core/graphene/object_types.py:758 msgid "company phone number" msgstr "Numer telefonu firmy" -#: engine/core/graphene/object_types.py:760 +#: engine/core/graphene/object_types.py:761 msgid "email from, sometimes it must be used instead of host user value" -msgstr "\"email from\", czasami musi być użyty zamiast wartości użytkownika hosta" +msgstr "" +"\"email from\", czasami musi być użyty zamiast wartości użytkownika hosta" -#: engine/core/graphene/object_types.py:763 +#: engine/core/graphene/object_types.py:764 msgid "email host user" msgstr "Użytkownik hosta poczty e-mail" -#: engine/core/graphene/object_types.py:764 +#: engine/core/graphene/object_types.py:765 msgid "maximum amount for payment" msgstr "Maksymalna kwota płatności" -#: engine/core/graphene/object_types.py:765 +#: engine/core/graphene/object_types.py:766 msgid "minimum amount for payment" msgstr "Minimalna kwota płatności" -#: engine/core/graphene/object_types.py:766 +#: engine/core/graphene/object_types.py:767 msgid "analytics data" msgstr "Dane analityczne" -#: engine/core/graphene/object_types.py:767 +#: engine/core/graphene/object_types.py:768 msgid "advertisement data" msgstr "Dane reklamowe" -#: engine/core/graphene/object_types.py:770 +#: engine/core/graphene/object_types.py:771 msgid "company configuration" msgstr "Konfiguracja" -#: engine/core/graphene/object_types.py:774 +#: engine/core/graphene/object_types.py:775 msgid "language code" msgstr "Kod języka" -#: engine/core/graphene/object_types.py:775 +#: engine/core/graphene/object_types.py:776 msgid "language name" msgstr "Nazwa języka" -#: engine/core/graphene/object_types.py:776 +#: engine/core/graphene/object_types.py:777 msgid "language flag, if exists :)" msgstr "Flaga języka, jeśli istnieje :)" -#: engine/core/graphene/object_types.py:779 +#: engine/core/graphene/object_types.py:780 msgid "supported languages" msgstr "Pobierz listę obsługiwanych języków" -#: engine/core/graphene/object_types.py:811 -#: engine/core/graphene/object_types.py:814 -#: engine/core/graphene/object_types.py:817 +#: engine/core/graphene/object_types.py:812 +#: engine/core/graphene/object_types.py:815 +#: engine/core/graphene/object_types.py:818 msgid "products search results" msgstr "Wyniki wyszukiwania produktów" -#: engine/core/graphene/object_types.py:819 +#: engine/core/graphene/object_types.py:820 msgid "posts search results" msgstr "Wyniki wyszukiwania produktów" @@ -1605,8 +1613,8 @@ msgstr "" "Reprezentuje jednostkę dostawcy zdolną do przechowywania informacji o " "zewnętrznych dostawcach i ich wymaganiach dotyczących interakcji. Klasa " "Vendor służy do definiowania i zarządzania informacjami związanymi z " -"zewnętrznym dostawcą. Przechowuje nazwę dostawcy, szczegóły uwierzytelniania" -" wymagane do komunikacji oraz procentowe znaczniki stosowane do produktów " +"zewnętrznym dostawcą. Przechowuje nazwę dostawcy, szczegóły uwierzytelniania " +"wymagane do komunikacji oraz procentowe znaczniki stosowane do produktów " "pobieranych od dostawcy. Model ten zachowuje również dodatkowe metadane i " "ograniczenia, dzięki czemu nadaje się do użytku w systemach, które " "współpracują z zewnętrznymi dostawcami." @@ -1778,12 +1786,11 @@ msgid "" "Represents a Brand object in the system. This class handles information and " "attributes related to a brand, including its name, logos, description, " "associated categories, a unique slug, and priority order. It allows for the " -"organization and representation of brand-related data within the " -"application." +"organization and representation of brand-related data within the application." msgstr "" "Reprezentuje obiekt marki w systemie. Ta klasa obsługuje informacje i " -"atrybuty związane z marką, w tym jej nazwę, logo, opis, powiązane kategorie," -" unikalny slug i kolejność priorytetów. Pozwala na organizację i " +"atrybuty związane z marką, w tym jej nazwę, logo, opis, powiązane kategorie, " +"unikalny slug i kolejność priorytetów. Pozwala na organizację i " "reprezentację danych związanych z marką w aplikacji." #: engine/core/models.py:456 @@ -1828,8 +1835,8 @@ msgstr "Kategorie" #: engine/core/models.py:516 msgid "" -"Represents the stock of a product managed in the system. This class provides" -" details about the relationship between vendors, products, and their stock " +"Represents the stock of a product managed in the system. This class provides " +"details about the relationship between vendors, products, and their stock " "information, as well as inventory-related properties like price, purchase " "price, quantity, SKU, and digital assets. It is part of the inventory " "management system to allow tracking and evaluation of products available " @@ -1990,8 +1997,8 @@ msgid "" "Represents an attribute in the system. This class is used to define and " "manage attributes, which are customizable pieces of data that can be " "associated with other entities. Attributes have associated categories, " -"groups, value types, and names. The model supports multiple types of values," -" including string, integer, float, boolean, array, and object. This allows " +"groups, value types, and names. The model supports multiple types of values, " +"including string, integer, float, boolean, array, and object. This allows " "for dynamic and flexible data structuring." msgstr "" "Reprezentuje atrybut w systemie. Ta klasa jest używana do definiowania i " @@ -2061,9 +2068,9 @@ msgstr "Atrybut" #: engine/core/models.py:801 msgid "" -"Represents a specific value for an attribute that is linked to a product. It" -" links the 'attribute' to a unique 'value', allowing better organization and" -" dynamic representation of product characteristics." +"Represents a specific value for an attribute that is linked to a product. It " +"links the 'attribute' to a unique 'value', allowing better organization and " +"dynamic representation of product characteristics." msgstr "" "Reprezentuje określoną wartość atrybutu powiązanego z produktem. Łączy " "\"atrybut\" z unikalną \"wartością\", umożliwiając lepszą organizację i " @@ -2084,8 +2091,8 @@ msgstr "Konkretna wartość dla tego atrybutu" #: engine/core/models.py:839 msgid "" "Represents a product image associated with a product in the system. This " -"class is designed to manage images for products, including functionality for" -" uploading image files, associating them with specific products, and " +"class is designed to manage images for products, including functionality for " +"uploading image files, associating them with specific products, and " "determining their display order. It also includes an accessibility feature " "with alternative text for the images." msgstr "" @@ -2097,8 +2104,7 @@ msgstr "" #: engine/core/models.py:850 msgid "provide alternative text for the image for accessibility" -msgstr "" -"Zapewnienie alternatywnego tekstu dla obrazu w celu ułatwienia dostępu" +msgstr "Zapewnienie alternatywnego tekstu dla obrazu w celu ułatwienia dostępu" #: engine/core/models.py:851 msgid "image alt text" @@ -2134,12 +2140,12 @@ msgid "" "is used to define and manage promotional campaigns that offer a percentage-" "based discount for products. The class includes attributes for setting the " "discount rate, providing details about the promotion, and linking it to the " -"applicable products. It integrates with the product catalog to determine the" -" affected items in the campaign." +"applicable products. It integrates with the product catalog to determine the " +"affected items in the campaign." msgstr "" "Reprezentuje kampanię promocyjną dla produktów z rabatem. Ta klasa służy do " -"definiowania i zarządzania kampaniami promocyjnymi, które oferują procentowy" -" rabat na produkty. Klasa zawiera atrybuty do ustawiania stopy rabatu, " +"definiowania i zarządzania kampaniami promocyjnymi, które oferują procentowy " +"rabat na produkty. Klasa zawiera atrybuty do ustawiania stopy rabatu, " "dostarczania szczegółów na temat promocji i łączenia jej z odpowiednimi " "produktami. Integruje się z katalogiem produktów w celu określenia pozycji, " "których dotyczy kampania." @@ -2184,8 +2190,8 @@ msgid "" "operations for adding and removing multiple products at once." msgstr "" "Reprezentuje listę życzeń użytkownika do przechowywania i zarządzania " -"pożądanymi produktami. Klasa zapewnia funkcjonalność do zarządzania kolekcją" -" produktów, wspierając operacje takie jak dodawanie i usuwanie produktów, a " +"pożądanymi produktami. Klasa zapewnia funkcjonalność do zarządzania kolekcją " +"produktów, wspierając operacje takie jak dodawanie i usuwanie produktów, a " "także wspierając operacje dodawania i usuwania wielu produktów jednocześnie." #: engine/core/models.py:950 @@ -2210,13 +2216,13 @@ msgid "" "store information about documentaries related to specific products, " "including file uploads and their metadata. It contains methods and " "properties to handle the file type and storage path for the documentary " -"files. It extends functionality from specific mixins and provides additional" -" custom features." +"files. It extends functionality from specific mixins and provides additional " +"custom features." msgstr "" "Reprezentuje rekord dokumentu powiązany z produktem. Ta klasa służy do " -"przechowywania informacji o dokumentach związanych z określonymi produktami," -" w tym przesyłanych plików i ich metadanych. Zawiera metody i właściwości do" -" obsługi typu pliku i ścieżki przechowywania plików dokumentów. Rozszerza " +"przechowywania informacji o dokumentach związanych z określonymi produktami, " +"w tym przesyłanych plików i ich metadanych. Zawiera metody i właściwości do " +"obsługi typu pliku i ścieżki przechowywania plików dokumentów. Rozszerza " "funkcjonalność z określonych miksów i zapewnia dodatkowe niestandardowe " "funkcje." @@ -2234,14 +2240,14 @@ msgstr "Nierozwiązany" #: engine/core/models.py:1040 msgid "" -"Represents an address entity that includes location details and associations" -" with a user. Provides functionality for geographic and address data " -"storage, as well as integration with geocoding services. This class is " -"designed to store detailed address information including components like " -"street, city, region, country, and geolocation (longitude and latitude). It " -"supports integration with geocoding APIs, enabling the storage of raw API " -"responses for further processing or inspection. The class also allows " -"associating an address with a user, facilitating personalized data handling." +"Represents an address entity that includes location details and associations " +"with a user. Provides functionality for geographic and address data storage, " +"as well as integration with geocoding services. This class is designed to " +"store detailed address information including components like street, city, " +"region, country, and geolocation (longitude and latitude). It supports " +"integration with geocoding APIs, enabling the storage of raw API responses " +"for further processing or inspection. The class also allows associating an " +"address with a user, facilitating personalized data handling." msgstr "" "Reprezentuje jednostkę adresu, która zawiera szczegóły lokalizacji i " "powiązania z użytkownikiem. Zapewnia funkcjonalność przechowywania danych " @@ -2249,8 +2255,8 @@ msgstr "" "Klasa ta została zaprojektowana do przechowywania szczegółowych informacji " "adresowych, w tym elementów takich jak ulica, miasto, region, kraj i " "geolokalizacja (długość i szerokość geograficzna). Obsługuje integrację z " -"interfejsami API geokodowania, umożliwiając przechowywanie nieprzetworzonych" -" odpowiedzi API do dalszego przetwarzania lub kontroli. Klasa umożliwia " +"interfejsami API geokodowania, umożliwiając przechowywanie nieprzetworzonych " +"odpowiedzi API do dalszego przetwarzania lub kontroli. Klasa umożliwia " "również powiązanie adresu z użytkownikiem, ułatwiając spersonalizowaną " "obsługę danych." @@ -2410,8 +2416,8 @@ msgstr "Nieprawidłowy typ rabatu dla kodu promocyjnego {self.uuid}!" msgid "" "Represents an order placed by a user. This class models an order within the " "application, including its various attributes such as billing and shipping " -"information, status, associated user, notifications, and related operations." -" Orders can have associated products, promotions can be applied, addresses " +"information, status, associated user, notifications, and related operations. " +"Orders can have associated products, promotions can be applied, addresses " "set, and shipping or billing details updated. Equally, functionality " "supports managing the products in the order lifecycle." msgstr "" @@ -2491,8 +2497,7 @@ msgstr "Zamówienie" #: engine/core/models.py:1364 msgid "a user must have only one pending order at a time" -msgstr "" -"Użytkownik może mieć tylko jedno oczekujące zlecenie w danym momencie!" +msgstr "Użytkownik może mieć tylko jedno oczekujące zlecenie w danym momencie!" #: engine/core/models.py:1397 msgid "you cannot add products to an order that is not a pending one" @@ -2589,8 +2594,8 @@ msgstr "" "temat konkretnych produktów, które zostały przez nich zakupione. Zawiera " "atrybuty do przechowywania komentarzy użytkowników, odniesienie do " "powiązanego produktu w zamówieniu oraz ocenę przypisaną przez użytkownika. " -"Klasa wykorzystuje pola bazy danych do efektywnego modelowania i zarządzania" -" danymi opinii." +"Klasa wykorzystuje pola bazy danych do efektywnego modelowania i zarządzania " +"danymi opinii." #: engine/core/models.py:1818 msgid "user-provided comments about their experience with the product" @@ -2601,8 +2606,7 @@ msgid "feedback comments" msgstr "Komentarze zwrotne" #: engine/core/models.py:1827 -msgid "" -"references the specific product in an order that this feedback is about" +msgid "references the specific product in an order that this feedback is about" msgstr "" "Odnosi się do konkretnego produktu w zamówieniu, którego dotyczy ta " "informacja zwrotna." @@ -2633,13 +2637,13 @@ msgid "" msgstr "" "Reprezentuje produkty powiązane z zamówieniami i ich atrybutami. Model " "OrderProduct przechowuje informacje o produkcie, który jest częścią " -"zamówienia, w tym szczegóły, takie jak cena zakupu, ilość, atrybuty produktu" -" i status. Zarządza powiadomieniami dla użytkownika i administratorów oraz " -"obsługuje operacje, takie jak zwracanie salda produktu lub dodawanie opinii." -" Model ten zapewnia również metody i właściwości, które obsługują logikę " +"zamówienia, w tym szczegóły, takie jak cena zakupu, ilość, atrybuty produktu " +"i status. Zarządza powiadomieniami dla użytkownika i administratorów oraz " +"obsługuje operacje, takie jak zwracanie salda produktu lub dodawanie opinii. " +"Model ten zapewnia również metody i właściwości, które obsługują logikę " "biznesową, taką jak obliczanie całkowitej ceny lub generowanie adresu URL " -"pobierania dla produktów cyfrowych. Model ten integruje się z modelami Order" -" i Product i przechowuje odniesienia do nich." +"pobierania dla produktów cyfrowych. Model ten integruje się z modelami Order " +"i Product i przechowuje odniesienia do nich." #: engine/core/models.py:1870 msgid "the price paid by the customer for this product at purchase time" @@ -2652,8 +2656,7 @@ msgstr "Cena zakupu w momencie zamówienia" #: engine/core/models.py:1876 msgid "internal comments for admins about this ordered product" msgstr "" -"Wewnętrzne komentarze dla administratorów dotyczące tego zamówionego " -"produktu" +"Wewnętrzne komentarze dla administratorów dotyczące tego zamówionego produktu" #: engine/core/models.py:1877 msgid "internal comments" @@ -2751,9 +2754,9 @@ msgid "" "Represents the downloading functionality for digital assets associated with " "orders. The DigitalAssetDownload class provides the ability to manage and " "access downloads related to order products. It maintains information about " -"the associated order product, the number of downloads, and whether the asset" -" is publicly visible. It includes a method to generate a URL for downloading" -" the asset when the associated order is in a completed status." +"the associated order product, the number of downloads, and whether the asset " +"is publicly visible. It includes a method to generate a URL for downloading " +"the asset when the associated order is in a completed status." msgstr "" "Reprezentuje funkcjonalność pobierania zasobów cyfrowych powiązanych z " "zamówieniami. Klasa DigitalAssetDownload zapewnia możliwość zarządzania i " @@ -2968,7 +2971,8 @@ msgstr "Witaj %(order.user.first_name)s," #, python-format msgid "" "thank you for your order #%(order.pk)s! we are pleased to inform you that\n" -" we have taken your order into work. below are the details of your\n" +" we have taken your order into work. below are " +"the details of your\n" " order:" msgstr "" "Dziękujemy za zamówienie #%(order.pk)s! Z przyjemnością informujemy, że " @@ -3027,8 +3031,8 @@ msgid "" "we have successfully processed your order №%(order_uuid)s! below are the\n" " details of your order:" msgstr "" -"Pomyślnie przetworzyliśmy Twoje zamówienie №%(order_uuid)s! Poniżej znajdują" -" się szczegóły zamówienia:" +"Pomyślnie przetworzyliśmy Twoje zamówienie №%(order_uuid)s! Poniżej znajdują " +"się szczegóły zamówienia:" #: engine/core/templates/digital_order_delivered_email.html:128 msgid "" @@ -3083,7 +3087,8 @@ msgstr "" #: engine/core/templates/shipped_order_created_email.html:101 #: engine/core/templates/shipped_order_delivered_email.html:101 msgid "" -"thank you for your order! we are pleased to confirm your purchase. below are\n" +"thank you for your order! we are pleased to confirm your purchase. below " +"are\n" " the details of your order:" msgstr "" "Dziękujemy za zamówienie! Z przyjemnością potwierdzamy zakup. Poniżej " @@ -3173,8 +3178,8 @@ msgid "" "Content-Type header for XML." msgstr "" "Obsługuje szczegółową odpowiedź widoku dla mapy witryny. Ta funkcja " -"przetwarza żądanie, pobiera odpowiednią szczegółową odpowiedź mapy witryny i" -" ustawia nagłówek Content-Type dla XML." +"przetwarza żądanie, pobiera odpowiednią szczegółową odpowiedź mapy witryny i " +"ustawia nagłówek Content-Type dla XML." #: engine/core/views.py:155 msgid "" @@ -3216,10 +3221,14 @@ msgstr "Obsługuje logikę zakupu jako firma bez rejestracji." #: engine/core/views.py:337 msgid "" "Handles the downloading of a digital asset associated with an order.\n" -"This function attempts to serve the digital asset file located in the storage directory of the project. If the file is not found, an HTTP 404 error is raised to indicate the resource is unavailable." +"This function attempts to serve the digital asset file located in the " +"storage directory of the project. If the file is not found, an HTTP 404 " +"error is raised to indicate the resource is unavailable." msgstr "" "Obsługuje pobieranie zasobu cyfrowego powiązanego z zamówieniem.\n" -"Ta funkcja próbuje obsłużyć plik zasobu cyfrowego znajdujący się w katalogu przechowywania projektu. Jeśli plik nie zostanie znaleziony, zgłaszany jest błąd HTTP 404 wskazujący, że zasób jest niedostępny." +"Ta funkcja próbuje obsłużyć plik zasobu cyfrowego znajdujący się w katalogu " +"przechowywania projektu. Jeśli plik nie zostanie znaleziony, zgłaszany jest " +"błąd HTTP 404 wskazujący, że zasób jest niedostępny." #: engine/core/views.py:348 msgid "order_product_uuid is required" @@ -3248,15 +3257,19 @@ msgstr "nie znaleziono favicon" #: engine/core/views.py:418 msgid "" "Handles requests for the favicon of a website.\n" -"This function attempts to serve the favicon file located in the static directory of the project. If the favicon file is not found, an HTTP 404 error is raised to indicate the resource is unavailable." +"This function attempts to serve the favicon file located in the static " +"directory of the project. If the favicon file is not found, an HTTP 404 " +"error is raised to indicate the resource is unavailable." msgstr "" "Obsługuje żądania favicon strony internetowej.\n" -"Ta funkcja próbuje obsłużyć plik favicon znajdujący się w katalogu statycznym projektu. Jeśli plik favicon nie zostanie znaleziony, zgłaszany jest błąd HTTP 404 wskazujący, że zasób jest niedostępny." +"Ta funkcja próbuje obsłużyć plik favicon znajdujący się w katalogu " +"statycznym projektu. Jeśli plik favicon nie zostanie znaleziony, zgłaszany " +"jest błąd HTTP 404 wskazujący, że zasób jest niedostępny." #: engine/core/views.py:432 msgid "" -"Redirects the request to the admin index page. The function handles incoming" -" HTTP requests and redirects them to the Django admin interface index page. " +"Redirects the request to the admin index page. The function handles incoming " +"HTTP requests and redirects them to the Django admin interface index page. " "It uses Django's `redirect` function for handling the HTTP redirection." msgstr "" "Przekierowuje żądanie na stronę indeksu administratora. Funkcja obsługuje " @@ -3293,17 +3306,16 @@ msgstr "" #: engine/core/viewsets.py:160 msgid "" -"Represents a viewset for managing AttributeGroup objects. Handles operations" -" related to AttributeGroup, including filtering, serialization, and " -"retrieval of data. This class is part of the application's API layer and " -"provides a standardized way to process requests and responses for " -"AttributeGroup data." +"Represents a viewset for managing AttributeGroup objects. Handles operations " +"related to AttributeGroup, including filtering, serialization, and retrieval " +"of data. This class is part of the application's API layer and provides a " +"standardized way to process requests and responses for AttributeGroup data." msgstr "" "Reprezentuje zestaw widoków do zarządzania obiektami AttributeGroup. " "Obsługuje operacje związane z AttributeGroup, w tym filtrowanie, " "serializację i pobieranie danych. Klasa ta jest częścią warstwy API " -"aplikacji i zapewnia ustandaryzowany sposób przetwarzania żądań i odpowiedzi" -" dla danych AttributeGroup." +"aplikacji i zapewnia ustandaryzowany sposób przetwarzania żądań i odpowiedzi " +"dla danych AttributeGroup." #: engine/core/viewsets.py:179 msgid "" @@ -3326,14 +3338,14 @@ msgid "" "A viewset for managing AttributeValue objects. This viewset provides " "functionality for listing, retrieving, creating, updating, and deleting " "AttributeValue objects. It integrates with Django REST Framework's viewset " -"mechanisms and uses appropriate serializers for different actions. Filtering" -" capabilities are provided through the DjangoFilterBackend." +"mechanisms and uses appropriate serializers for different actions. Filtering " +"capabilities are provided through the DjangoFilterBackend." msgstr "" -"Zestaw widoków do zarządzania obiektami AttributeValue. Ten viewset zapewnia" -" funkcjonalność do listowania, pobierania, tworzenia, aktualizowania i " +"Zestaw widoków do zarządzania obiektami AttributeValue. Ten viewset zapewnia " +"funkcjonalność do listowania, pobierania, tworzenia, aktualizowania i " "usuwania obiektów AttributeValue. Integruje się z mechanizmami viewset " -"Django REST Framework i używa odpowiednich serializatorów dla różnych akcji." -" Możliwości filtrowania są dostarczane przez DjangoFilterBackend." +"Django REST Framework i używa odpowiednich serializatorów dla różnych akcji. " +"Możliwości filtrowania są dostarczane przez DjangoFilterBackend." #: engine/core/viewsets.py:217 msgid "" @@ -3344,8 +3356,8 @@ msgid "" "can access specific data." msgstr "" "Zarządza widokami dla operacji związanych z kategoriami. Klasa " -"CategoryViewSet jest odpowiedzialna za obsługę operacji związanych z modelem" -" kategorii w systemie. Obsługuje pobieranie, filtrowanie i serializowanie " +"CategoryViewSet jest odpowiedzialna za obsługę operacji związanych z modelem " +"kategorii w systemie. Obsługuje pobieranie, filtrowanie i serializowanie " "danych kategorii. Zestaw widoków wymusza również uprawnienia, aby zapewnić, " "że tylko autoryzowani użytkownicy mają dostęp do określonych danych." @@ -3375,8 +3387,8 @@ msgstr "" "zapewnia zestaw widoków do zarządzania produktami, w tym ich filtrowania, " "serializacji i operacji na konkretnych instancjach. Rozszerza się z " "`EvibesViewSet`, aby używać wspólnej funkcjonalności i integruje się z " -"frameworkiem Django REST dla operacji RESTful API. Zawiera metody pobierania" -" szczegółów produktu, stosowania uprawnień i uzyskiwania dostępu do " +"frameworkiem Django REST dla operacji RESTful API. Zawiera metody pobierania " +"szczegółów produktu, stosowania uprawnień i uzyskiwania dostępu do " "powiązanych informacji zwrotnych o produkcie." #: engine/core/viewsets.py:605 @@ -3389,8 +3401,8 @@ msgid "" msgstr "" "Reprezentuje zestaw widoków do zarządzania obiektami Vendor. Ten zestaw " "widoków umożliwia pobieranie, filtrowanie i serializowanie danych dostawcy. " -"Definiuje zestaw zapytań, konfiguracje filtrów i klasy serializatora używane" -" do obsługi różnych działań. Celem tej klasy jest zapewnienie usprawnionego " +"Definiuje zestaw zapytań, konfiguracje filtrów i klasy serializatora używane " +"do obsługi różnych działań. Celem tej klasy jest zapewnienie usprawnionego " "dostępu do zasobów związanych z Vendorem poprzez framework Django REST." #: engine/core/viewsets.py:625 @@ -3398,8 +3410,8 @@ msgid "" "Representation of a view set handling Feedback objects. This class manages " "operations related to Feedback objects, including listing, filtering, and " "retrieving details. The purpose of this view set is to provide different " -"serializers for different actions and implement permission-based handling of" -" accessible Feedback objects. It extends the base `EvibesViewSet` and makes " +"serializers for different actions and implement permission-based handling of " +"accessible Feedback objects. It extends the base `EvibesViewSet` and makes " "use of Django's filtering system for querying data." msgstr "" "Reprezentacja zestawu widoków obsługujących obiekty opinii. Ta klasa " @@ -3415,9 +3427,9 @@ msgid "" "ViewSet for managing orders and related operations. This class provides " "functionality to retrieve, modify, and manage order objects. It includes " "various endpoints for handling order operations such as adding or removing " -"products, performing purchases for registered as well as unregistered users," -" and retrieving the current authenticated user's pending orders. The ViewSet" -" uses multiple serializers based on the specific action being performed and " +"products, performing purchases for registered as well as unregistered users, " +"and retrieving the current authenticated user's pending orders. The ViewSet " +"uses multiple serializers based on the specific action being performed and " "enforces permissions accordingly while interacting with order data." msgstr "" "ViewSet do zarządzania zamówieniami i powiązanymi operacjami. Klasa ta " @@ -3433,8 +3445,8 @@ msgstr "" msgid "" "Provides a viewset for managing OrderProduct entities. This viewset enables " "CRUD operations and custom actions specific to the OrderProduct model. It " -"includes filtering, permission checks, and serializer switching based on the" -" requested action. Additionally, it provides a detailed action for handling " +"includes filtering, permission checks, and serializer switching based on the " +"requested action. Additionally, it provides a detailed action for handling " "feedback on OrderProduct instances" msgstr "" "Udostępnia zestaw widoków do zarządzania jednostkami OrderProduct. Ten " @@ -3467,8 +3479,8 @@ msgstr "Obsługuje operacje związane z danymi Stock w systemie." msgid "" "ViewSet for managing Wishlist operations. The WishlistViewSet provides " "endpoints for interacting with a user's wish list, allowing for the " -"retrieval, modification, and customization of products within the wish list." -" This ViewSet facilitates functionality such as adding, removing, and bulk " +"retrieval, modification, and customization of products within the wish list. " +"This ViewSet facilitates functionality such as adding, removing, and bulk " "actions for wishlist products. Permission checks are integrated to ensure " "that users can only manage their own wishlists unless explicit permissions " "are granted." @@ -3492,8 +3504,8 @@ msgstr "" "Ta klasa zapewnia funkcjonalność zestawu widoków do zarządzania obiektami " "`Address`. Klasa AddressViewSet umożliwia operacje CRUD, filtrowanie i " "niestandardowe akcje związane z jednostkami adresowymi. Obejmuje ona " -"wyspecjalizowane zachowania dla różnych metod HTTP, zastępowanie serializera" -" i obsługę uprawnień w oparciu o kontekst żądania." +"wyspecjalizowane zachowania dla różnych metod HTTP, zastępowanie serializera " +"i obsługę uprawnień w oparciu o kontekst żądania." #: engine/core/viewsets.py:1254 #, python-brace-format diff --git a/engine/core/locale/pt_BR/LC_MESSAGES/django.mo b/engine/core/locale/pt_BR/LC_MESSAGES/django.mo index 020731035b8d0a462da7d222273500d32d9e6645..08892ec2e76f606ac7f127f500f8860af83f7cb1 100644 GIT binary patch delta 18 acmaEHoAt$Q)(zdqn9cMIH}@TjS`GkQoCz`j delta 18 acmaEHoAt$Q)(zdqm`(LeHuoKiS`GkQrU^6v diff --git a/engine/core/locale/pt_BR/LC_MESSAGES/django.po b/engine/core/locale/pt_BR/LC_MESSAGES/django.po index d81dbe92..8b69c4f3 100644 --- a/engine/core/locale/pt_BR/LC_MESSAGES/django.po +++ b/engine/core/locale/pt_BR/LC_MESSAGES/django.po @@ -1,9 +1,9 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-12-21 00:38+0300\n" +"POT-Creation-Date: 2026-01-04 19:25+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" @@ -29,8 +29,7 @@ msgstr "Está ativo" #: engine/core/abstract.py:22 msgid "" -"if set to false, this object can't be seen by users without needed " -"permission" +"if set to false, this object can't be seen by users without needed permission" msgstr "" "Se definido como false, esse objeto não poderá ser visto por usuários sem a " "permissão necessária" @@ -93,8 +92,8 @@ msgstr "Desativar o %(verbose_name_plural)s selecionado" msgid "selected items have been deactivated." msgstr "Os itens selecionados foram desativados!" -#: engine/core/admin.py:196 engine/core/graphene/object_types.py:652 -#: engine/core/graphene/object_types.py:659 engine/core/models.py:825 +#: engine/core/admin.py:196 engine/core/graphene/object_types.py:653 +#: engine/core/graphene/object_types.py:660 engine/core/models.py:825 #: engine/core/models.py:833 msgid "attribute value" msgstr "Valor do atributo" @@ -108,7 +107,7 @@ msgstr "Valores de atributos" msgid "image" msgstr "Imagem" -#: engine/core/admin.py:209 engine/core/graphene/object_types.py:529 +#: engine/core/admin.py:209 engine/core/graphene/object_types.py:530 msgid "images" msgstr "Imagens" @@ -116,7 +115,7 @@ msgstr "Imagens" msgid "stock" msgstr "Estoque" -#: engine/core/admin.py:221 engine/core/graphene/object_types.py:712 +#: engine/core/admin.py:221 engine/core/graphene/object_types.py:713 msgid "stocks" msgstr "Ações" @@ -124,7 +123,7 @@ msgstr "Ações" msgid "order product" msgstr "Pedido de produto" -#: engine/core/admin.py:233 engine/core/graphene/object_types.py:440 +#: engine/core/admin.py:233 engine/core/graphene/object_types.py:441 #: engine/core/models.py:1932 msgid "order products" msgstr "Solicitar produtos" @@ -157,8 +156,7 @@ msgstr "Entregue" msgid "canceled" msgstr "Cancelado" -#: engine/core/choices.py:8 engine/core/choices.py:16 -#: engine/core/choices.py:24 +#: engine/core/choices.py:8 engine/core/choices.py:16 engine/core/choices.py:24 msgid "failed" msgstr "Falha" @@ -210,7 +208,8 @@ msgid "" "apply key, data and timeout with authentication to write data to cache." msgstr "" "Aplicar somente uma chave para ler dados permitidos do cache.\n" -"Aplicar chave, dados e tempo limite com autenticação para gravar dados no cache." +"Aplicar chave, dados e tempo limite com autenticação para gravar dados no " +"cache." #: engine/core/docs/drf/views.py:66 msgid "get a list of supported languages" @@ -274,8 +273,7 @@ msgid "rewrite an existing attribute group saving non-editables" msgstr "Reescrever um grupo de atributos existente salvando os não editáveis" #: engine/core/docs/drf/viewsets.py:107 -msgid "" -"rewrite some fields of an existing attribute group saving non-editables" +msgid "rewrite some fields of an existing attribute group saving non-editables" msgstr "" "Reescreva alguns campos de um grupo de atributos existente salvando os não " "editáveis" @@ -326,8 +324,7 @@ msgid "rewrite an existing attribute value saving non-editables" msgstr "Reescreva um valor de atributo existente salvando os não editáveis" #: engine/core/docs/drf/viewsets.py:208 -msgid "" -"rewrite some fields of an existing attribute value saving non-editables" +msgid "rewrite some fields of an existing attribute value saving non-editables" msgstr "" "Reescreva alguns campos de um valor de atributo existente salvando os não " "editáveis" @@ -364,8 +361,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:280 engine/core/docs/drf/viewsets.py:757 #: engine/core/docs/drf/viewsets.py:1046 #: engine/core/graphene/object_types.py:119 -#: engine/core/graphene/object_types.py:238 -#: engine/core/graphene/object_types.py:539 +#: engine/core/graphene/object_types.py:239 +#: engine/core/graphene/object_types.py:540 msgid "SEO Meta snapshot" msgstr "Meta snapshot de SEO" @@ -384,12 +381,12 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:309 msgid "" -"Case-insensitive substring search across human_readable_id, " -"order_products.product.name, and order_products.product.partnumber" +"Case-insensitive substring search across human_readable_id, order_products." +"product.name, and order_products.product.partnumber" msgstr "" "Pesquisa de substring sem distinção entre maiúsculas e minúsculas em " -"human_readable_id, order_products.product.name e " -"order_products.product.partnumber" +"human_readable_id, order_products.product.name e order_products.product." +"partnumber" #: engine/core/docs/drf/viewsets.py:316 msgid "Filter orders with buy_time >= this ISO 8601 datetime" @@ -425,9 +422,9 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:354 msgid "" -"Order by one of: uuid, human_readable_id, user_email, user, status, created," -" modified, buy_time, random. Prefix with '-' for descending (e.g. " -"'-buy_time')." +"Order by one of: uuid, human_readable_id, user_email, user, status, created, " +"modified, buy_time, random. Prefix with '-' for descending (e.g. '-" +"buy_time')." msgstr "" "Ordene por uma das seguintes opções: uuid, human_readable_id, user_email, " "user, status, created, modified, buy_time, random. Prefixe com '-' para " @@ -583,8 +580,7 @@ msgstr "recuperar a lista de desejos pendente atual de um usuário" #: engine/core/docs/drf/viewsets.py:545 msgid "retrieves a current pending wishlist of an authenticated user" -msgstr "" -"recupera uma lista de desejos pendente atual de um usuário autenticado" +msgstr "recupera uma lista de desejos pendente atual de um usuário autenticado" #: engine/core/docs/drf/viewsets.py:555 msgid "add product to wishlist" @@ -629,18 +625,28 @@ msgstr "" msgid "" "Filter by one or more attribute name/value pairs. \n" "• **Syntax**: `attr_name=method-value[;attr2=method2-value2]…` \n" -"• **Methods** (defaults to `icontains` if omitted): `iexact`, `exact`, `icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, `iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in` \n" -"• **Value typing**: JSON is attempted first (so you can pass lists/dicts), `true`/`false` for booleans, integers, floats; otherwise treated as string. \n" +"• **Methods** (defaults to `icontains` if omitted): `iexact`, `exact`, " +"`icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, " +"`iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in` \n" +"• **Value typing**: JSON is attempted first (so you can pass lists/dicts), " +"`true`/`false` for booleans, integers, floats; otherwise treated as " +"string. \n" "• **Base64**: prefix with `b64-` to URL-safe base64-encode the raw value. \n" "Examples: \n" -"`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\",\"bluetooth\"]`, \n" +"`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\"," +"\"bluetooth\"]`, \n" "`b64-description=icontains-aGVhdC1jb2xk`" msgstr "" "Filtrar por um ou mais pares de nome/valor de atributo. \n" "- **Sintaxe**: `attr_name=method-value[;attr2=method2-value2]...`\n" -"- Métodos** (o padrão é `icontains` se omitido): `iexact`, `exact`, `icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, `iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in`\n" -"- Digitação de valores**: JSON é tentado primeiro (para que você possa passar listas/dicas), `true`/`false` para booleanos, inteiros, flutuantes; caso contrário, é tratado como string. \n" -"- Base64**: prefixo com `b64-` para codificar o valor bruto com base64 de forma segura para a URL. \n" +"- Métodos** (o padrão é `icontains` se omitido): `iexact`, `exact`, " +"`icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, " +"`iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in`\n" +"- Digitação de valores**: JSON é tentado primeiro (para que você possa " +"passar listas/dicas), `true`/`false` para booleanos, inteiros, flutuantes; " +"caso contrário, é tratado como string. \n" +"- Base64**: prefixo com `b64-` para codificar o valor bruto com base64 de " +"forma segura para a URL. \n" "Exemplos: \n" "`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\", \"bluetooth\"]`,\n" "`b64-description=icontains-aGVhdC1jb2xk`" @@ -655,11 +661,14 @@ msgstr "UUID (exato) do produto" #: engine/core/docs/drf/viewsets.py:630 msgid "" -"Comma-separated list of fields to sort by. Prefix with `-` for descending. \n" +"Comma-separated list of fields to sort by. Prefix with `-` for " +"descending. \n" "**Allowed:** uuid, rating, name, slug, created, modified, price, random" msgstr "" -"Lista de campos separada por vírgulas para classificação. Prefixe com `-` para classificação decrescente. \n" -"**Permitido:** uuid, classificação, nome, slug, criado, modificado, preço, aleatório" +"Lista de campos separada por vírgulas para classificação. Prefixe com `-` " +"para classificação decrescente. \n" +"**Permitido:** uuid, classificação, nome, slug, criado, modificado, preço, " +"aleatório" #: engine/core/docs/drf/viewsets.py:647 engine/core/docs/drf/viewsets.py:648 msgid "retrieve a single product (detailed view)" @@ -887,8 +896,7 @@ msgstr "Delete a promo code" #: engine/core/docs/drf/viewsets.py:1196 msgid "rewrite an existing promo code saving non-editables" -msgstr "" -"Reescreva um código promocional existente salvando itens não editáveis" +msgstr "Reescreva um código promocional existente salvando itens não editáveis" #: engine/core/docs/drf/viewsets.py:1203 msgid "rewrite some fields of an existing promo code saving non-editables" @@ -1204,8 +1212,8 @@ msgstr "Comprar um pedido" #: engine/core/graphene/mutations.py:542 msgid "" -"please send the attributes as the string formatted like " -"attr1=value1,attr2=value2" +"please send the attributes as the string formatted like attr1=value1," +"attr2=value2" msgstr "" "Envie os atributos como uma string formatada como attr1=value1,attr2=value2" @@ -1243,8 +1251,8 @@ msgid "elasticsearch - works like a charm" msgstr "ElasticSearch - funciona muito bem" #: engine/core/graphene/object_types.py:84 -#: engine/core/graphene/object_types.py:419 -#: engine/core/graphene/object_types.py:470 engine/core/models.py:796 +#: engine/core/graphene/object_types.py:420 +#: engine/core/graphene/object_types.py:471 engine/core/models.py:796 #: engine/core/models.py:1290 engine/core/models.py:2022 msgid "attributes" msgstr "Atributos" @@ -1258,8 +1266,8 @@ msgid "groups of attributes" msgstr "Grupos de atributos" #: engine/core/graphene/object_types.py:118 -#: engine/core/graphene/object_types.py:216 -#: engine/core/graphene/object_types.py:254 engine/core/models.py:440 +#: engine/core/graphene/object_types.py:217 +#: engine/core/graphene/object_types.py:255 engine/core/models.py:440 msgid "categories" msgstr "Categorias" @@ -1267,81 +1275,80 @@ msgstr "Categorias" msgid "brands" msgstr "Marcas" -#: engine/core/graphene/object_types.py:218 +#: engine/core/graphene/object_types.py:219 msgid "category image url" msgstr "Categorias" -#: engine/core/graphene/object_types.py:219 -#: engine/core/graphene/object_types.py:364 engine/core/models.py:278 +#: engine/core/graphene/object_types.py:220 +#: engine/core/graphene/object_types.py:365 engine/core/models.py:278 msgid "markup percentage" msgstr "Porcentagem de marcação" -#: engine/core/graphene/object_types.py:223 +#: engine/core/graphene/object_types.py:224 msgid "which attributes and values can be used for filtering this category." msgstr "" "Quais atributos e valores podem ser usados para filtrar essa categoria." -#: engine/core/graphene/object_types.py:229 -msgid "" -"minimum and maximum prices for products in this category, if available." +#: engine/core/graphene/object_types.py:230 +msgid "minimum and maximum prices for products in this category, if available." msgstr "Preços mínimo e máximo dos produtos dessa categoria, se disponíveis." -#: engine/core/graphene/object_types.py:233 +#: engine/core/graphene/object_types.py:234 msgid "tags for this category" msgstr "Tags para esta categoria" -#: engine/core/graphene/object_types.py:236 +#: engine/core/graphene/object_types.py:237 msgid "products in this category" msgstr "Produtos desta categoria" -#: engine/core/graphene/object_types.py:371 engine/core/models.py:183 +#: engine/core/graphene/object_types.py:372 engine/core/models.py:183 msgid "vendors" msgstr "Vendors" -#: engine/core/graphene/object_types.py:375 +#: engine/core/graphene/object_types.py:376 msgid "Latitude (Y coordinate)" msgstr "Latitude (coordenada Y)" -#: engine/core/graphene/object_types.py:376 +#: engine/core/graphene/object_types.py:377 msgid "Longitude (X coordinate)" msgstr "Longitude (coordenada X)" -#: engine/core/graphene/object_types.py:405 +#: engine/core/graphene/object_types.py:406 msgid "comment" msgstr "Como fazer" -#: engine/core/graphene/object_types.py:407 -#: engine/core/graphene/object_types.py:541 +#: engine/core/graphene/object_types.py:408 +#: engine/core/graphene/object_types.py:542 msgid "rating value from 1 to 10, inclusive, or 0 if not set." msgstr "" "Valor de classificação de 1 a 10, inclusive, ou 0 se não estiver definido." -#: engine/core/graphene/object_types.py:415 +#: engine/core/graphene/object_types.py:416 msgid "represents feedback from a user." msgstr "Representa o feedback de um usuário." -#: engine/core/graphene/object_types.py:420 -#: engine/core/graphene/object_types.py:471 engine/core/models.py:1284 +#: engine/core/graphene/object_types.py:421 +#: engine/core/graphene/object_types.py:472 engine/core/models.py:1284 msgid "notifications" msgstr "Notificações" -#: engine/core/graphene/object_types.py:422 +#: engine/core/graphene/object_types.py:423 msgid "download url for this order product if applicable" msgstr "URL de download para este produto do pedido, se aplicável" -#: engine/core/graphene/object_types.py:424 engine/core/models.py:1849 +#: engine/core/graphene/object_types.py:425 engine/core/models.py:1849 msgid "feedback" msgstr "Feedback" -#: engine/core/graphene/object_types.py:458 +#: engine/core/graphene/object_types.py:459 msgid "a list of order products in this order" msgstr "Uma lista dos produtos solicitados nesse pedido" -#: engine/core/graphene/object_types.py:460 engine/core/models.py:1254 +#: engine/core/graphene/object_types.py:461 engine/core/models.py:1254 msgid "billing address" msgstr "Endereço de cobrança" -#: engine/core/graphene/object_types.py:464 +#: engine/core/graphene/object_types.py:465 msgid "" "shipping address for this order, leave blank if same as billing address or " "if not applicable" @@ -1349,53 +1356,53 @@ msgstr "" "Endereço de entrega para este pedido, deixe em branco se for o mesmo que o " "endereço de cobrança ou se não for aplicável" -#: engine/core/graphene/object_types.py:467 +#: engine/core/graphene/object_types.py:468 msgid "total price of this order" msgstr "Preço total deste pedido" -#: engine/core/graphene/object_types.py:468 +#: engine/core/graphene/object_types.py:469 msgid "total quantity of products in order" msgstr "Quantidade total de produtos no pedido" -#: engine/core/graphene/object_types.py:469 +#: engine/core/graphene/object_types.py:470 msgid "are all products in the order digital" msgstr "Todos os produtos estão no pedido digital?" -#: engine/core/graphene/object_types.py:473 +#: engine/core/graphene/object_types.py:474 msgid "transactions for this order" msgstr "Transações para esta ordem" -#: engine/core/graphene/object_types.py:493 engine/core/models.py:1318 +#: engine/core/graphene/object_types.py:494 engine/core/models.py:1318 msgid "orders" msgstr "Pedidos" -#: engine/core/graphene/object_types.py:514 +#: engine/core/graphene/object_types.py:515 msgid "image url" msgstr "URL da imagem" -#: engine/core/graphene/object_types.py:521 +#: engine/core/graphene/object_types.py:522 msgid "product's images" msgstr "Imagens do produto" -#: engine/core/graphene/object_types.py:528 engine/core/models.py:439 +#: engine/core/graphene/object_types.py:529 engine/core/models.py:439 #: engine/core/models.py:596 msgid "category" msgstr "Categoria" -#: engine/core/graphene/object_types.py:530 engine/core/models.py:1850 +#: engine/core/graphene/object_types.py:531 engine/core/models.py:1850 msgid "feedbacks" msgstr "Feedbacks" -#: engine/core/graphene/object_types.py:531 engine/core/models.py:510 +#: engine/core/graphene/object_types.py:532 engine/core/models.py:510 #: engine/core/models.py:605 msgid "brand" msgstr "Brand" -#: engine/core/graphene/object_types.py:533 engine/core/models.py:103 +#: engine/core/graphene/object_types.py:534 engine/core/models.py:103 msgid "attribute groups" msgstr "Grupos de atributos" -#: engine/core/graphene/object_types.py:535 +#: engine/core/graphene/object_types.py:536 #: engine/core/templates/digital_order_created_email.html:111 #: engine/core/templates/digital_order_delivered_email.html:109 #: engine/core/templates/shipped_order_created_email.html:109 @@ -1403,7 +1410,7 @@ msgstr "Grupos de atributos" msgid "price" msgstr "Preço" -#: engine/core/graphene/object_types.py:536 +#: engine/core/graphene/object_types.py:537 #: engine/core/templates/digital_order_created_email.html:110 #: engine/core/templates/digital_order_delivered_email.html:108 #: engine/core/templates/shipped_order_created_email.html:108 @@ -1411,39 +1418,39 @@ msgstr "Preço" msgid "quantity" msgstr "Quantidade" -#: engine/core/graphene/object_types.py:537 +#: engine/core/graphene/object_types.py:538 msgid "number of feedbacks" msgstr "Número de feedbacks" -#: engine/core/graphene/object_types.py:538 +#: engine/core/graphene/object_types.py:539 msgid "only available for personal orders" msgstr "Produtos disponíveis apenas para pedidos pessoais" -#: engine/core/graphene/object_types.py:543 +#: engine/core/graphene/object_types.py:544 msgid "discount price" msgstr "Preço com desconto" -#: engine/core/graphene/object_types.py:567 engine/core/models.py:677 +#: engine/core/graphene/object_types.py:568 engine/core/models.py:677 msgid "products" msgstr "Produtos" -#: engine/core/graphene/object_types.py:677 +#: engine/core/graphene/object_types.py:678 msgid "promocodes" msgstr "Códigos promocionais" -#: engine/core/graphene/object_types.py:692 +#: engine/core/graphene/object_types.py:693 msgid "products on sale" msgstr "Produtos à venda" -#: engine/core/graphene/object_types.py:700 engine/core/models.py:928 +#: engine/core/graphene/object_types.py:701 engine/core/models.py:928 msgid "promotions" msgstr "Promoções" -#: engine/core/graphene/object_types.py:704 engine/core/models.py:182 +#: engine/core/graphene/object_types.py:705 engine/core/models.py:182 msgid "vendor" msgstr "Vendor" -#: engine/core/graphene/object_types.py:705 engine/core/models.py:676 +#: engine/core/graphene/object_types.py:706 engine/core/models.py:676 #: engine/core/templates/digital_order_created_email.html:109 #: engine/core/templates/digital_order_delivered_email.html:107 #: engine/core/templates/shipped_order_created_email.html:107 @@ -1451,99 +1458,99 @@ msgstr "Vendor" msgid "product" msgstr "Produto" -#: engine/core/graphene/object_types.py:717 engine/core/models.py:951 +#: engine/core/graphene/object_types.py:718 engine/core/models.py:951 msgid "wishlisted products" msgstr "Produtos da lista de desejos" -#: engine/core/graphene/object_types.py:724 engine/core/models.py:968 +#: engine/core/graphene/object_types.py:725 engine/core/models.py:968 msgid "wishlists" msgstr "Listas de desejos" -#: engine/core/graphene/object_types.py:729 +#: engine/core/graphene/object_types.py:730 msgid "tagged products" msgstr "Produtos marcados" -#: engine/core/graphene/object_types.py:737 engine/core/models.py:219 +#: engine/core/graphene/object_types.py:738 engine/core/models.py:219 #: engine/core/models.py:611 msgid "product tags" msgstr "Etiquetas do produto" -#: engine/core/graphene/object_types.py:742 +#: engine/core/graphene/object_types.py:743 msgid "tagged categories" msgstr "Categorias de tags" -#: engine/core/graphene/object_types.py:750 +#: engine/core/graphene/object_types.py:751 msgid "categories tags" msgstr "Tags das categorias" -#: engine/core/graphene/object_types.py:754 +#: engine/core/graphene/object_types.py:755 msgid "project name" msgstr "Nome do projeto" -#: engine/core/graphene/object_types.py:755 +#: engine/core/graphene/object_types.py:756 msgid "company name" msgstr "Nome da empresa" -#: engine/core/graphene/object_types.py:756 +#: engine/core/graphene/object_types.py:757 msgid "company address" msgstr "Endereço da empresa" -#: engine/core/graphene/object_types.py:757 +#: engine/core/graphene/object_types.py:758 msgid "company phone number" msgstr "Número de telefone da empresa" -#: engine/core/graphene/object_types.py:760 +#: engine/core/graphene/object_types.py:761 msgid "email from, sometimes it must be used instead of host user value" msgstr "" "'email from', às vezes ele deve ser usado em vez do valor do usuário do host" -#: engine/core/graphene/object_types.py:763 +#: engine/core/graphene/object_types.py:764 msgid "email host user" msgstr "Usuário do host de e-mail" -#: engine/core/graphene/object_types.py:764 +#: engine/core/graphene/object_types.py:765 msgid "maximum amount for payment" msgstr "Valor máximo para pagamento" -#: engine/core/graphene/object_types.py:765 +#: engine/core/graphene/object_types.py:766 msgid "minimum amount for payment" msgstr "Valor mínimo para pagamento" -#: engine/core/graphene/object_types.py:766 +#: engine/core/graphene/object_types.py:767 msgid "analytics data" msgstr "Dados analíticos" -#: engine/core/graphene/object_types.py:767 +#: engine/core/graphene/object_types.py:768 msgid "advertisement data" msgstr "Dados do anúncio" -#: engine/core/graphene/object_types.py:770 +#: engine/core/graphene/object_types.py:771 msgid "company configuration" msgstr "Configuração" -#: engine/core/graphene/object_types.py:774 +#: engine/core/graphene/object_types.py:775 msgid "language code" msgstr "Código do idioma" -#: engine/core/graphene/object_types.py:775 +#: engine/core/graphene/object_types.py:776 msgid "language name" msgstr "Nome do idioma" -#: engine/core/graphene/object_types.py:776 +#: engine/core/graphene/object_types.py:777 msgid "language flag, if exists :)" msgstr "Sinalizador de idioma, se houver :)" -#: engine/core/graphene/object_types.py:779 +#: engine/core/graphene/object_types.py:780 msgid "supported languages" msgstr "Obter uma lista de idiomas suportados" -#: engine/core/graphene/object_types.py:811 -#: engine/core/graphene/object_types.py:814 -#: engine/core/graphene/object_types.py:817 +#: engine/core/graphene/object_types.py:812 +#: engine/core/graphene/object_types.py:815 +#: engine/core/graphene/object_types.py:818 msgid "products search results" msgstr "Resultados da pesquisa de produtos" -#: engine/core/graphene/object_types.py:819 +#: engine/core/graphene/object_types.py:820 msgid "posts search results" msgstr "Resultados da pesquisa de produtos" @@ -1590,9 +1597,9 @@ msgstr "" "fornecedores externos e seus requisitos de interação. A classe Vendor é " "usada para definir e gerenciar informações relacionadas a um fornecedor " "externo. Ela armazena o nome do fornecedor, os detalhes de autenticação " -"necessários para a comunicação e a marcação percentual aplicada aos produtos" -" recuperados do fornecedor. Esse modelo também mantém metadados e restrições" -" adicionais, tornando-o adequado para uso em sistemas que interagem com " +"necessários para a comunicação e a marcação percentual aplicada aos produtos " +"recuperados do fornecedor. Esse modelo também mantém metadados e restrições " +"adicionais, tornando-o adequado para uso em sistemas que interagem com " "fornecedores terceirizados." #: engine/core/models.py:122 @@ -1763,14 +1770,13 @@ msgid "" "Represents a Brand object in the system. This class handles information and " "attributes related to a brand, including its name, logos, description, " "associated categories, a unique slug, and priority order. It allows for the " -"organization and representation of brand-related data within the " -"application." +"organization and representation of brand-related data within the application." msgstr "" -"Representa um objeto de marca no sistema. Essa classe lida com informações e" -" atributos relacionados a uma marca, incluindo seu nome, logotipos, " +"Representa um objeto de marca no sistema. Essa classe lida com informações e " +"atributos relacionados a uma marca, incluindo seu nome, logotipos, " "descrição, categorias associadas, um slug exclusivo e ordem de prioridade. " -"Ela permite a organização e a representação de dados relacionados à marca no" -" aplicativo." +"Ela permite a organização e a representação de dados relacionados à marca no " +"aplicativo." #: engine/core/models.py:456 msgid "name of this brand" @@ -1814,8 +1820,8 @@ msgstr "Categorias" #: engine/core/models.py:516 msgid "" -"Represents the stock of a product managed in the system. This class provides" -" details about the relationship between vendors, products, and their stock " +"Represents the stock of a product managed in the system. This class provides " +"details about the relationship between vendors, products, and their stock " "information, as well as inventory-related properties like price, purchase " "price, quantity, SKU, and digital assets. It is part of the inventory " "management system to allow tracking and evaluation of products available " @@ -1909,8 +1915,8 @@ msgstr "" "utilitárias relacionadas para recuperar classificações, contagens de " "feedback, preço, quantidade e total de pedidos. Projetado para uso em um " "sistema que lida com comércio eletrônico ou gerenciamento de estoque. Essa " -"classe interage com modelos relacionados (como Category, Brand e ProductTag)" -" e gerencia o armazenamento em cache das propriedades acessadas com " +"classe interage com modelos relacionados (como Category, Brand e ProductTag) " +"e gerencia o armazenamento em cache das propriedades acessadas com " "frequência para melhorar o desempenho. É usada para definir e manipular " "dados de produtos e suas informações associadas em um aplicativo." @@ -1976,14 +1982,14 @@ msgid "" "Represents an attribute in the system. This class is used to define and " "manage attributes, which are customizable pieces of data that can be " "associated with other entities. Attributes have associated categories, " -"groups, value types, and names. The model supports multiple types of values," -" including string, integer, float, boolean, array, and object. This allows " +"groups, value types, and names. The model supports multiple types of values, " +"including string, integer, float, boolean, array, and object. This allows " "for dynamic and flexible data structuring." msgstr "" "Representa um atributo no sistema. Essa classe é usada para definir e " "gerenciar atributos, que são partes personalizáveis de dados que podem ser " -"associadas a outras entidades. Os atributos têm categorias, grupos, tipos de" -" valores e nomes associados. O modelo é compatível com vários tipos de " +"associadas a outras entidades. Os atributos têm categorias, grupos, tipos de " +"valores e nomes associados. O modelo é compatível com vários tipos de " "valores, incluindo string, inteiro, float, booleano, matriz e objeto. Isso " "permite a estruturação dinâmica e flexível dos dados." @@ -2047,13 +2053,13 @@ msgstr "Atributo" #: engine/core/models.py:801 msgid "" -"Represents a specific value for an attribute that is linked to a product. It" -" links the 'attribute' to a unique 'value', allowing better organization and" -" dynamic representation of product characteristics." +"Represents a specific value for an attribute that is linked to a product. It " +"links the 'attribute' to a unique 'value', allowing better organization and " +"dynamic representation of product characteristics." msgstr "" "Representa um valor específico para um atributo que está vinculado a um " -"produto. Ele vincula o \"atributo\" a um \"valor\" exclusivo, permitindo uma" -" melhor organização e representação dinâmica das características do produto." +"produto. Ele vincula o \"atributo\" a um \"valor\" exclusivo, permitindo uma " +"melhor organização e representação dinâmica das características do produto." #: engine/core/models.py:812 msgid "attribute of this value" @@ -2070,21 +2076,20 @@ msgstr "O valor específico para esse atributo" #: engine/core/models.py:839 msgid "" "Represents a product image associated with a product in the system. This " -"class is designed to manage images for products, including functionality for" -" uploading image files, associating them with specific products, and " +"class is designed to manage images for products, including functionality for " +"uploading image files, associating them with specific products, and " "determining their display order. It also includes an accessibility feature " "with alternative text for the images." msgstr "" "Representa uma imagem de produto associada a um produto no sistema. Essa " "classe foi projetada para gerenciar imagens de produtos, incluindo a " "funcionalidade de carregar arquivos de imagem, associá-los a produtos " -"específicos e determinar sua ordem de exibição. Ela também inclui um recurso" -" de acessibilidade com texto alternativo para as imagens." +"específicos e determinar sua ordem de exibição. Ela também inclui um recurso " +"de acessibilidade com texto alternativo para as imagens." #: engine/core/models.py:850 msgid "provide alternative text for the image for accessibility" -msgstr "" -"Forneça um texto alternativo para a imagem para fins de acessibilidade" +msgstr "Forneça um texto alternativo para a imagem para fins de acessibilidade" #: engine/core/models.py:851 msgid "image alt text" @@ -2120,8 +2125,8 @@ msgid "" "is used to define and manage promotional campaigns that offer a percentage-" "based discount for products. The class includes attributes for setting the " "discount rate, providing details about the promotion, and linking it to the " -"applicable products. It integrates with the product catalog to determine the" -" affected items in the campaign." +"applicable products. It integrates with the product catalog to determine the " +"affected items in the campaign." msgstr "" "Representa uma campanha promocional para produtos com desconto. Essa classe " "é usada para definir e gerenciar campanhas promocionais que oferecem um " @@ -2171,8 +2176,8 @@ msgid "" msgstr "" "Representa a lista de desejos de um usuário para armazenar e gerenciar os " "produtos desejados. A classe oferece funcionalidade para gerenciar uma " -"coleção de produtos, suportando operações como adicionar e remover produtos," -" bem como operações de suporte para adicionar e remover vários produtos de " +"coleção de produtos, suportando operações como adicionar e remover produtos, " +"bem como operações de suporte para adicionar e remover vários produtos de " "uma só vez." #: engine/core/models.py:950 @@ -2197,15 +2202,15 @@ msgid "" "store information about documentaries related to specific products, " "including file uploads and their metadata. It contains methods and " "properties to handle the file type and storage path for the documentary " -"files. It extends functionality from specific mixins and provides additional" -" custom features." +"files. It extends functionality from specific mixins and provides additional " +"custom features." msgstr "" -"Representa um registro de documentário vinculado a um produto. Essa classe é" -" usada para armazenar informações sobre documentários relacionados a " -"produtos específicos, incluindo uploads de arquivos e seus metadados. Ela " -"contém métodos e propriedades para lidar com o tipo de arquivo e o caminho " -"de armazenamento dos arquivos do documentário. Ela estende a funcionalidade " -"de mixins específicos e fornece recursos personalizados adicionais." +"Representa um registro de documentário vinculado a um produto. Essa classe é " +"usada para armazenar informações sobre documentários relacionados a produtos " +"específicos, incluindo uploads de arquivos e seus metadados. Ela contém " +"métodos e propriedades para lidar com o tipo de arquivo e o caminho de " +"armazenamento dos arquivos do documentário. Ela estende a funcionalidade de " +"mixins específicos e fornece recursos personalizados adicionais." #: engine/core/models.py:1024 msgid "documentary" @@ -2221,21 +2226,21 @@ msgstr "Não resolvido" #: engine/core/models.py:1040 msgid "" -"Represents an address entity that includes location details and associations" -" with a user. Provides functionality for geographic and address data " -"storage, as well as integration with geocoding services. This class is " -"designed to store detailed address information including components like " -"street, city, region, country, and geolocation (longitude and latitude). It " -"supports integration with geocoding APIs, enabling the storage of raw API " -"responses for further processing or inspection. The class also allows " -"associating an address with a user, facilitating personalized data handling." +"Represents an address entity that includes location details and associations " +"with a user. Provides functionality for geographic and address data storage, " +"as well as integration with geocoding services. This class is designed to " +"store detailed address information including components like street, city, " +"region, country, and geolocation (longitude and latitude). It supports " +"integration with geocoding APIs, enabling the storage of raw API responses " +"for further processing or inspection. The class also allows associating an " +"address with a user, facilitating personalized data handling." msgstr "" "Representa uma entidade de endereço que inclui detalhes de localização e " "associações com um usuário. Fornece funcionalidade para armazenamento de " "dados geográficos e de endereço, bem como integração com serviços de " "geocodificação. Essa classe foi projetada para armazenar informações " -"detalhadas de endereço, incluindo componentes como rua, cidade, região, país" -" e geolocalização (longitude e latitude). Ela oferece suporte à integração " +"detalhadas de endereço, incluindo componentes como rua, cidade, região, país " +"e geolocalização (longitude e latitude). Ela oferece suporte à integração " "com APIs de geocodificação, permitindo o armazenamento de respostas brutas " "de API para processamento ou inspeção posterior. A classe também permite " "associar um endereço a um usuário, facilitando o tratamento personalizado " @@ -2382,8 +2387,8 @@ msgid "" "only one type of discount should be defined (amount or percent), but not " "both or neither." msgstr "" -"Apenas um tipo de desconto deve ser definido (valor ou porcentagem), mas não" -" ambos ou nenhum." +"Apenas um tipo de desconto deve ser definido (valor ou porcentagem), mas não " +"ambos ou nenhum." #: engine/core/models.py:1205 msgid "promocode already used" @@ -2398,8 +2403,8 @@ msgstr "Tipo de desconto inválido para o código promocional {self.uuid}!" msgid "" "Represents an order placed by a user. This class models an order within the " "application, including its various attributes such as billing and shipping " -"information, status, associated user, notifications, and related operations." -" Orders can have associated products, promotions can be applied, addresses " +"information, status, associated user, notifications, and related operations. " +"Orders can have associated products, promotions can be applied, addresses " "set, and shipping or billing details updated. Equally, functionality " "supports managing the products in the order lifecycle." msgstr "" @@ -2511,8 +2516,7 @@ msgstr "O código promocional não existe" #: engine/core/models.py:1527 msgid "you can only buy physical products with shipping address specified" msgstr "" -"Você só pode comprar produtos físicos com o endereço de entrega " -"especificado!" +"Você só pode comprar produtos físicos com o endereço de entrega especificado!" #: engine/core/models.py:1548 msgid "address does not exist" @@ -2568,8 +2572,8 @@ msgid "" "fields to effectively model and manage feedback data." msgstr "" "Gerencia o feedback dos usuários sobre os produtos. Essa classe foi criada " -"para capturar e armazenar o feedback dos usuários sobre produtos específicos" -" que eles compraram. Ela contém atributos para armazenar comentários de " +"para capturar e armazenar o feedback dos usuários sobre produtos específicos " +"que eles compraram. Ela contém atributos para armazenar comentários de " "usuários, uma referência ao produto relacionado no pedido e uma " "classificação atribuída pelo usuário. A classe usa campos de banco de dados " "para modelar e gerenciar com eficiência os dados de feedback." @@ -2584,11 +2588,10 @@ msgid "feedback comments" msgstr "Comentários de feedback" #: engine/core/models.py:1827 -msgid "" -"references the specific product in an order that this feedback is about" +msgid "references the specific product in an order that this feedback is about" msgstr "" -"Faz referência ao produto específico em um pedido sobre o qual se trata esse" -" feedback" +"Faz referência ao produto específico em um pedido sobre o qual se trata esse " +"feedback" #: engine/core/models.py:1829 msgid "related order product" @@ -2615,9 +2618,9 @@ msgid "" "Product models and stores a reference to them." msgstr "" "Representa produtos associados a pedidos e seus atributos. O modelo " -"OrderProduct mantém informações sobre um produto que faz parte de um pedido," -" incluindo detalhes como preço de compra, quantidade, atributos do produto e" -" status. Ele gerencia as notificações para o usuário e os administradores e " +"OrderProduct mantém informações sobre um produto que faz parte de um pedido, " +"incluindo detalhes como preço de compra, quantidade, atributos do produto e " +"status. Ele gerencia as notificações para o usuário e os administradores e " "trata de operações como devolver o saldo do produto ou adicionar feedback. " "Esse modelo também fornece métodos e propriedades que dão suporte à lógica " "comercial, como o cálculo do preço total ou a geração de um URL de download " @@ -2731,16 +2734,16 @@ msgid "" "Represents the downloading functionality for digital assets associated with " "orders. The DigitalAssetDownload class provides the ability to manage and " "access downloads related to order products. It maintains information about " -"the associated order product, the number of downloads, and whether the asset" -" is publicly visible. It includes a method to generate a URL for downloading" -" the asset when the associated order is in a completed status." +"the associated order product, the number of downloads, and whether the asset " +"is publicly visible. It includes a method to generate a URL for downloading " +"the asset when the associated order is in a completed status." msgstr "" "Representa a funcionalidade de download de ativos digitais associados a " "pedidos. A classe DigitalAssetDownload oferece a capacidade de gerenciar e " -"acessar downloads relacionados a produtos de pedidos. Ela mantém informações" -" sobre o produto do pedido associado, o número de downloads e se o ativo " -"está visível publicamente. Ela inclui um método para gerar um URL para " -"download do ativo quando o pedido associado estiver em um status concluído." +"acessar downloads relacionados a produtos de pedidos. Ela mantém informações " +"sobre o produto do pedido associado, o número de downloads e se o ativo está " +"visível publicamente. Ela inclui um método para gerar um URL para download " +"do ativo quando o pedido associado estiver em um status concluído." #: engine/core/models.py:2092 msgid "download" @@ -2947,7 +2950,8 @@ msgstr "Olá %(order.user.first_name)s," #, python-format msgid "" "thank you for your order #%(order.pk)s! we are pleased to inform you that\n" -" we have taken your order into work. below are the details of your\n" +" we have taken your order into work. below are " +"the details of your\n" " order:" msgstr "" "Obrigado por seu pedido #%(order.pk)s! Temos o prazer de informá-lo de que " @@ -3061,7 +3065,8 @@ msgstr "" #: engine/core/templates/shipped_order_created_email.html:101 #: engine/core/templates/shipped_order_delivered_email.html:101 msgid "" -"thank you for your order! we are pleased to confirm your purchase. below are\n" +"thank you for your order! we are pleased to confirm your purchase. below " +"are\n" " the details of your order:" msgstr "" "Obrigado por seu pedido! Temos o prazer de confirmar sua compra. Abaixo " @@ -3140,8 +3145,8 @@ msgid "" "ensures the response includes the appropriate content type header for XML." msgstr "" "Trata a solicitação do índice do mapa do site e retorna uma resposta XML. " -"Ele garante que a resposta inclua o cabeçalho de tipo de conteúdo apropriado" -" para XML." +"Ele garante que a resposta inclua o cabeçalho de tipo de conteúdo apropriado " +"para XML." #: engine/core/views.py:119 msgid "" @@ -3168,8 +3173,8 @@ msgid "" "Handles cache operations such as reading and setting cache data with a " "specified key and timeout." msgstr "" -"Manipula operações de cache, como ler e definir dados de cache com uma chave" -" e um tempo limite especificados." +"Manipula operações de cache, como ler e definir dados de cache com uma chave " +"e um tempo limite especificados." #: engine/core/views.py:220 msgid "Handles `contact us` form submissions." @@ -3194,10 +3199,14 @@ msgstr "Lida com a lógica de comprar como uma empresa sem registro." #: engine/core/views.py:337 msgid "" "Handles the downloading of a digital asset associated with an order.\n" -"This function attempts to serve the digital asset file located in the storage directory of the project. If the file is not found, an HTTP 404 error is raised to indicate the resource is unavailable." +"This function attempts to serve the digital asset file located in the " +"storage directory of the project. If the file is not found, an HTTP 404 " +"error is raised to indicate the resource is unavailable." msgstr "" "Trata do download de um ativo digital associado a um pedido.\n" -"Essa função tenta servir o arquivo de ativo digital localizado no diretório de armazenamento do projeto. Se o arquivo não for encontrado, será gerado um erro HTTP 404 para indicar que o recurso não está disponível." +"Essa função tenta servir o arquivo de ativo digital localizado no diretório " +"de armazenamento do projeto. Se o arquivo não for encontrado, será gerado um " +"erro HTTP 404 para indicar que o recurso não está disponível." #: engine/core/views.py:348 msgid "order_product_uuid is required" @@ -3226,19 +3235,23 @@ msgstr "favicon não encontrado" #: engine/core/views.py:418 msgid "" "Handles requests for the favicon of a website.\n" -"This function attempts to serve the favicon file located in the static directory of the project. If the favicon file is not found, an HTTP 404 error is raised to indicate the resource is unavailable." +"This function attempts to serve the favicon file located in the static " +"directory of the project. If the favicon file is not found, an HTTP 404 " +"error is raised to indicate the resource is unavailable." msgstr "" "Trata as solicitações do favicon de um site.\n" -"Essa função tenta servir o arquivo favicon localizado no diretório estático do projeto. Se o arquivo favicon não for encontrado, será gerado um erro HTTP 404 para indicar que o recurso não está disponível." +"Essa função tenta servir o arquivo favicon localizado no diretório estático " +"do projeto. Se o arquivo favicon não for encontrado, será gerado um erro " +"HTTP 404 para indicar que o recurso não está disponível." #: engine/core/views.py:432 msgid "" -"Redirects the request to the admin index page. The function handles incoming" -" HTTP requests and redirects them to the Django admin interface index page. " +"Redirects the request to the admin index page. The function handles incoming " +"HTTP requests and redirects them to the Django admin interface index page. " "It uses Django's `redirect` function for handling the HTTP redirection." msgstr "" -"Redireciona a solicitação para a página de índice do administrador. A função" -" lida com as solicitações HTTP recebidas e as redireciona para a página de " +"Redireciona a solicitação para a página de índice do administrador. A função " +"lida com as solicitações HTTP recebidas e as redireciona para a página de " "índice da interface de administração do Django. Ela usa a função `redirect` " "do Django para lidar com o redirecionamento HTTP." @@ -3263,19 +3276,18 @@ msgid "" "serializer classes based on the current action, customizable permissions, " "and rendering formats." msgstr "" -"Define um conjunto de visualizações para gerenciar operações relacionadas ao" -" Evibes. A classe EvibesViewSet é herdeira do ModelViewSet e oferece " +"Define um conjunto de visualizações para gerenciar operações relacionadas ao " +"Evibes. A classe EvibesViewSet é herdeira do ModelViewSet e oferece " "funcionalidade para lidar com ações e operações em entidades Evibes. Ela " "inclui suporte para classes de serializadores dinâmicos com base na ação " "atual, permissões personalizáveis e formatos de renderização." #: engine/core/viewsets.py:160 msgid "" -"Represents a viewset for managing AttributeGroup objects. Handles operations" -" related to AttributeGroup, including filtering, serialization, and " -"retrieval of data. This class is part of the application's API layer and " -"provides a standardized way to process requests and responses for " -"AttributeGroup data." +"Represents a viewset for managing AttributeGroup objects. Handles operations " +"related to AttributeGroup, including filtering, serialization, and retrieval " +"of data. This class is part of the application's API layer and provides a " +"standardized way to process requests and responses for AttributeGroup data." msgstr "" "Representa um conjunto de visualizações para gerenciar objetos " "AttributeGroup. Trata das operações relacionadas ao AttributeGroup, " @@ -3292,11 +3304,11 @@ msgid "" "specific fields or retrieving detailed versus simplified information " "depending on the request." msgstr "" -"Trata de operações relacionadas a objetos de atributo no aplicativo. Fornece" -" um conjunto de pontos de extremidade de API para interagir com dados de " +"Trata de operações relacionadas a objetos de atributo no aplicativo. Fornece " +"um conjunto de pontos de extremidade de API para interagir com dados de " "atributos. Essa classe gerencia a consulta, a filtragem e a serialização de " -"objetos Attribute, permitindo o controle dinâmico dos dados retornados, como" -" a filtragem por campos específicos ou a recuperação de informações " +"objetos Attribute, permitindo o controle dinâmico dos dados retornados, como " +"a filtragem por campos específicos ou a recuperação de informações " "detalhadas ou simplificadas, dependendo da solicitação." #: engine/core/viewsets.py:198 @@ -3304,8 +3316,8 @@ msgid "" "A viewset for managing AttributeValue objects. This viewset provides " "functionality for listing, retrieving, creating, updating, and deleting " "AttributeValue objects. It integrates with Django REST Framework's viewset " -"mechanisms and uses appropriate serializers for different actions. Filtering" -" capabilities are provided through the DjangoFilterBackend." +"mechanisms and uses appropriate serializers for different actions. Filtering " +"capabilities are provided through the DjangoFilterBackend." msgstr "" "Um conjunto de exibições para gerenciar objetos AttributeValue. Esse " "conjunto de visualizações fornece funcionalidade para listar, recuperar, " @@ -3325,8 +3337,8 @@ msgstr "" "Gerencia as visualizações das operações relacionadas à categoria. A classe " "CategoryViewSet é responsável pelo tratamento das operações relacionadas ao " "modelo de categoria no sistema. Ela suporta a recuperação, a filtragem e a " -"serialização de dados de categoria. O conjunto de visualizações também impõe" -" permissões para garantir que somente usuários autorizados possam acessar " +"serialização de dados de categoria. O conjunto de visualizações também impõe " +"permissões para garantir que somente usuários autorizados possam acessar " "dados específicos." #: engine/core/viewsets.py:346 @@ -3336,8 +3348,8 @@ msgid "" "uses Django's ViewSet framework to simplify the implementation of API " "endpoints for Brand objects." msgstr "" -"Representa um conjunto de visualizações para gerenciar instâncias de marcas." -" Essa classe fornece funcionalidade para consulta, filtragem e serialização " +"Representa um conjunto de visualizações para gerenciar instâncias de marcas. " +"Essa classe fornece funcionalidade para consulta, filtragem e serialização " "de objetos de marca. Ela usa a estrutura ViewSet do Django para simplificar " "a implementação de pontos de extremidade da API para objetos de marca." @@ -3353,9 +3365,9 @@ msgid "" msgstr "" "Gerencia as operações relacionadas ao modelo `Product` no sistema. Essa " "classe fornece um conjunto de visualizações para gerenciar produtos, " -"incluindo filtragem, serialização e operações em instâncias específicas. Ela" -" se estende do `EvibesViewSet` para usar a funcionalidade comum e se integra" -" à estrutura Django REST para operações de API RESTful. Inclui métodos para " +"incluindo filtragem, serialização e operações em instâncias específicas. Ela " +"se estende do `EvibesViewSet` para usar a funcionalidade comum e se integra " +"à estrutura Django REST para operações de API RESTful. Inclui métodos para " "recuperar detalhes do produto, aplicar permissões e acessar o feedback " "relacionado de um produto." @@ -3371,39 +3383,39 @@ msgstr "" "fornecedor. Esse conjunto de visualizações permite a busca, a filtragem e a " "serialização de dados do fornecedor. Ele define o conjunto de consultas, as " "configurações de filtro e as classes de serializador usadas para lidar com " -"diferentes ações. O objetivo dessa classe é fornecer acesso simplificado aos" -" recursos relacionados ao Vendor por meio da estrutura Django REST." +"diferentes ações. O objetivo dessa classe é fornecer acesso simplificado aos " +"recursos relacionados ao Vendor por meio da estrutura Django REST." #: engine/core/viewsets.py:625 msgid "" "Representation of a view set handling Feedback objects. This class manages " "operations related to Feedback objects, including listing, filtering, and " "retrieving details. The purpose of this view set is to provide different " -"serializers for different actions and implement permission-based handling of" -" accessible Feedback objects. It extends the base `EvibesViewSet` and makes " +"serializers for different actions and implement permission-based handling of " +"accessible Feedback objects. It extends the base `EvibesViewSet` and makes " "use of Django's filtering system for querying data." msgstr "" "Representação de um conjunto de visualizações que manipula objetos de " -"feedback. Essa classe gerencia operações relacionadas a objetos de feedback," -" incluindo listagem, filtragem e recuperação de detalhes. O objetivo desse " +"feedback. Essa classe gerencia operações relacionadas a objetos de feedback, " +"incluindo listagem, filtragem e recuperação de detalhes. O objetivo desse " "conjunto de visualizações é fornecer serializadores diferentes para ações " "diferentes e implementar o manuseio baseado em permissão de objetos de " -"feedback acessíveis. Ela estende a base `EvibesViewSet` e faz uso do sistema" -" de filtragem do Django para consultar dados." +"feedback acessíveis. Ela estende a base `EvibesViewSet` e faz uso do sistema " +"de filtragem do Django para consultar dados." #: engine/core/viewsets.py:652 msgid "" "ViewSet for managing orders and related operations. This class provides " "functionality to retrieve, modify, and manage order objects. It includes " "various endpoints for handling order operations such as adding or removing " -"products, performing purchases for registered as well as unregistered users," -" and retrieving the current authenticated user's pending orders. The ViewSet" -" uses multiple serializers based on the specific action being performed and " +"products, performing purchases for registered as well as unregistered users, " +"and retrieving the current authenticated user's pending orders. The ViewSet " +"uses multiple serializers based on the specific action being performed and " "enforces permissions accordingly while interacting with order data." msgstr "" -"ViewSet para gerenciar pedidos e operações relacionadas. Essa classe oferece" -" funcionalidade para recuperar, modificar e gerenciar objetos de pedido. Ela" -" inclui vários pontos de extremidade para lidar com operações de pedidos, " +"ViewSet para gerenciar pedidos e operações relacionadas. Essa classe oferece " +"funcionalidade para recuperar, modificar e gerenciar objetos de pedido. Ela " +"inclui vários pontos de extremidade para lidar com operações de pedidos, " "como adicionar ou remover produtos, realizar compras para usuários " "registrados e não registrados e recuperar os pedidos pendentes do usuário " "autenticado atual. O ViewSet usa vários serializadores com base na ação " @@ -3414,13 +3426,13 @@ msgstr "" msgid "" "Provides a viewset for managing OrderProduct entities. This viewset enables " "CRUD operations and custom actions specific to the OrderProduct model. It " -"includes filtering, permission checks, and serializer switching based on the" -" requested action. Additionally, it provides a detailed action for handling " +"includes filtering, permission checks, and serializer switching based on the " +"requested action. Additionally, it provides a detailed action for handling " "feedback on OrderProduct instances" msgstr "" "Fornece um conjunto de visualizações para gerenciar entidades OrderProduct. " -"Esse conjunto de visualizações permite operações CRUD e ações personalizadas" -" específicas do modelo OrderProduct. Ele inclui filtragem, verificações de " +"Esse conjunto de visualizações permite operações CRUD e ações personalizadas " +"específicas do modelo OrderProduct. Ele inclui filtragem, verificações de " "permissão e troca de serializador com base na ação solicitada. Além disso, " "fornece uma ação detalhada para lidar com feedback sobre instâncias de " "OrderProduct" @@ -3449,8 +3461,8 @@ msgstr "Trata de operações relacionadas a dados de estoque no sistema." msgid "" "ViewSet for managing Wishlist operations. The WishlistViewSet provides " "endpoints for interacting with a user's wish list, allowing for the " -"retrieval, modification, and customization of products within the wish list." -" This ViewSet facilitates functionality such as adding, removing, and bulk " +"retrieval, modification, and customization of products within the wish list. " +"This ViewSet facilitates functionality such as adding, removing, and bulk " "actions for wishlist products. Permission checks are integrated to ensure " "that users can only manage their own wishlists unless explicit permissions " "are granted." @@ -3473,8 +3485,8 @@ msgid "" "on the request context." msgstr "" "Essa classe fornece a funcionalidade de conjunto de visualizações para " -"gerenciar objetos `Address`. A classe AddressViewSet permite operações CRUD," -" filtragem e ações personalizadas relacionadas a entidades de endereço. Ela " +"gerenciar objetos `Address`. A classe AddressViewSet permite operações CRUD, " +"filtragem e ações personalizadas relacionadas a entidades de endereço. Ela " "inclui comportamentos especializados para diferentes métodos HTTP, " "substituições de serializadores e tratamento de permissões com base no " "contexto da solicitação." diff --git a/engine/core/locale/ro_RO/LC_MESSAGES/django.mo b/engine/core/locale/ro_RO/LC_MESSAGES/django.mo index 401874f636ef391e7945fd6a97de164266fef874..2ea881b96392cab700b3c9a75d2d20b186c7e6cb 100644 GIT binary patch delta 18 acmdo0igo`h)(zdqn9cMIH}@UexDEhW*$G?# delta 18 acmdo0igo`h)(zdqm`(LeHuoLdxDEhW;|X2> diff --git a/engine/core/locale/ro_RO/LC_MESSAGES/django.po b/engine/core/locale/ro_RO/LC_MESSAGES/django.po index 2d342645..55637f3a 100644 --- a/engine/core/locale/ro_RO/LC_MESSAGES/django.po +++ b/engine/core/locale/ro_RO/LC_MESSAGES/django.po @@ -1,9 +1,9 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-12-21 00:38+0300\n" +"POT-Creation-Date: 2026-01-04 19:25+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" @@ -29,11 +29,10 @@ msgstr "Este activ" #: engine/core/abstract.py:22 msgid "" -"if set to false, this object can't be seen by users without needed " -"permission" +"if set to false, this object can't be seen by users without needed permission" msgstr "" -"Dacă este setat la false, acest obiect nu poate fi văzut de utilizatori fără" -" permisiunea necesară" +"Dacă este setat la false, acest obiect nu poate fi văzut de utilizatori fără " +"permisiunea necesară" #: engine/core/abstract.py:26 engine/core/choices.py:18 msgid "created" @@ -93,8 +92,8 @@ msgstr "Dezactivați %(verbose_name_plural)s selectat" msgid "selected items have been deactivated." msgstr "Articolele selectate au fost dezactivate!" -#: engine/core/admin.py:196 engine/core/graphene/object_types.py:652 -#: engine/core/graphene/object_types.py:659 engine/core/models.py:825 +#: engine/core/admin.py:196 engine/core/graphene/object_types.py:653 +#: engine/core/graphene/object_types.py:660 engine/core/models.py:825 #: engine/core/models.py:833 msgid "attribute value" msgstr "Atribut Valoare" @@ -108,7 +107,7 @@ msgstr "Valori ale atributului" msgid "image" msgstr "Imagine" -#: engine/core/admin.py:209 engine/core/graphene/object_types.py:529 +#: engine/core/admin.py:209 engine/core/graphene/object_types.py:530 msgid "images" msgstr "Imagini" @@ -116,7 +115,7 @@ msgstr "Imagini" msgid "stock" msgstr "Stoc" -#: engine/core/admin.py:221 engine/core/graphene/object_types.py:712 +#: engine/core/admin.py:221 engine/core/graphene/object_types.py:713 msgid "stocks" msgstr "Stocuri" @@ -124,7 +123,7 @@ msgstr "Stocuri" msgid "order product" msgstr "Comanda Produs" -#: engine/core/admin.py:233 engine/core/graphene/object_types.py:440 +#: engine/core/admin.py:233 engine/core/graphene/object_types.py:441 #: engine/core/models.py:1932 msgid "order products" msgstr "Comandați produse" @@ -157,8 +156,7 @@ msgstr "Livrat" msgid "canceled" msgstr "Anulată" -#: engine/core/choices.py:8 engine/core/choices.py:16 -#: engine/core/choices.py:24 +#: engine/core/choices.py:8 engine/core/choices.py:16 engine/core/choices.py:24 msgid "failed" msgstr "Eșuat" @@ -196,8 +194,8 @@ msgid "" "negotiation. Language can be selected with Accept-Language and query " "parameter both." msgstr "" -"Schema OpenApi3 pentru acest API. Formatul poate fi selectat prin negocierea" -" conținutului. Limba poate fi selectată atât cu Accept-Language, cât și cu " +"Schema OpenApi3 pentru acest API. Formatul poate fi selectat prin negocierea " +"conținutului. Limba poate fi selectată atât cu Accept-Language, cât și cu " "parametrul de interogare." #: engine/core/docs/drf/views.py:46 engine/core/graphene/mutations.py:36 @@ -210,7 +208,8 @@ msgid "" "apply key, data and timeout with authentication to write data to cache." msgstr "" "Aplicați doar o cheie pentru a citi datele permise din cache.\n" -"Aplicați o cheie, date și timeout cu autentificare pentru a scrie date în cache." +"Aplicați o cheie, date și timeout cu autentificare pentru a scrie date în " +"cache." #: engine/core/docs/drf/views.py:66 msgid "get a list of supported languages" @@ -235,8 +234,8 @@ msgstr "Căutare între produse, categorii și mărci" #: engine/core/docs/drf/views.py:144 msgid "global search endpoint to query across project's tables" msgstr "" -"Punct final de căutare globală pentru a efectua interogări în toate tabelele" -" proiectului" +"Punct final de căutare globală pentru a efectua interogări în toate tabelele " +"proiectului" #: engine/core/docs/drf/views.py:153 msgid "purchase an order as a business" @@ -247,8 +246,8 @@ msgid "" "purchase an order as a business, using the provided `products` with " "`product_uuid` and `attributes`." msgstr "" -"Achiziționați o comandă ca o afacere, utilizând `products` cu `product_uuid`" -" și `attributes` furnizate." +"Achiziționați o comandă ca o afacere, utilizând `products` cu `product_uuid` " +"și `attributes` furnizate." #: engine/core/docs/drf/views.py:180 msgid "download a digital asset from purchased digital order" @@ -273,12 +272,10 @@ msgstr "Ștergerea unui grup de atribute" #: engine/core/docs/drf/viewsets.py:99 msgid "rewrite an existing attribute group saving non-editables" msgstr "" -"Rescrierea unui grup de atribute existent cu salvarea elementelor " -"needitabile" +"Rescrierea unui grup de atribute existent cu salvarea elementelor needitabile" #: engine/core/docs/drf/viewsets.py:107 -msgid "" -"rewrite some fields of an existing attribute group saving non-editables" +msgid "rewrite some fields of an existing attribute group saving non-editables" msgstr "" "Rescrierea unor câmpuri ale unui grup de atribute existent, cu salvarea " "elementelor needitabile" @@ -331,8 +328,7 @@ msgstr "" "Rescrierea unei valori de atribut existente care salvează non-editabile" #: engine/core/docs/drf/viewsets.py:208 -msgid "" -"rewrite some fields of an existing attribute value saving non-editables" +msgid "rewrite some fields of an existing attribute value saving non-editables" msgstr "" "Rescrierea unor câmpuri ale unei valori de atribut existente salvând " "elementele needitabile" @@ -370,8 +366,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:280 engine/core/docs/drf/viewsets.py:757 #: engine/core/docs/drf/viewsets.py:1046 #: engine/core/graphene/object_types.py:119 -#: engine/core/graphene/object_types.py:238 -#: engine/core/graphene/object_types.py:539 +#: engine/core/graphene/object_types.py:239 +#: engine/core/graphene/object_types.py:540 msgid "SEO Meta snapshot" msgstr "SEO Meta snapshot" @@ -391,8 +387,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:309 msgid "" -"Case-insensitive substring search across human_readable_id, " -"order_products.product.name, and order_products.product.partnumber" +"Case-insensitive substring search across human_readable_id, order_products." +"product.name, and order_products.product.partnumber" msgstr "" "Căutare de substring insensibilă la majuscule în human_readable_id, " "order_products.product.name și order_products.product.partnumber" @@ -431,9 +427,9 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:354 msgid "" -"Order by one of: uuid, human_readable_id, user_email, user, status, created," -" modified, buy_time, random. Prefix with '-' for descending (e.g. " -"'-buy_time')." +"Order by one of: uuid, human_readable_id, user_email, user, status, created, " +"modified, buy_time, random. Prefix with '-' for descending (e.g. '-" +"buy_time')." msgstr "" "Ordonați după unul dintre: uuid, human_readable_id, user_email, user, " "status, created, modified, buy_time, random. Prefixați cu \"-\" pentru " @@ -638,18 +634,29 @@ msgstr "" msgid "" "Filter by one or more attribute name/value pairs. \n" "• **Syntax**: `attr_name=method-value[;attr2=method2-value2]…` \n" -"• **Methods** (defaults to `icontains` if omitted): `iexact`, `exact`, `icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, `iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in` \n" -"• **Value typing**: JSON is attempted first (so you can pass lists/dicts), `true`/`false` for booleans, integers, floats; otherwise treated as string. \n" +"• **Methods** (defaults to `icontains` if omitted): `iexact`, `exact`, " +"`icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, " +"`iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in` \n" +"• **Value typing**: JSON is attempted first (so you can pass lists/dicts), " +"`true`/`false` for booleans, integers, floats; otherwise treated as " +"string. \n" "• **Base64**: prefix with `b64-` to URL-safe base64-encode the raw value. \n" "Examples: \n" -"`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\",\"bluetooth\"]`, \n" +"`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\"," +"\"bluetooth\"]`, \n" "`b64-description=icontains-aGVhdC1jb2xk`" msgstr "" "Filtrați după una sau mai multe perechi nume de atribut/valoare. \n" "- **Sintaxa**: `attr_name=method-value[;attr2=method2-value2]...`\n" -"- **Metode** (valoarea implicită este `icontains` dacă este omisă): `iexact`, `exact`, `icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, `iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in`\n" -"- **Value typing**: JSON este încercat în primul rând (astfel încât să puteți trece liste/dicte), `true`/`false` pentru booleeni, întregi, float; în caz contrar tratat ca string. \n" -"- **Base64**: prefix cu `b64-` pentru a codifica valoarea brută în baza64 în condiții de siguranță URL. \n" +"- **Metode** (valoarea implicită este `icontains` dacă este omisă): " +"`iexact`, `exact`, `icontains`, `contains`, `isnull`, `startswith`, " +"`istartswith`, `endswith`, `iendswith`, `regex`, `iregex`, `lt`, `lte`, " +"`gt`, `gte`, `in`\n" +"- **Value typing**: JSON este încercat în primul rând (astfel încât să " +"puteți trece liste/dicte), `true`/`false` pentru booleeni, întregi, float; " +"în caz contrar tratat ca string. \n" +"- **Base64**: prefix cu `b64-` pentru a codifica valoarea brută în baza64 în " +"condiții de siguranță URL. \n" "Exemple: \n" "`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\",\"bluetooth\"]`,\n" "`b64-description=icontains-aGVhdC1jb2xk`" @@ -664,10 +671,12 @@ msgstr "(exact) UUID al produsului" #: engine/core/docs/drf/viewsets.py:630 msgid "" -"Comma-separated list of fields to sort by. Prefix with `-` for descending. \n" +"Comma-separated list of fields to sort by. Prefix with `-` for " +"descending. \n" "**Allowed:** uuid, rating, name, slug, created, modified, price, random" msgstr "" -"Lista de câmpuri separate prin virgulă după care se face sortarea. Prefixați cu `-` pentru descrescător. \n" +"Lista de câmpuri separate prin virgulă după care se face sortarea. Prefixați " +"cu `-` pentru descrescător. \n" "**Autorizate:** uuid, rating, nume, slug, creat, modificat, preț, aleatoriu" #: engine/core/docs/drf/viewsets.py:647 engine/core/docs/drf/viewsets.py:648 @@ -739,8 +748,8 @@ msgstr "Autocompletare adresă de intrare" #: engine/core/docs/drf/viewsets.py:848 msgid "raw data query string, please append with data from geo-IP endpoint" msgstr "" -"docker compose exec app poetry run python manage.py deepl_translate -l en-gb" -" -l ar-ar -l cs-cz -l da-dk -l de-de -l en-us -l es-es -l fr-fr -l hi-in -l " +"docker compose exec app poetry run python manage.py deepl_translate -l en-gb " +"-l ar-ar -l cs-cz -l da-dk -l de-de -l en-us -l es-es -l fr-fr -l hi-in -l " "it-it -l ja-jp -l kk-kz -l nl-nl -l pl-pl -l pt-br -l ro-ro -l ru-ru -l zh-" "hans -a core -a geo -a plăți -a vibes_auth -a blog" @@ -824,8 +833,7 @@ msgstr "Ștergeți un brand" #: engine/core/docs/drf/viewsets.py:1032 msgid "rewrite an existing brand saving non-editables" -msgstr "" -"Rescrierea unui brand existent care economisește materiale needitabile" +msgstr "Rescrierea unui brand existent care economisește materiale needitabile" #: engine/core/docs/drf/viewsets.py:1039 msgid "rewrite some fields of an existing brand saving non-editables" @@ -877,8 +885,7 @@ msgstr "Ștergeți imaginea unui produs" #: engine/core/docs/drf/viewsets.py:1146 msgid "rewrite an existing product image saving non-editables" -msgstr "" -"Rescrieți o imagine de produs existentă salvând elementele needitabile" +msgstr "Rescrieți o imagine de produs existentă salvând elementele needitabile" #: engine/core/docs/drf/viewsets.py:1154 msgid "rewrite some fields of an existing product image saving non-editables" @@ -930,8 +937,7 @@ msgstr "Ștergeți o promovare" #: engine/core/docs/drf/viewsets.py:1244 msgid "rewrite an existing promotion saving non-editables" -msgstr "" -"Rescrierea unei promoții existente cu salvarea elementelor needitabile" +msgstr "Rescrierea unei promoții existente cu salvarea elementelor needitabile" #: engine/core/docs/drf/viewsets.py:1251 msgid "rewrite some fields of an existing promotion saving non-editables" @@ -1228,8 +1234,8 @@ msgstr "Cumpărați o comandă" #: engine/core/graphene/mutations.py:542 msgid "" -"please send the attributes as the string formatted like " -"attr1=value1,attr2=value2" +"please send the attributes as the string formatted like attr1=value1," +"attr2=value2" msgstr "" "Vă rugăm să trimiteți atributele sub formă de șir format ca attr1=valoare1, " "attr2=valoare2" @@ -1268,8 +1274,8 @@ msgid "elasticsearch - works like a charm" msgstr "ElasticSearch - funcționează ca un farmec" #: engine/core/graphene/object_types.py:84 -#: engine/core/graphene/object_types.py:419 -#: engine/core/graphene/object_types.py:470 engine/core/models.py:796 +#: engine/core/graphene/object_types.py:420 +#: engine/core/graphene/object_types.py:471 engine/core/models.py:796 #: engine/core/models.py:1290 engine/core/models.py:2022 msgid "attributes" msgstr "Atribute" @@ -1283,8 +1289,8 @@ msgid "groups of attributes" msgstr "Grupuri de atribute" #: engine/core/graphene/object_types.py:118 -#: engine/core/graphene/object_types.py:216 -#: engine/core/graphene/object_types.py:254 engine/core/models.py:440 +#: engine/core/graphene/object_types.py:217 +#: engine/core/graphene/object_types.py:255 engine/core/models.py:440 msgid "categories" msgstr "Categorii" @@ -1292,83 +1298,82 @@ msgstr "Categorii" msgid "brands" msgstr "Mărci" -#: engine/core/graphene/object_types.py:218 +#: engine/core/graphene/object_types.py:219 msgid "category image url" msgstr "Categorii" -#: engine/core/graphene/object_types.py:219 -#: engine/core/graphene/object_types.py:364 engine/core/models.py:278 +#: engine/core/graphene/object_types.py:220 +#: engine/core/graphene/object_types.py:365 engine/core/models.py:278 msgid "markup percentage" msgstr "Procentul de majorare" -#: engine/core/graphene/object_types.py:223 +#: engine/core/graphene/object_types.py:224 msgid "which attributes and values can be used for filtering this category." msgstr "" "Atributele și valorile care pot fi utilizate pentru filtrarea acestei " "categorii." -#: engine/core/graphene/object_types.py:229 -msgid "" -"minimum and maximum prices for products in this category, if available." +#: engine/core/graphene/object_types.py:230 +msgid "minimum and maximum prices for products in this category, if available." msgstr "" -"Prețurile minime și maxime pentru produsele din această categorie, dacă sunt" -" disponibile." +"Prețurile minime și maxime pentru produsele din această categorie, dacă sunt " +"disponibile." -#: engine/core/graphene/object_types.py:233 +#: engine/core/graphene/object_types.py:234 msgid "tags for this category" msgstr "Etichete pentru această categorie" -#: engine/core/graphene/object_types.py:236 +#: engine/core/graphene/object_types.py:237 msgid "products in this category" msgstr "Produse din această categorie" -#: engine/core/graphene/object_types.py:371 engine/core/models.py:183 +#: engine/core/graphene/object_types.py:372 engine/core/models.py:183 msgid "vendors" msgstr "Furnizori" -#: engine/core/graphene/object_types.py:375 +#: engine/core/graphene/object_types.py:376 msgid "Latitude (Y coordinate)" msgstr "Latitudine (coordonata Y)" -#: engine/core/graphene/object_types.py:376 +#: engine/core/graphene/object_types.py:377 msgid "Longitude (X coordinate)" msgstr "Longitudine (coordonata X)" -#: engine/core/graphene/object_types.py:405 +#: engine/core/graphene/object_types.py:406 msgid "comment" msgstr "Cum să" -#: engine/core/graphene/object_types.py:407 -#: engine/core/graphene/object_types.py:541 +#: engine/core/graphene/object_types.py:408 +#: engine/core/graphene/object_types.py:542 msgid "rating value from 1 to 10, inclusive, or 0 if not set." msgstr "Valoare nominală de la 1 la 10, inclusiv, sau 0 dacă nu este setată." -#: engine/core/graphene/object_types.py:415 +#: engine/core/graphene/object_types.py:416 msgid "represents feedback from a user." msgstr "Reprezintă feedback de la un utilizator." -#: engine/core/graphene/object_types.py:420 -#: engine/core/graphene/object_types.py:471 engine/core/models.py:1284 +#: engine/core/graphene/object_types.py:421 +#: engine/core/graphene/object_types.py:472 engine/core/models.py:1284 msgid "notifications" msgstr "Notificări" -#: engine/core/graphene/object_types.py:422 +#: engine/core/graphene/object_types.py:423 msgid "download url for this order product if applicable" msgstr "URL de descărcare pentru acest produs de comandă, dacă este cazul" -#: engine/core/graphene/object_types.py:424 engine/core/models.py:1849 +#: engine/core/graphene/object_types.py:425 engine/core/models.py:1849 msgid "feedback" msgstr "Feedback" -#: engine/core/graphene/object_types.py:458 +#: engine/core/graphene/object_types.py:459 msgid "a list of order products in this order" msgstr "O listă a produselor comandate în această comandă" -#: engine/core/graphene/object_types.py:460 engine/core/models.py:1254 +#: engine/core/graphene/object_types.py:461 engine/core/models.py:1254 msgid "billing address" msgstr "Adresa de facturare" -#: engine/core/graphene/object_types.py:464 +#: engine/core/graphene/object_types.py:465 msgid "" "shipping address for this order, leave blank if same as billing address or " "if not applicable" @@ -1376,53 +1381,53 @@ msgstr "" "Adresa de expediere pentru această comandă, lăsați în alb dacă este aceeași " "cu adresa de facturare sau dacă nu se aplică" -#: engine/core/graphene/object_types.py:467 +#: engine/core/graphene/object_types.py:468 msgid "total price of this order" msgstr "Prețul total al acestei comenzi" -#: engine/core/graphene/object_types.py:468 +#: engine/core/graphene/object_types.py:469 msgid "total quantity of products in order" msgstr "Cantitatea totală de produse din comandă" -#: engine/core/graphene/object_types.py:469 +#: engine/core/graphene/object_types.py:470 msgid "are all products in the order digital" msgstr "Sunt toate produsele din comanda digitală" -#: engine/core/graphene/object_types.py:473 +#: engine/core/graphene/object_types.py:474 msgid "transactions for this order" msgstr "Tranzacții pentru această comandă" -#: engine/core/graphene/object_types.py:493 engine/core/models.py:1318 +#: engine/core/graphene/object_types.py:494 engine/core/models.py:1318 msgid "orders" msgstr "Ordine" -#: engine/core/graphene/object_types.py:514 +#: engine/core/graphene/object_types.py:515 msgid "image url" msgstr "URL imagine" -#: engine/core/graphene/object_types.py:521 +#: engine/core/graphene/object_types.py:522 msgid "product's images" msgstr "Imagini ale produsului" -#: engine/core/graphene/object_types.py:528 engine/core/models.py:439 +#: engine/core/graphene/object_types.py:529 engine/core/models.py:439 #: engine/core/models.py:596 msgid "category" msgstr "Categorie" -#: engine/core/graphene/object_types.py:530 engine/core/models.py:1850 +#: engine/core/graphene/object_types.py:531 engine/core/models.py:1850 msgid "feedbacks" msgstr "Feedback-uri" -#: engine/core/graphene/object_types.py:531 engine/core/models.py:510 +#: engine/core/graphene/object_types.py:532 engine/core/models.py:510 #: engine/core/models.py:605 msgid "brand" msgstr "Marca" -#: engine/core/graphene/object_types.py:533 engine/core/models.py:103 +#: engine/core/graphene/object_types.py:534 engine/core/models.py:103 msgid "attribute groups" msgstr "Grupuri de atribute" -#: engine/core/graphene/object_types.py:535 +#: engine/core/graphene/object_types.py:536 #: engine/core/templates/digital_order_created_email.html:111 #: engine/core/templates/digital_order_delivered_email.html:109 #: engine/core/templates/shipped_order_created_email.html:109 @@ -1430,7 +1435,7 @@ msgstr "Grupuri de atribute" msgid "price" msgstr "Preț" -#: engine/core/graphene/object_types.py:536 +#: engine/core/graphene/object_types.py:537 #: engine/core/templates/digital_order_created_email.html:110 #: engine/core/templates/digital_order_delivered_email.html:108 #: engine/core/templates/shipped_order_created_email.html:108 @@ -1438,39 +1443,39 @@ msgstr "Preț" msgid "quantity" msgstr "Cantitate" -#: engine/core/graphene/object_types.py:537 +#: engine/core/graphene/object_types.py:538 msgid "number of feedbacks" msgstr "Numărul de reacții" -#: engine/core/graphene/object_types.py:538 +#: engine/core/graphene/object_types.py:539 msgid "only available for personal orders" msgstr "Produse disponibile numai pentru comenzi personale" -#: engine/core/graphene/object_types.py:543 +#: engine/core/graphene/object_types.py:544 msgid "discount price" msgstr "Preț redus" -#: engine/core/graphene/object_types.py:567 engine/core/models.py:677 +#: engine/core/graphene/object_types.py:568 engine/core/models.py:677 msgid "products" msgstr "Produse" -#: engine/core/graphene/object_types.py:677 +#: engine/core/graphene/object_types.py:678 msgid "promocodes" msgstr "Coduri promoționale" -#: engine/core/graphene/object_types.py:692 +#: engine/core/graphene/object_types.py:693 msgid "products on sale" msgstr "Produse scoase la vânzare" -#: engine/core/graphene/object_types.py:700 engine/core/models.py:928 +#: engine/core/graphene/object_types.py:701 engine/core/models.py:928 msgid "promotions" msgstr "Promoții" -#: engine/core/graphene/object_types.py:704 engine/core/models.py:182 +#: engine/core/graphene/object_types.py:705 engine/core/models.py:182 msgid "vendor" msgstr "Furnizor" -#: engine/core/graphene/object_types.py:705 engine/core/models.py:676 +#: engine/core/graphene/object_types.py:706 engine/core/models.py:676 #: engine/core/templates/digital_order_created_email.html:109 #: engine/core/templates/digital_order_delivered_email.html:107 #: engine/core/templates/shipped_order_created_email.html:107 @@ -1478,100 +1483,100 @@ msgstr "Furnizor" msgid "product" msgstr "Produs" -#: engine/core/graphene/object_types.py:717 engine/core/models.py:951 +#: engine/core/graphene/object_types.py:718 engine/core/models.py:951 msgid "wishlisted products" msgstr "Produse dorite" -#: engine/core/graphene/object_types.py:724 engine/core/models.py:968 +#: engine/core/graphene/object_types.py:725 engine/core/models.py:968 msgid "wishlists" msgstr "Liste de dorințe" -#: engine/core/graphene/object_types.py:729 +#: engine/core/graphene/object_types.py:730 msgid "tagged products" msgstr "Produse etichetate" -#: engine/core/graphene/object_types.py:737 engine/core/models.py:219 +#: engine/core/graphene/object_types.py:738 engine/core/models.py:219 #: engine/core/models.py:611 msgid "product tags" msgstr "Etichete de produs" -#: engine/core/graphene/object_types.py:742 +#: engine/core/graphene/object_types.py:743 msgid "tagged categories" msgstr "Categorii etichetate" -#: engine/core/graphene/object_types.py:750 +#: engine/core/graphene/object_types.py:751 msgid "categories tags" msgstr "Etichete \"Categorii" -#: engine/core/graphene/object_types.py:754 +#: engine/core/graphene/object_types.py:755 msgid "project name" msgstr "Numele proiectului" -#: engine/core/graphene/object_types.py:755 +#: engine/core/graphene/object_types.py:756 msgid "company name" msgstr "Numele companiei" -#: engine/core/graphene/object_types.py:756 +#: engine/core/graphene/object_types.py:757 msgid "company address" msgstr "Adresa companiei" -#: engine/core/graphene/object_types.py:757 +#: engine/core/graphene/object_types.py:758 msgid "company phone number" msgstr "Numărul de telefon al companiei" -#: engine/core/graphene/object_types.py:760 +#: engine/core/graphene/object_types.py:761 msgid "email from, sometimes it must be used instead of host user value" msgstr "" "\"e-mail de la\", uneori trebuie să fie utilizat în locul valorii " "utilizatorului gazdă" -#: engine/core/graphene/object_types.py:763 +#: engine/core/graphene/object_types.py:764 msgid "email host user" msgstr "Utilizator gazdă e-mail" -#: engine/core/graphene/object_types.py:764 +#: engine/core/graphene/object_types.py:765 msgid "maximum amount for payment" msgstr "Suma maximă pentru plată" -#: engine/core/graphene/object_types.py:765 +#: engine/core/graphene/object_types.py:766 msgid "minimum amount for payment" msgstr "Suma minimă pentru plată" -#: engine/core/graphene/object_types.py:766 +#: engine/core/graphene/object_types.py:767 msgid "analytics data" msgstr "Date analitice" -#: engine/core/graphene/object_types.py:767 +#: engine/core/graphene/object_types.py:768 msgid "advertisement data" msgstr "Date publicitare" -#: engine/core/graphene/object_types.py:770 +#: engine/core/graphene/object_types.py:771 msgid "company configuration" msgstr "Configurație" -#: engine/core/graphene/object_types.py:774 +#: engine/core/graphene/object_types.py:775 msgid "language code" msgstr "Codul limbii" -#: engine/core/graphene/object_types.py:775 +#: engine/core/graphene/object_types.py:776 msgid "language name" msgstr "Numele limbii" -#: engine/core/graphene/object_types.py:776 +#: engine/core/graphene/object_types.py:777 msgid "language flag, if exists :)" msgstr "Indicatorul de limbă, dacă există :)" -#: engine/core/graphene/object_types.py:779 +#: engine/core/graphene/object_types.py:780 msgid "supported languages" msgstr "Obțineți o listă a limbilor acceptate" -#: engine/core/graphene/object_types.py:811 -#: engine/core/graphene/object_types.py:814 -#: engine/core/graphene/object_types.py:817 +#: engine/core/graphene/object_types.py:812 +#: engine/core/graphene/object_types.py:815 +#: engine/core/graphene/object_types.py:818 msgid "products search results" msgstr "Rezultate căutare produse" -#: engine/core/graphene/object_types.py:819 +#: engine/core/graphene/object_types.py:820 msgid "posts search results" msgstr "Rezultate căutare produse" @@ -1584,8 +1589,8 @@ msgid "" msgstr "" "Reprezintă un grup de atribute, care poate fi ierarhic. Această clasă este " "utilizată pentru gestionarea și organizarea grupurilor de atribute. Un grup " -"de atribute poate avea un grup părinte, formând o structură ierarhică. Acest" -" lucru poate fi util pentru clasificarea și gestionarea mai eficientă a " +"de atribute poate avea un grup părinte, formând o structură ierarhică. Acest " +"lucru poate fi util pentru clasificarea și gestionarea mai eficientă a " "atributelor în cadrul unui sistem complex." #: engine/core/models.py:88 @@ -1709,8 +1714,8 @@ msgid "" msgstr "" "Reprezintă o etichetă de categorie utilizată pentru produse. Această clasă " "modelează o etichetă de categorie care poate fi utilizată pentru asocierea " -"și clasificarea produselor. Aceasta include atribute pentru un identificator" -" intern al etichetei și un nume de afișare ușor de utilizat." +"și clasificarea produselor. Aceasta include atribute pentru un identificator " +"intern al etichetei și un nume de afișare ușor de utilizat." #: engine/core/models.py:249 msgid "category tag" @@ -1738,9 +1743,9 @@ msgstr "" "include câmpuri pentru metadate și reprezentare vizuală, care servesc drept " "bază pentru caracteristicile legate de categorie. Această clasă este " "utilizată de obicei pentru a defini și gestiona categoriile de produse sau " -"alte grupări similare în cadrul unei aplicații, permițând utilizatorilor sau" -" administratorilor să specifice numele, descrierea și ierarhia categoriilor," -" precum și să atribuie atribute precum imagini, etichete sau prioritate." +"alte grupări similare în cadrul unei aplicații, permițând utilizatorilor sau " +"administratorilor să specifice numele, descrierea și ierarhia categoriilor, " +"precum și să atribuie atribute precum imagini, etichete sau prioritate." #: engine/core/models.py:269 msgid "upload an image representing this category" @@ -1752,8 +1757,7 @@ msgstr "Categorie imagine" #: engine/core/models.py:277 msgid "define a markup percentage for products in this category" -msgstr "" -"Definiți un procent de majorare pentru produsele din această categorie" +msgstr "Definiți un procent de majorare pentru produsele din această categorie" #: engine/core/models.py:286 msgid "parent of this category to form a hierarchical structure" @@ -1792,11 +1796,10 @@ msgid "" "Represents a Brand object in the system. This class handles information and " "attributes related to a brand, including its name, logos, description, " "associated categories, a unique slug, and priority order. It allows for the " -"organization and representation of brand-related data within the " -"application." +"organization and representation of brand-related data within the application." msgstr "" -"Reprezintă un obiect Brand în sistem. Această clasă gestionează informațiile" -" și atributele legate de o marcă, inclusiv numele acesteia, logo-urile, " +"Reprezintă un obiect Brand în sistem. Această clasă gestionează informațiile " +"și atributele legate de o marcă, inclusiv numele acesteia, logo-urile, " "descrierea, categoriile asociate, un slug unic și ordinea de prioritate. " "Aceasta permite organizarea și reprezentarea datelor legate de marcă în " "cadrul aplicației." @@ -1843,8 +1846,8 @@ msgstr "Categorii" #: engine/core/models.py:516 msgid "" -"Represents the stock of a product managed in the system. This class provides" -" details about the relationship between vendors, products, and their stock " +"Represents the stock of a product managed in the system. This class provides " +"details about the relationship between vendors, products, and their stock " "information, as well as inventory-related properties like price, purchase " "price, quantity, SKU, and digital assets. It is part of the inventory " "management system to allow tracking and evaluation of products available " @@ -1933,14 +1936,14 @@ msgid "" "properties to improve performance. It is used to define and manipulate " "product data and its associated information within an application." msgstr "" -"Reprezintă un produs cu atribute precum categoria, marca, etichetele, starea" -" digitală, numele, descrierea, numărul piesei și slug-ul. Oferă proprietăți " +"Reprezintă un produs cu atribute precum categoria, marca, etichetele, starea " +"digitală, numele, descrierea, numărul piesei și slug-ul. Oferă proprietăți " "utilitare conexe pentru a prelua evaluări, numărul de comentarii, prețul, " "cantitatea și comenzile totale. Concepută pentru a fi utilizată într-un " "sistem care gestionează comerțul electronic sau inventarul. Această clasă " "interacționează cu modele conexe (cum ar fi Category, Brand și ProductTag) " -"și gestionează memoria cache pentru proprietățile accesate frecvent pentru a" -" îmbunătăți performanța. Este utilizată pentru a defini și manipula datele " +"și gestionează memoria cache pentru proprietățile accesate frecvent pentru a " +"îmbunătăți performanța. Este utilizată pentru a defini și manipula datele " "despre produse și informațiile asociate acestora în cadrul unei aplicații." #: engine/core/models.py:595 @@ -2005,16 +2008,16 @@ msgid "" "Represents an attribute in the system. This class is used to define and " "manage attributes, which are customizable pieces of data that can be " "associated with other entities. Attributes have associated categories, " -"groups, value types, and names. The model supports multiple types of values," -" including string, integer, float, boolean, array, and object. This allows " +"groups, value types, and names. The model supports multiple types of values, " +"including string, integer, float, boolean, array, and object. This allows " "for dynamic and flexible data structuring." msgstr "" "Reprezintă un atribut în sistem. Această clasă este utilizată pentru " "definirea și gestionarea atributelor, care sunt elemente de date " "personalizabile care pot fi asociate cu alte entități. Atributele au " "asociate categorii, grupuri, tipuri de valori și nume. Modelul acceptă mai " -"multe tipuri de valori, inclusiv șir, număr întreg, float, boolean, array și" -" obiect. Acest lucru permite structurarea dinamică și flexibilă a datelor." +"multe tipuri de valori, inclusiv șir, număr întreg, float, boolean, array și " +"obiect. Acest lucru permite structurarea dinamică și flexibilă a datelor." #: engine/core/models.py:755 msgid "group of this attribute" @@ -2077,9 +2080,9 @@ msgstr "Atribut" #: engine/core/models.py:801 msgid "" -"Represents a specific value for an attribute that is linked to a product. It" -" links the 'attribute' to a unique 'value', allowing better organization and" -" dynamic representation of product characteristics." +"Represents a specific value for an attribute that is linked to a product. It " +"links the 'attribute' to a unique 'value', allowing better organization and " +"dynamic representation of product characteristics." msgstr "" "Reprezintă o valoare specifică pentru un atribut care este legat de un " "produs. Leagă \"atributul\" de o \"valoare\" unică, permițând o mai bună " @@ -2100,8 +2103,8 @@ msgstr "Valoarea specifică pentru acest atribut" #: engine/core/models.py:839 msgid "" "Represents a product image associated with a product in the system. This " -"class is designed to manage images for products, including functionality for" -" uploading image files, associating them with specific products, and " +"class is designed to manage images for products, including functionality for " +"uploading image files, associating them with specific products, and " "determining their display order. It also includes an accessibility feature " "with alternative text for the images." msgstr "" @@ -2150,8 +2153,8 @@ msgid "" "is used to define and manage promotional campaigns that offer a percentage-" "based discount for products. The class includes attributes for setting the " "discount rate, providing details about the promotion, and linking it to the " -"applicable products. It integrates with the product catalog to determine the" -" affected items in the campaign." +"applicable products. It integrates with the product catalog to determine the " +"affected items in the campaign." msgstr "" "Reprezintă o campanie promoțională pentru produse cu o reducere. Această " "clasă este utilizată pentru a defini și gestiona campanii promoționale care " @@ -2199,9 +2202,9 @@ msgid "" "operations such as adding and removing products, as well as supporting " "operations for adding and removing multiple products at once." msgstr "" -"Reprezintă lista de dorințe a unui utilizator pentru stocarea și gestionarea" -" produselor dorite. Clasa oferă funcționalitatea de a gestiona o colecție de" -" produse, suportând operațiuni precum adăugarea și eliminarea de produse, " +"Reprezintă lista de dorințe a unui utilizator pentru stocarea și gestionarea " +"produselor dorite. Clasa oferă funcționalitatea de a gestiona o colecție de " +"produse, suportând operațiuni precum adăugarea și eliminarea de produse, " "precum și operațiuni pentru adăugarea și eliminarea mai multor produse " "simultan." @@ -2227,8 +2230,8 @@ msgid "" "store information about documentaries related to specific products, " "including file uploads and their metadata. It contains methods and " "properties to handle the file type and storage path for the documentary " -"files. It extends functionality from specific mixins and provides additional" -" custom features." +"files. It extends functionality from specific mixins and provides additional " +"custom features." msgstr "" "Reprezintă o înregistrare documentară legată de un produs. Această clasă " "este utilizată pentru a stoca informații despre documentarele legate de " @@ -2252,14 +2255,14 @@ msgstr "Nerezolvat" #: engine/core/models.py:1040 msgid "" -"Represents an address entity that includes location details and associations" -" with a user. Provides functionality for geographic and address data " -"storage, as well as integration with geocoding services. This class is " -"designed to store detailed address information including components like " -"street, city, region, country, and geolocation (longitude and latitude). It " -"supports integration with geocoding APIs, enabling the storage of raw API " -"responses for further processing or inspection. The class also allows " -"associating an address with a user, facilitating personalized data handling." +"Represents an address entity that includes location details and associations " +"with a user. Provides functionality for geographic and address data storage, " +"as well as integration with geocoding services. This class is designed to " +"store detailed address information including components like street, city, " +"region, country, and geolocation (longitude and latitude). It supports " +"integration with geocoding APIs, enabling the storage of raw API responses " +"for further processing or inspection. The class also allows associating an " +"address with a user, facilitating personalized data handling." msgstr "" "Reprezintă o entitate de adresă care include detalii despre locație și " "asocieri cu un utilizator. Oferă funcționalitate pentru stocarea datelor " @@ -2269,8 +2272,7 @@ msgstr "" "geolocalizarea (longitudine și latitudine). Aceasta suportă integrarea cu " "API-urile de geocodare, permițând stocarea răspunsurilor API brute pentru " "procesare sau inspecție ulterioară. De asemenea, clasa permite asocierea " -"unei adrese cu un utilizator, facilitând gestionarea personalizată a " -"datelor." +"unei adrese cu un utilizator, facilitând gestionarea personalizată a datelor." #: engine/core/models.py:1055 msgid "address line for the customer" @@ -2338,8 +2340,8 @@ msgstr "" "PromoCode stochează detalii despre un cod promoțional, inclusiv " "identificatorul său unic, proprietățile de reducere (sumă sau procent), " "perioada de valabilitate, utilizatorul asociat (dacă există) și starea " -"utilizării acestuia. Aceasta include funcționalități de validare și aplicare" -" a codului promoțional la o comandă, asigurându-se în același timp că sunt " +"utilizării acestuia. Aceasta include funcționalități de validare și aplicare " +"a codului promoțional la o comandă, asigurându-se în același timp că sunt " "respectate constrângerile." #: engine/core/models.py:1119 @@ -2429,17 +2431,17 @@ msgstr "Tip de reducere invalid pentru codul promoțional {self.uuid}!" msgid "" "Represents an order placed by a user. This class models an order within the " "application, including its various attributes such as billing and shipping " -"information, status, associated user, notifications, and related operations." -" Orders can have associated products, promotions can be applied, addresses " +"information, status, associated user, notifications, and related operations. " +"Orders can have associated products, promotions can be applied, addresses " "set, and shipping or billing details updated. Equally, functionality " "supports managing the products in the order lifecycle." msgstr "" "Reprezintă o comandă plasată de un utilizator. Această clasă modelează o " "comandă în cadrul aplicației, inclusiv diferitele sale atribute, cum ar fi " -"informațiile privind facturarea și expedierea, starea, utilizatorul asociat," -" notificările și operațiunile conexe. Comenzile pot avea produse asociate, " -"se pot aplica promoții, se pot stabili adrese și se pot actualiza detaliile " -"de expediere sau de facturare. În egală măsură, funcționalitatea sprijină " +"informațiile privind facturarea și expedierea, starea, utilizatorul asociat, " +"notificările și operațiunile conexe. Comenzile pot avea produse asociate, se " +"pot aplica promoții, se pot stabili adrese și se pot actualiza detaliile de " +"expediere sau de facturare. În egală măsură, funcționalitatea sprijină " "gestionarea produselor în ciclul de viață al comenzii." #: engine/core/models.py:1253 @@ -2589,8 +2591,7 @@ msgstr "" msgid "" "invalid payment method: {payment_method} from {available_payment_methods}" msgstr "" -"Metodă de plată invalidă: {payment_method} de la " -"{available_payment_methods}!" +"Metodă de plată invalidă: {payment_method} de la {available_payment_methods}!" #: engine/core/models.py:1806 msgid "" @@ -2617,11 +2618,10 @@ msgid "feedback comments" msgstr "Comentarii de feedback" #: engine/core/models.py:1827 -msgid "" -"references the specific product in an order that this feedback is about" +msgid "references the specific product in an order that this feedback is about" msgstr "" -"Face referire la produsul specific dintr-o comandă despre care este vorba în" -" acest feedback" +"Face referire la produsul specific dintr-o comandă despre care este vorba în " +"acest feedback" #: engine/core/models.py:1829 msgid "related order product" @@ -2649,8 +2649,8 @@ msgid "" msgstr "" "Reprezintă produsele asociate comenzilor și atributele acestora. Modelul " "OrderProduct păstrează informații despre un produs care face parte dintr-o " -"comandă, inclusiv detalii precum prețul de achiziție, cantitatea, atributele" -" produsului și starea acestuia. Acesta gestionează notificările pentru " +"comandă, inclusiv detalii precum prețul de achiziție, cantitatea, atributele " +"produsului și starea acestuia. Acesta gestionează notificările pentru " "utilizator și administratori și se ocupă de operațiuni precum returnarea " "soldului produsului sau adăugarea de feedback. Acest model oferă, de " "asemenea, metode și proprietăți care susțin logica de afaceri, cum ar fi " @@ -2766,17 +2766,17 @@ msgid "" "Represents the downloading functionality for digital assets associated with " "orders. The DigitalAssetDownload class provides the ability to manage and " "access downloads related to order products. It maintains information about " -"the associated order product, the number of downloads, and whether the asset" -" is publicly visible. It includes a method to generate a URL for downloading" -" the asset when the associated order is in a completed status." +"the associated order product, the number of downloads, and whether the asset " +"is publicly visible. It includes a method to generate a URL for downloading " +"the asset when the associated order is in a completed status." msgstr "" "Reprezintă funcționalitatea de descărcare pentru activele digitale asociate " "comenzilor. Clasa DigitalAssetDownload oferă posibilitatea de a gestiona și " "de a accesa descărcările legate de produsele de comandă. Aceasta păstrează " -"informații despre produsul de comandă asociat, numărul de descărcări și dacă" -" activul este vizibil public. Aceasta include o metodă de generare a unei " -"adrese URL pentru descărcarea activului atunci când comanda asociată este în" -" stare finalizată." +"informații despre produsul de comandă asociat, numărul de descărcări și dacă " +"activul este vizibil public. Aceasta include o metodă de generare a unei " +"adrese URL pentru descărcarea activului atunci când comanda asociată este în " +"stare finalizată." #: engine/core/models.py:2092 msgid "download" @@ -2790,8 +2790,8 @@ msgstr "Descărcări" msgid "" "you must provide a comment, rating, and order product uuid to add feedback." msgstr "" -"trebuie să furnizați un comentariu, un rating și uuid-ul produsului comandat" -" pentru a adăuga feedback." +"trebuie să furnizați un comentariu, un rating și uuid-ul produsului comandat " +"pentru a adăuga feedback." #: engine/core/sitemaps.py:25 msgid "Home" @@ -2983,7 +2983,8 @@ msgstr "Bună ziua %(order.user.first_name)s," #, python-format msgid "" "thank you for your order #%(order.pk)s! we are pleased to inform you that\n" -" we have taken your order into work. below are the details of your\n" +" we have taken your order into work. below are " +"the details of your\n" " order:" msgstr "" "Vă mulțumim pentru comanda dvs. #%(order.pk)s! Suntem încântați să vă " @@ -3098,11 +3099,12 @@ msgstr "" #: engine/core/templates/shipped_order_created_email.html:101 #: engine/core/templates/shipped_order_delivered_email.html:101 msgid "" -"thank you for your order! we are pleased to confirm your purchase. below are\n" +"thank you for your order! we are pleased to confirm your purchase. below " +"are\n" " the details of your order:" msgstr "" -"Vă mulțumim pentru comanda dvs.! Suntem încântați să vă confirmăm achiziția." -" Mai jos sunt detaliile comenzii dvs:" +"Vă mulțumim pentru comanda dvs.! Suntem încântați să vă confirmăm achiziția. " +"Mai jos sunt detaliile comenzii dvs:" #: engine/core/templates/shipped_order_created_email.html:123 #: engine/core/templates/shipped_order_delivered_email.html:123 @@ -3187,8 +3189,8 @@ msgid "" "Content-Type header for XML." msgstr "" "Gestionează răspunsul de vizualizare detaliată pentru o hartă a site-ului. " -"Această funcție procesează cererea, extrage răspunsul detaliat corespunzător" -" al hărții site-ului și stabilește antetul Content-Type pentru XML." +"Această funcție procesează cererea, extrage răspunsul detaliat corespunzător " +"al hărții site-ului și stabilește antetul Content-Type pentru XML." #: engine/core/views.py:155 msgid "" @@ -3205,8 +3207,8 @@ msgid "" "Handles cache operations such as reading and setting cache data with a " "specified key and timeout." msgstr "" -"Gestionează operațiunile din cache, cum ar fi citirea și setarea datelor din" -" cache cu o cheie și un timeout specificate." +"Gestionează operațiunile din cache, cum ar fi citirea și setarea datelor din " +"cache cu o cheie și un timeout specificate." #: engine/core/views.py:220 msgid "Handles `contact us` form submissions." @@ -3217,8 +3219,8 @@ msgid "" "Handles requests for processing and validating URLs from incoming POST " "requests." msgstr "" -"Gestionează cererile de procesare și validare a URL-urilor din cererile POST" -" primite." +"Gestionează cererile de procesare și validare a URL-urilor din cererile POST " +"primite." #: engine/core/views.py:273 msgid "Handles global search queries." @@ -3231,10 +3233,15 @@ msgstr "Gestionează logica cumpărării ca o afacere fără înregistrare." #: engine/core/views.py:337 msgid "" "Handles the downloading of a digital asset associated with an order.\n" -"This function attempts to serve the digital asset file located in the storage directory of the project. If the file is not found, an HTTP 404 error is raised to indicate the resource is unavailable." +"This function attempts to serve the digital asset file located in the " +"storage directory of the project. If the file is not found, an HTTP 404 " +"error is raised to indicate the resource is unavailable." msgstr "" "Gestionează descărcarea unui bun digital asociat cu o comandă.\n" -"Această funcție încearcă să servească fișierul activului digital situat în directorul de stocare al proiectului. Dacă fișierul nu este găsit, este generată o eroare HTTP 404 pentru a indica faptul că resursa nu este disponibilă." +"Această funcție încearcă să servească fișierul activului digital situat în " +"directorul de stocare al proiectului. Dacă fișierul nu este găsit, este " +"generată o eroare HTTP 404 pentru a indica faptul că resursa nu este " +"disponibilă." #: engine/core/views.py:348 msgid "order_product_uuid is required" @@ -3263,20 +3270,24 @@ msgstr "favicon nu a fost găsit" #: engine/core/views.py:418 msgid "" "Handles requests for the favicon of a website.\n" -"This function attempts to serve the favicon file located in the static directory of the project. If the favicon file is not found, an HTTP 404 error is raised to indicate the resource is unavailable." +"This function attempts to serve the favicon file located in the static " +"directory of the project. If the favicon file is not found, an HTTP 404 " +"error is raised to indicate the resource is unavailable." msgstr "" "Gestionează cererile pentru favicon-ul unui site web.\n" -"Această funcție încearcă să servească fișierul favicon situat în directorul static al proiectului. Dacă fișierul favicon nu este găsit, este generată o eroare HTTP 404 pentru a indica faptul că resursa nu este disponibilă." +"Această funcție încearcă să servească fișierul favicon situat în directorul " +"static al proiectului. Dacă fișierul favicon nu este găsit, este generată o " +"eroare HTTP 404 pentru a indica faptul că resursa nu este disponibilă." #: engine/core/views.py:432 msgid "" -"Redirects the request to the admin index page. The function handles incoming" -" HTTP requests and redirects them to the Django admin interface index page. " +"Redirects the request to the admin index page. The function handles incoming " +"HTTP requests and redirects them to the Django admin interface index page. " "It uses Django's `redirect` function for handling the HTTP redirection." msgstr "" "Redirecționează solicitarea către pagina de index a administratorului. " -"Funcția gestionează cererile HTTP primite și le redirecționează către pagina" -" index a interfeței de administrare Django. Aceasta utilizează funcția " +"Funcția gestionează cererile HTTP primite și le redirecționează către pagina " +"index a interfeței de administrare Django. Aceasta utilizează funcția " "`redirect` din Django pentru gestionarea redirecționării HTTP." #: engine/core/views.py:445 @@ -3309,11 +3320,10 @@ msgstr "" #: engine/core/viewsets.py:160 msgid "" -"Represents a viewset for managing AttributeGroup objects. Handles operations" -" related to AttributeGroup, including filtering, serialization, and " -"retrieval of data. This class is part of the application's API layer and " -"provides a standardized way to process requests and responses for " -"AttributeGroup data." +"Represents a viewset for managing AttributeGroup objects. Handles operations " +"related to AttributeGroup, including filtering, serialization, and retrieval " +"of data. This class is part of the application's API layer and provides a " +"standardized way to process requests and responses for AttributeGroup data." msgstr "" "Reprezintă un set de vizualizări pentru gestionarea obiectelor " "AttributeGroup. Gestionează operațiunile legate de AttributeGroup, inclusiv " @@ -3330,20 +3340,20 @@ msgid "" "specific fields or retrieving detailed versus simplified information " "depending on the request." msgstr "" -"Gestionează operațiunile legate de obiectele Attribute în cadrul aplicației." -" Oferă un set de puncte finale API pentru a interacționa cu datele " -"Attribute. Această clasă gestionează interogarea, filtrarea și serializarea " -"obiectelor Attribute, permițând controlul dinamic asupra datelor returnate, " -"cum ar fi filtrarea după câmpuri specifice sau recuperarea de informații " -"detaliate sau simplificate în funcție de cerere." +"Gestionează operațiunile legate de obiectele Attribute în cadrul aplicației. " +"Oferă un set de puncte finale API pentru a interacționa cu datele Attribute. " +"Această clasă gestionează interogarea, filtrarea și serializarea obiectelor " +"Attribute, permițând controlul dinamic asupra datelor returnate, cum ar fi " +"filtrarea după câmpuri specifice sau recuperarea de informații detaliate sau " +"simplificate în funcție de cerere." #: engine/core/viewsets.py:198 msgid "" "A viewset for managing AttributeValue objects. This viewset provides " "functionality for listing, retrieving, creating, updating, and deleting " "AttributeValue objects. It integrates with Django REST Framework's viewset " -"mechanisms and uses appropriate serializers for different actions. Filtering" -" capabilities are provided through the DjangoFilterBackend." +"mechanisms and uses appropriate serializers for different actions. Filtering " +"capabilities are provided through the DjangoFilterBackend." msgstr "" "Un set de vizualizări pentru gestionarea obiectelor AttributeValue. Acest " "set de vizualizări oferă funcționalități pentru listarea, extragerea, " @@ -3391,9 +3401,9 @@ msgid "" msgstr "" "Gestionează operațiunile legate de modelul `Product` din sistem. Această " "clasă oferă un set de vizualizări pentru gestionarea produselor, inclusiv " -"filtrarea lor, serializarea și operațiunile asupra instanțelor specifice. Se" -" extinde de la `EvibesViewSet` pentru a utiliza funcționalități comune și se" -" integrează cu cadrul REST Django pentru operațiuni API RESTful. Include " +"filtrarea lor, serializarea și operațiunile asupra instanțelor specifice. Se " +"extinde de la `EvibesViewSet` pentru a utiliza funcționalități comune și se " +"integrează cu cadrul REST Django pentru operațiuni API RESTful. Include " "metode pentru recuperarea detaliilor produsului, aplicarea permisiunilor și " "accesarea feedback-ului aferent unui produs." @@ -3405,8 +3415,8 @@ msgid "" "actions. The purpose of this class is to provide streamlined access to " "Vendor-related resources through the Django REST framework." msgstr "" -"Reprezintă un set de vizualizări pentru gestionarea obiectelor Vendor. Acest" -" set de vizualizare permite preluarea, filtrarea și serializarea datelor " +"Reprezintă un set de vizualizări pentru gestionarea obiectelor Vendor. Acest " +"set de vizualizare permite preluarea, filtrarea și serializarea datelor " "furnizorului. Aceasta definește queryset-ul, configurațiile de filtrare și " "clasele de serializare utilizate pentru a gestiona diferite acțiuni. Scopul " "acestei clase este de a oferi acces simplificat la resursele legate de " @@ -3417,14 +3427,14 @@ msgid "" "Representation of a view set handling Feedback objects. This class manages " "operations related to Feedback objects, including listing, filtering, and " "retrieving details. The purpose of this view set is to provide different " -"serializers for different actions and implement permission-based handling of" -" accessible Feedback objects. It extends the base `EvibesViewSet` and makes " +"serializers for different actions and implement permission-based handling of " +"accessible Feedback objects. It extends the base `EvibesViewSet` and makes " "use of Django's filtering system for querying data." msgstr "" "Reprezentarea unui set de vizualizări care gestionează obiecte Feedback. " "Această clasă gestionează operațiunile legate de obiectele Feedback, " -"inclusiv listarea, filtrarea și extragerea detaliilor. Scopul acestui set de" -" vizualizări este de a furniza serializatoare diferite pentru acțiuni " +"inclusiv listarea, filtrarea și extragerea detaliilor. Scopul acestui set de " +"vizualizări este de a furniza serializatoare diferite pentru acțiuni " "diferite și de a implementa gestionarea pe bază de permisiuni a obiectelor " "Feedback accesibile. Aceasta extinde clasa de bază `EvibesViewSet` și " "utilizează sistemul de filtrare Django pentru interogarea datelor." @@ -3434,9 +3444,9 @@ msgid "" "ViewSet for managing orders and related operations. This class provides " "functionality to retrieve, modify, and manage order objects. It includes " "various endpoints for handling order operations such as adding or removing " -"products, performing purchases for registered as well as unregistered users," -" and retrieving the current authenticated user's pending orders. The ViewSet" -" uses multiple serializers based on the specific action being performed and " +"products, performing purchases for registered as well as unregistered users, " +"and retrieving the current authenticated user's pending orders. The ViewSet " +"uses multiple serializers based on the specific action being performed and " "enforces permissions accordingly while interacting with order data." msgstr "" "ViewSet pentru gestionarea comenzilor și a operațiunilor conexe. Această " @@ -3453,8 +3463,8 @@ msgstr "" msgid "" "Provides a viewset for managing OrderProduct entities. This viewset enables " "CRUD operations and custom actions specific to the OrderProduct model. It " -"includes filtering, permission checks, and serializer switching based on the" -" requested action. Additionally, it provides a detailed action for handling " +"includes filtering, permission checks, and serializer switching based on the " +"requested action. Additionally, it provides a detailed action for handling " "feedback on OrderProduct instances" msgstr "" "Oferă un set de vizualizări pentru gestionarea entităților OrderProduct. " @@ -3466,8 +3476,7 @@ msgstr "" #: engine/core/viewsets.py:974 msgid "Manages operations related to Product images in the application. " -msgstr "" -"Gestionează operațiunile legate de imaginile produselor din aplicație." +msgstr "Gestionează operațiunile legate de imaginile produselor din aplicație." #: engine/core/viewsets.py:988 msgid "" @@ -3490,8 +3499,8 @@ msgstr "" msgid "" "ViewSet for managing Wishlist operations. The WishlistViewSet provides " "endpoints for interacting with a user's wish list, allowing for the " -"retrieval, modification, and customization of products within the wish list." -" This ViewSet facilitates functionality such as adding, removing, and bulk " +"retrieval, modification, and customization of products within the wish list. " +"This ViewSet facilitates functionality such as adding, removing, and bulk " "actions for wishlist products. Permission checks are integrated to ensure " "that users can only manage their own wishlists unless explicit permissions " "are granted." @@ -3514,8 +3523,8 @@ msgid "" "on the request context." msgstr "" "Această clasă oferă funcționalități de tip viewset pentru gestionarea " -"obiectelor `Address`. Clasa AddressViewSet permite operațiuni CRUD, filtrare" -" și acțiuni personalizate legate de entitățile adresă. Aceasta include " +"obiectelor `Address`. Clasa AddressViewSet permite operațiuni CRUD, filtrare " +"și acțiuni personalizate legate de entitățile adresă. Aceasta include " "comportamente specializate pentru diferite metode HTTP, înlocuiri ale " "serializatorului și gestionarea permisiunilor în funcție de contextul " "cererii." diff --git a/engine/core/locale/ru_RU/LC_MESSAGES/django.mo b/engine/core/locale/ru_RU/LC_MESSAGES/django.mo index 9aa27db9df58840670d4fe291ff49f5f3925b984..b8f02c6c9b0d6dfde079e17fb563f6ed55946329 100644 GIT binary patch delta 22 ecmX?djQz+l_6^;~n9cMIoBNJ!?>ol0O$GpcTMBUi delta 22 ecmX?djQz+l_6^;~m`(Len){Az?>ol0O$GpcZ3=S$ diff --git a/engine/core/locale/ru_RU/LC_MESSAGES/django.po b/engine/core/locale/ru_RU/LC_MESSAGES/django.po index 42cb3fea..6ace69d7 100644 --- a/engine/core/locale/ru_RU/LC_MESSAGES/django.po +++ b/engine/core/locale/ru_RU/LC_MESSAGES/django.po @@ -1,9 +1,9 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-12-21 00:38+0300\n" +"POT-Creation-Date: 2026-01-04 19:25+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" @@ -29,8 +29,7 @@ msgstr "Активен" #: engine/core/abstract.py:22 msgid "" -"if set to false, this object can't be seen by users without needed " -"permission" +"if set to false, this object can't be seen by users without needed permission" msgstr "" "Если установлено значение false, этот объект не может быть виден " "пользователям без необходимого разрешения" @@ -93,8 +92,8 @@ msgstr "Деактивировать выбранный %(verbose_name_plural)s" msgid "selected items have been deactivated." msgstr "Выбранные сущности были деактивированы!" -#: engine/core/admin.py:196 engine/core/graphene/object_types.py:652 -#: engine/core/graphene/object_types.py:659 engine/core/models.py:825 +#: engine/core/admin.py:196 engine/core/graphene/object_types.py:653 +#: engine/core/graphene/object_types.py:660 engine/core/models.py:825 #: engine/core/models.py:833 msgid "attribute value" msgstr "Значение атрибута" @@ -108,7 +107,7 @@ msgstr "Значения атрибутов" msgid "image" msgstr "Изображение" -#: engine/core/admin.py:209 engine/core/graphene/object_types.py:529 +#: engine/core/admin.py:209 engine/core/graphene/object_types.py:530 msgid "images" msgstr "Изображения" @@ -116,7 +115,7 @@ msgstr "Изображения" msgid "stock" msgstr "Наличие" -#: engine/core/admin.py:221 engine/core/graphene/object_types.py:712 +#: engine/core/admin.py:221 engine/core/graphene/object_types.py:713 msgid "stocks" msgstr "Наличия" @@ -124,7 +123,7 @@ msgstr "Наличия" msgid "order product" msgstr "Заказанный товар" -#: engine/core/admin.py:233 engine/core/graphene/object_types.py:440 +#: engine/core/admin.py:233 engine/core/graphene/object_types.py:441 #: engine/core/models.py:1932 msgid "order products" msgstr "Заказанные товары" @@ -157,8 +156,7 @@ msgstr "Доставлено" msgid "canceled" msgstr "Отменено" -#: engine/core/choices.py:8 engine/core/choices.py:16 -#: engine/core/choices.py:24 +#: engine/core/choices.py:8 engine/core/choices.py:16 engine/core/choices.py:24 msgid "failed" msgstr "Не удалось" @@ -276,8 +274,7 @@ msgstr "" "элементов" #: engine/core/docs/drf/viewsets.py:107 -msgid "" -"rewrite some fields of an existing attribute group saving non-editables" +msgid "rewrite some fields of an existing attribute group saving non-editables" msgstr "" "Переписывание некоторых полей существующей группы атрибутов с сохранением " "нередактируемых полей" @@ -331,8 +328,7 @@ msgstr "" "значений" #: engine/core/docs/drf/viewsets.py:208 -msgid "" -"rewrite some fields of an existing attribute value saving non-editables" +msgid "rewrite some fields of an existing attribute value saving non-editables" msgstr "" "Переписывание некоторых полей существующего значения атрибута с сохранением " "нередактируемых значений" @@ -371,8 +367,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:280 engine/core/docs/drf/viewsets.py:757 #: engine/core/docs/drf/viewsets.py:1046 #: engine/core/graphene/object_types.py:119 -#: engine/core/graphene/object_types.py:238 -#: engine/core/graphene/object_types.py:539 +#: engine/core/graphene/object_types.py:239 +#: engine/core/graphene/object_types.py:540 msgid "SEO Meta snapshot" msgstr "Мета-данные для SEO" @@ -392,11 +388,11 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:309 msgid "" -"Case-insensitive substring search across human_readable_id, " -"order_products.product.name, and order_products.product.partnumber" +"Case-insensitive substring search across human_readable_id, order_products." +"product.name, and order_products.product.partnumber" msgstr "" -"Поиск подстроки с учетом регистра в human_readable_id, " -"order_products.product.name и order_products.product.partnumber" +"Поиск подстроки с учетом регистра в human_readable_id, order_products." +"product.name и order_products.product.partnumber" #: engine/core/docs/drf/viewsets.py:316 msgid "Filter orders with buy_time >= this ISO 8601 datetime" @@ -432,9 +428,9 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:354 msgid "" -"Order by one of: uuid, human_readable_id, user_email, user, status, created," -" modified, buy_time, random. Prefix with '-' for descending (e.g. " -"'-buy_time')." +"Order by one of: uuid, human_readable_id, user_email, user, status, created, " +"modified, buy_time, random. Prefix with '-' for descending (e.g. '-" +"buy_time')." msgstr "" "Упорядочивайте по одному из следующих признаков: uuid, human_readable_id, " "user_email, user, status, created, modified, buy_time, random. Префикс '-' " @@ -522,8 +518,8 @@ msgid "" "adds a list of products to an order using the provided `product_uuid` and " "`attributes`." msgstr "" -"Добавляет список товаров в заказ, используя предоставленные `product_uuid` и" -" `attributes`." +"Добавляет список товаров в заказ, используя предоставленные `product_uuid` и " +"`attributes`." #: engine/core/docs/drf/viewsets.py:472 msgid "remove product from order" @@ -546,8 +542,8 @@ msgid "" "removes a list of products from an order using the provided `product_uuid` " "and `attributes`" msgstr "" -"Удаляет список товаров из заказа, используя предоставленные `product_uuid` и" -" `attributes`." +"Удаляет список товаров из заказа, используя предоставленные `product_uuid` и " +"`attributes`." #: engine/core/docs/drf/viewsets.py:497 msgid "list all wishlists (simple view)" @@ -637,18 +633,29 @@ msgstr "" msgid "" "Filter by one or more attribute name/value pairs. \n" "• **Syntax**: `attr_name=method-value[;attr2=method2-value2]…` \n" -"• **Methods** (defaults to `icontains` if omitted): `iexact`, `exact`, `icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, `iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in` \n" -"• **Value typing**: JSON is attempted first (so you can pass lists/dicts), `true`/`false` for booleans, integers, floats; otherwise treated as string. \n" +"• **Methods** (defaults to `icontains` if omitted): `iexact`, `exact`, " +"`icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, " +"`iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in` \n" +"• **Value typing**: JSON is attempted first (so you can pass lists/dicts), " +"`true`/`false` for booleans, integers, floats; otherwise treated as " +"string. \n" "• **Base64**: prefix with `b64-` to URL-safe base64-encode the raw value. \n" "Examples: \n" -"`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\",\"bluetooth\"]`, \n" +"`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\"," +"\"bluetooth\"]`, \n" "`b64-description=icontains-aGVhdC1jb2xk`" msgstr "" "Фильтр по одной или нескольким парам имя/значение атрибута. \n" "- **Синтаксис**: `attr_name=method-value[;attr2=method2-value2]...`.\n" -"- **Методы** (по умолчанию используется `icontains`, если опущено): `iexact`, `exact`, `icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, `iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in`.\n" -"- **Типизация значений**: JSON сначала пытается принять значение (так что вы можете передавать списки/дискреты), `true`/`false` для булевых, целых чисел, плавающих; в противном случае обрабатывается как строка. \n" -"- **Base64**: префикс `b64-` для безопасного для URL base64-кодирования исходного значения. \n" +"- **Методы** (по умолчанию используется `icontains`, если опущено): " +"`iexact`, `exact`, `icontains`, `contains`, `isnull`, `startswith`, " +"`istartswith`, `endswith`, `iendswith`, `regex`, `iregex`, `lt`, `lte`, " +"`gt`, `gte`, `in`.\n" +"- **Типизация значений**: JSON сначала пытается принять значение (так что вы " +"можете передавать списки/дискреты), `true`/`false` для булевых, целых чисел, " +"плавающих; в противном случае обрабатывается как строка. \n" +"- **Base64**: префикс `b64-` для безопасного для URL base64-кодирования " +"исходного значения. \n" "Примеры: \n" "`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\", \"bluetooth\"]`,\n" "`b64-description=icontains-aGVhdC1jb2xk`." @@ -663,11 +670,14 @@ msgstr "(точный) UUID продукта" #: engine/core/docs/drf/viewsets.py:630 msgid "" -"Comma-separated list of fields to sort by. Prefix with `-` for descending. \n" +"Comma-separated list of fields to sort by. Prefix with `-` for " +"descending. \n" "**Allowed:** uuid, rating, name, slug, created, modified, price, random" msgstr "" -"Список полей для сортировки, разделенных запятыми. Для сортировки по убыванию используйте префикс `-`. \n" -"**Разрешенные:** uuid, рейтинг, название, slug, created, modified, price, random" +"Список полей для сортировки, разделенных запятыми. Для сортировки по " +"убыванию используйте префикс `-`. \n" +"**Разрешенные:** uuid, рейтинг, название, slug, created, modified, price, " +"random" #: engine/core/docs/drf/viewsets.py:647 engine/core/docs/drf/viewsets.py:648 msgid "retrieve a single product (detailed view)" @@ -1228,8 +1238,8 @@ msgstr "Купить заказ" #: engine/core/graphene/mutations.py:542 msgid "" -"please send the attributes as the string formatted like " -"attr1=value1,attr2=value2" +"please send the attributes as the string formatted like attr1=value1," +"attr2=value2" msgstr "" "Пожалуйста, отправьте атрибуты в виде строки, отформатированной как " "attr1=value1,attr2=value2" @@ -1268,8 +1278,8 @@ msgid "elasticsearch - works like a charm" msgstr "ElasticSearch - работает как шарм" #: engine/core/graphene/object_types.py:84 -#: engine/core/graphene/object_types.py:419 -#: engine/core/graphene/object_types.py:470 engine/core/models.py:796 +#: engine/core/graphene/object_types.py:420 +#: engine/core/graphene/object_types.py:471 engine/core/models.py:796 #: engine/core/models.py:1290 engine/core/models.py:2022 msgid "attributes" msgstr "Атрибуты" @@ -1283,8 +1293,8 @@ msgid "groups of attributes" msgstr "Группы атрибутов" #: engine/core/graphene/object_types.py:118 -#: engine/core/graphene/object_types.py:216 -#: engine/core/graphene/object_types.py:254 engine/core/models.py:440 +#: engine/core/graphene/object_types.py:217 +#: engine/core/graphene/object_types.py:255 engine/core/models.py:440 msgid "categories" msgstr "Категории" @@ -1292,83 +1302,82 @@ msgstr "Категории" msgid "brands" msgstr "Бренды" -#: engine/core/graphene/object_types.py:218 +#: engine/core/graphene/object_types.py:219 msgid "category image url" msgstr "Категории" -#: engine/core/graphene/object_types.py:219 -#: engine/core/graphene/object_types.py:364 engine/core/models.py:278 +#: engine/core/graphene/object_types.py:220 +#: engine/core/graphene/object_types.py:365 engine/core/models.py:278 msgid "markup percentage" msgstr "Процент наценки" -#: engine/core/graphene/object_types.py:223 +#: engine/core/graphene/object_types.py:224 msgid "which attributes and values can be used for filtering this category." msgstr "" "Какие атрибуты и значения можно использовать для фильтрации этой категории." -#: engine/core/graphene/object_types.py:229 -msgid "" -"minimum and maximum prices for products in this category, if available." +#: engine/core/graphene/object_types.py:230 +msgid "minimum and maximum prices for products in this category, if available." msgstr "" "Минимальные и максимальные цены на товары в этой категории, если они " "доступны." -#: engine/core/graphene/object_types.py:233 +#: engine/core/graphene/object_types.py:234 msgid "tags for this category" msgstr "Теги для этой категории" -#: engine/core/graphene/object_types.py:236 +#: engine/core/graphene/object_types.py:237 msgid "products in this category" msgstr "Продукты в этой категории" -#: engine/core/graphene/object_types.py:371 engine/core/models.py:183 +#: engine/core/graphene/object_types.py:372 engine/core/models.py:183 msgid "vendors" msgstr "Поставщики" -#: engine/core/graphene/object_types.py:375 +#: engine/core/graphene/object_types.py:376 msgid "Latitude (Y coordinate)" msgstr "Широта (координата Y)" -#: engine/core/graphene/object_types.py:376 +#: engine/core/graphene/object_types.py:377 msgid "Longitude (X coordinate)" msgstr "Долгота (координата X)" -#: engine/core/graphene/object_types.py:405 +#: engine/core/graphene/object_types.py:406 msgid "comment" msgstr "Как" -#: engine/core/graphene/object_types.py:407 -#: engine/core/graphene/object_types.py:541 +#: engine/core/graphene/object_types.py:408 +#: engine/core/graphene/object_types.py:542 msgid "rating value from 1 to 10, inclusive, or 0 if not set." msgstr "" "Значение рейтинга от 1 до 10, включительно, или 0, если он не установлен." -#: engine/core/graphene/object_types.py:415 +#: engine/core/graphene/object_types.py:416 msgid "represents feedback from a user." msgstr "Представляет собой отзыв пользователя." -#: engine/core/graphene/object_types.py:420 -#: engine/core/graphene/object_types.py:471 engine/core/models.py:1284 +#: engine/core/graphene/object_types.py:421 +#: engine/core/graphene/object_types.py:472 engine/core/models.py:1284 msgid "notifications" msgstr "Уведомления" -#: engine/core/graphene/object_types.py:422 +#: engine/core/graphene/object_types.py:423 msgid "download url for this order product if applicable" msgstr "Если применимо, загрузите url для этого продукта заказа" -#: engine/core/graphene/object_types.py:424 engine/core/models.py:1849 +#: engine/core/graphene/object_types.py:425 engine/core/models.py:1849 msgid "feedback" msgstr "Обратная связь" -#: engine/core/graphene/object_types.py:458 +#: engine/core/graphene/object_types.py:459 msgid "a list of order products in this order" msgstr "Список товаров, заказанных в этом заказе" -#: engine/core/graphene/object_types.py:460 engine/core/models.py:1254 +#: engine/core/graphene/object_types.py:461 engine/core/models.py:1254 msgid "billing address" msgstr "Адрес для выставления счетов" -#: engine/core/graphene/object_types.py:464 +#: engine/core/graphene/object_types.py:465 msgid "" "shipping address for this order, leave blank if same as billing address or " "if not applicable" @@ -1376,53 +1385,53 @@ msgstr "" "Адрес доставки для данного заказа, оставьте пустым, если он совпадает с " "адресом выставления счета или не применяется" -#: engine/core/graphene/object_types.py:467 +#: engine/core/graphene/object_types.py:468 msgid "total price of this order" msgstr "Общая стоимость этого заказа" -#: engine/core/graphene/object_types.py:468 +#: engine/core/graphene/object_types.py:469 msgid "total quantity of products in order" msgstr "Общее количество продуктов в заказе" -#: engine/core/graphene/object_types.py:469 +#: engine/core/graphene/object_types.py:470 msgid "are all products in the order digital" msgstr "Все ли товары в заказе представлены в цифровом виде" -#: engine/core/graphene/object_types.py:473 +#: engine/core/graphene/object_types.py:474 msgid "transactions for this order" msgstr "Операции для этого заказа" -#: engine/core/graphene/object_types.py:493 engine/core/models.py:1318 +#: engine/core/graphene/object_types.py:494 engine/core/models.py:1318 msgid "orders" msgstr "Заказы" -#: engine/core/graphene/object_types.py:514 +#: engine/core/graphene/object_types.py:515 msgid "image url" msgstr "URL-адрес изображения" -#: engine/core/graphene/object_types.py:521 +#: engine/core/graphene/object_types.py:522 msgid "product's images" msgstr "Изображения товара" -#: engine/core/graphene/object_types.py:528 engine/core/models.py:439 +#: engine/core/graphene/object_types.py:529 engine/core/models.py:439 #: engine/core/models.py:596 msgid "category" msgstr "Категория" -#: engine/core/graphene/object_types.py:530 engine/core/models.py:1850 +#: engine/core/graphene/object_types.py:531 engine/core/models.py:1850 msgid "feedbacks" msgstr "Отзывы" -#: engine/core/graphene/object_types.py:531 engine/core/models.py:510 +#: engine/core/graphene/object_types.py:532 engine/core/models.py:510 #: engine/core/models.py:605 msgid "brand" msgstr "Бренд" -#: engine/core/graphene/object_types.py:533 engine/core/models.py:103 +#: engine/core/graphene/object_types.py:534 engine/core/models.py:103 msgid "attribute groups" msgstr "Группы атрибутов" -#: engine/core/graphene/object_types.py:535 +#: engine/core/graphene/object_types.py:536 #: engine/core/templates/digital_order_created_email.html:111 #: engine/core/templates/digital_order_delivered_email.html:109 #: engine/core/templates/shipped_order_created_email.html:109 @@ -1430,7 +1439,7 @@ msgstr "Группы атрибутов" msgid "price" msgstr "Цена" -#: engine/core/graphene/object_types.py:536 +#: engine/core/graphene/object_types.py:537 #: engine/core/templates/digital_order_created_email.html:110 #: engine/core/templates/digital_order_delivered_email.html:108 #: engine/core/templates/shipped_order_created_email.html:108 @@ -1438,39 +1447,39 @@ msgstr "Цена" msgid "quantity" msgstr "Количество" -#: engine/core/graphene/object_types.py:537 +#: engine/core/graphene/object_types.py:538 msgid "number of feedbacks" msgstr "Количество отзывов" -#: engine/core/graphene/object_types.py:538 +#: engine/core/graphene/object_types.py:539 msgid "only available for personal orders" msgstr "Продукты доступны только для личных заказов" -#: engine/core/graphene/object_types.py:543 +#: engine/core/graphene/object_types.py:544 msgid "discount price" msgstr "Цена со скидкой" -#: engine/core/graphene/object_types.py:567 engine/core/models.py:677 +#: engine/core/graphene/object_types.py:568 engine/core/models.py:677 msgid "products" msgstr "Товары" -#: engine/core/graphene/object_types.py:677 +#: engine/core/graphene/object_types.py:678 msgid "promocodes" msgstr "Промокоды" -#: engine/core/graphene/object_types.py:692 +#: engine/core/graphene/object_types.py:693 msgid "products on sale" msgstr "Продукты в продаже" -#: engine/core/graphene/object_types.py:700 engine/core/models.py:928 +#: engine/core/graphene/object_types.py:701 engine/core/models.py:928 msgid "promotions" msgstr "Промоакции" -#: engine/core/graphene/object_types.py:704 engine/core/models.py:182 +#: engine/core/graphene/object_types.py:705 engine/core/models.py:182 msgid "vendor" msgstr "Поставщик" -#: engine/core/graphene/object_types.py:705 engine/core/models.py:676 +#: engine/core/graphene/object_types.py:706 engine/core/models.py:676 #: engine/core/templates/digital_order_created_email.html:109 #: engine/core/templates/digital_order_delivered_email.html:107 #: engine/core/templates/shipped_order_created_email.html:107 @@ -1478,100 +1487,100 @@ msgstr "Поставщик" msgid "product" msgstr "Товар" -#: engine/core/graphene/object_types.py:717 engine/core/models.py:951 +#: engine/core/graphene/object_types.py:718 engine/core/models.py:951 msgid "wishlisted products" msgstr "Продукты из списка желаний" -#: engine/core/graphene/object_types.py:724 engine/core/models.py:968 +#: engine/core/graphene/object_types.py:725 engine/core/models.py:968 msgid "wishlists" msgstr "Списки желаний" -#: engine/core/graphene/object_types.py:729 +#: engine/core/graphene/object_types.py:730 msgid "tagged products" msgstr "Tagged products" -#: engine/core/graphene/object_types.py:737 engine/core/models.py:219 +#: engine/core/graphene/object_types.py:738 engine/core/models.py:219 #: engine/core/models.py:611 msgid "product tags" msgstr "Теги товара" -#: engine/core/graphene/object_types.py:742 +#: engine/core/graphene/object_types.py:743 msgid "tagged categories" msgstr "Категории с метками" -#: engine/core/graphene/object_types.py:750 +#: engine/core/graphene/object_types.py:751 msgid "categories tags" msgstr "Теги категорий" -#: engine/core/graphene/object_types.py:754 +#: engine/core/graphene/object_types.py:755 msgid "project name" msgstr "Название проекта" -#: engine/core/graphene/object_types.py:755 +#: engine/core/graphene/object_types.py:756 msgid "company name" msgstr "Название компании" -#: engine/core/graphene/object_types.py:756 +#: engine/core/graphene/object_types.py:757 msgid "company address" msgstr "Адрес компании" -#: engine/core/graphene/object_types.py:757 +#: engine/core/graphene/object_types.py:758 msgid "company phone number" msgstr "Номер телефона компании" -#: engine/core/graphene/object_types.py:760 +#: engine/core/graphene/object_types.py:761 msgid "email from, sometimes it must be used instead of host user value" msgstr "" "'email from', иногда его нужно использовать вместо значения пользователя " "хоста." -#: engine/core/graphene/object_types.py:763 +#: engine/core/graphene/object_types.py:764 msgid "email host user" msgstr "Пользователь узла электронной почты" -#: engine/core/graphene/object_types.py:764 +#: engine/core/graphene/object_types.py:765 msgid "maximum amount for payment" msgstr "Максимальная сумма для оплаты" -#: engine/core/graphene/object_types.py:765 +#: engine/core/graphene/object_types.py:766 msgid "minimum amount for payment" msgstr "Минимальная сумма для оплаты" -#: engine/core/graphene/object_types.py:766 +#: engine/core/graphene/object_types.py:767 msgid "analytics data" msgstr "Аналитические данные" -#: engine/core/graphene/object_types.py:767 +#: engine/core/graphene/object_types.py:768 msgid "advertisement data" msgstr "Рекламные данные" -#: engine/core/graphene/object_types.py:770 +#: engine/core/graphene/object_types.py:771 msgid "company configuration" msgstr "Конфигурация" -#: engine/core/graphene/object_types.py:774 +#: engine/core/graphene/object_types.py:775 msgid "language code" msgstr "Код языка" -#: engine/core/graphene/object_types.py:775 +#: engine/core/graphene/object_types.py:776 msgid "language name" msgstr "Название языка" -#: engine/core/graphene/object_types.py:776 +#: engine/core/graphene/object_types.py:777 msgid "language flag, if exists :)" msgstr "Языковой флаг, если он существует :)" -#: engine/core/graphene/object_types.py:779 +#: engine/core/graphene/object_types.py:780 msgid "supported languages" msgstr "Получите список поддерживаемых языков" -#: engine/core/graphene/object_types.py:811 -#: engine/core/graphene/object_types.py:814 -#: engine/core/graphene/object_types.py:817 +#: engine/core/graphene/object_types.py:812 +#: engine/core/graphene/object_types.py:815 +#: engine/core/graphene/object_types.py:818 msgid "products search results" msgstr "Результаты поиска товаров" -#: engine/core/graphene/object_types.py:819 +#: engine/core/graphene/object_types.py:820 msgid "posts search results" msgstr "Результаты поиска товаров" @@ -1626,8 +1635,8 @@ msgstr "" #: engine/core/models.py:122 msgid "stores credentials and endpoints required for vendor communication" msgstr "" -"Хранит учетные данные и конечные точки, необходимые для взаимодействия с API" -" поставщика." +"Хранит учетные данные и конечные точки, необходимые для взаимодействия с API " +"поставщика." #: engine/core/models.py:124 msgid "authentication info" @@ -1675,8 +1684,8 @@ msgid "" msgstr "" "Представляет тег продукта, используемый для классификации или идентификации " "продуктов. Класс ProductTag предназначен для уникальной идентификации и " -"классификации продуктов с помощью комбинации внутреннего идентификатора тега" -" и удобного для пользователя отображаемого имени. Он поддерживает операции, " +"классификации продуктов с помощью комбинации внутреннего идентификатора тега " +"и удобного для пользователя отображаемого имени. Он поддерживает операции, " "экспортируемые через миксины, и обеспечивает настройку метаданных для " "административных целей." @@ -1708,8 +1717,8 @@ msgid "" msgstr "" "Представляет тег категории, используемый для продуктов. Этот класс " "моделирует тег категории, который может быть использован для ассоциации и " -"классификации продуктов. Он включает атрибуты для внутреннего идентификатора" -" тега и удобного для пользователя отображаемого имени." +"классификации продуктов. Он включает атрибуты для внутреннего идентификатора " +"тега и удобного для пользователя отображаемого имени." #: engine/core/models.py:249 msgid "category tag" @@ -1733,8 +1742,8 @@ msgid "" msgstr "" "Представляет собой объект категории для организации и группировки связанных " "элементов в иерархическую структуру. Категории могут иметь иерархические " -"отношения с другими категориями, поддерживая отношения \"родитель-ребенок\"." -" Класс включает поля для метаданных и визуального представления, которые " +"отношения с другими категориями, поддерживая отношения \"родитель-ребенок\". " +"Класс включает поля для метаданных и визуального представления, которые " "служат основой для функций, связанных с категориями. Этот класс обычно " "используется для определения и управления категориями товаров или другими " "подобными группировками в приложении, позволяя пользователям или " @@ -1790,8 +1799,7 @@ msgid "" "Represents a Brand object in the system. This class handles information and " "attributes related to a brand, including its name, logos, description, " "associated categories, a unique slug, and priority order. It allows for the " -"organization and representation of brand-related data within the " -"application." +"organization and representation of brand-related data within the application." msgstr "" "Представляет объект Brand в системе. Этот класс обрабатывает информацию и " "атрибуты, связанные с брендом, включая его название, логотипы, описание, " @@ -1840,8 +1848,8 @@ msgstr "Категории" #: engine/core/models.py:516 msgid "" -"Represents the stock of a product managed in the system. This class provides" -" details about the relationship between vendors, products, and their stock " +"Represents the stock of a product managed in the system. This class provides " +"details about the relationship between vendors, products, and their stock " "information, as well as inventory-related properties like price, purchase " "price, quantity, SKU, and digital assets. It is part of the inventory " "management system to allow tracking and evaluation of products available " @@ -1934,8 +1942,8 @@ msgstr "" "цифровой статус, название, описание, номер детали и метка. Предоставляет " "связанные с ним полезные свойства для получения оценок, количества отзывов, " "цены, количества и общего числа заказов. Предназначен для использования в " -"системе, которая занимается электронной коммерцией или управлением запасами." -" Этот класс взаимодействует со связанными моделями (такими как Category, " +"системе, которая занимается электронной коммерцией или управлением запасами. " +"Этот класс взаимодействует со связанными моделями (такими как Category, " "Brand и ProductTag) и управляет кэшированием часто используемых свойств для " "повышения производительности. Он используется для определения и " "манипулирования данными о товаре и связанной с ним информацией в приложении." @@ -1962,8 +1970,7 @@ msgstr "Является ли продукт цифровым" #: engine/core/models.py:623 msgid "indicates whether this product should be updated from periodic task" -msgstr "" -"указывает, следует ли обновлять этот продукт из периодического задания" +msgstr "указывает, следует ли обновлять этот продукт из периодического задания" #: engine/core/models.py:625 msgid "is product updatable" @@ -2002,8 +2009,8 @@ msgid "" "Represents an attribute in the system. This class is used to define and " "manage attributes, which are customizable pieces of data that can be " "associated with other entities. Attributes have associated categories, " -"groups, value types, and names. The model supports multiple types of values," -" including string, integer, float, boolean, array, and object. This allows " +"groups, value types, and names. The model supports multiple types of values, " +"including string, integer, float, boolean, array, and object. This allows " "for dynamic and flexible data structuring." msgstr "" "Представляет атрибут в системе. Этот класс используется для определения и " @@ -2074,12 +2081,12 @@ msgstr "Атрибут" #: engine/core/models.py:801 msgid "" -"Represents a specific value for an attribute that is linked to a product. It" -" links the 'attribute' to a unique 'value', allowing better organization and" -" dynamic representation of product characteristics." +"Represents a specific value for an attribute that is linked to a product. It " +"links the 'attribute' to a unique 'value', allowing better organization and " +"dynamic representation of product characteristics." msgstr "" -"Представляет собой конкретное значение для атрибута, связанного с продуктом." -" Он связывает \"атрибут\" с уникальным \"значением\", позволяя лучше " +"Представляет собой конкретное значение для атрибута, связанного с продуктом. " +"Он связывает \"атрибут\" с уникальным \"значением\", позволяя лучше " "организовать и динамически представить характеристики продукта." #: engine/core/models.py:812 @@ -2097,8 +2104,8 @@ msgstr "Конкретное значение для этого атрибута #: engine/core/models.py:839 msgid "" "Represents a product image associated with a product in the system. This " -"class is designed to manage images for products, including functionality for" -" uploading image files, associating them with specific products, and " +"class is designed to manage images for products, including functionality for " +"uploading image files, associating them with specific products, and " "determining their display order. It also includes an accessibility feature " "with alternative text for the images." msgstr "" @@ -2148,8 +2155,8 @@ msgid "" "is used to define and manage promotional campaigns that offer a percentage-" "based discount for products. The class includes attributes for setting the " "discount rate, providing details about the promotion, and linking it to the " -"applicable products. It integrates with the product catalog to determine the" -" affected items in the campaign." +"applicable products. It integrates with the product catalog to determine the " +"affected items in the campaign." msgstr "" "Представляет рекламную кампанию для товаров со скидкой. Этот класс " "используется для определения и управления рекламными кампаниями, " @@ -2225,15 +2232,15 @@ msgid "" "store information about documentaries related to specific products, " "including file uploads and their metadata. It contains methods and " "properties to handle the file type and storage path for the documentary " -"files. It extends functionality from specific mixins and provides additional" -" custom features." +"files. It extends functionality from specific mixins and provides additional " +"custom features." msgstr "" "Представляет документальную запись, связанную с продуктом. Этот класс " "используется для хранения информации о документальных записях, связанных с " "конкретными продуктами, включая загруженные файлы и их метаданные. Он " "содержит методы и свойства для обработки типа файла и пути хранения " -"документальных файлов. Он расширяет функциональность определенных миксинов и" -" предоставляет дополнительные пользовательские возможности." +"документальных файлов. Он расширяет функциональность определенных миксинов и " +"предоставляет дополнительные пользовательские возможности." #: engine/core/models.py:1024 msgid "documentary" @@ -2249,14 +2256,14 @@ msgstr "Неразрешенные" #: engine/core/models.py:1040 msgid "" -"Represents an address entity that includes location details and associations" -" with a user. Provides functionality for geographic and address data " -"storage, as well as integration with geocoding services. This class is " -"designed to store detailed address information including components like " -"street, city, region, country, and geolocation (longitude and latitude). It " -"supports integration with geocoding APIs, enabling the storage of raw API " -"responses for further processing or inspection. The class also allows " -"associating an address with a user, facilitating personalized data handling." +"Represents an address entity that includes location details and associations " +"with a user. Provides functionality for geographic and address data storage, " +"as well as integration with geocoding services. This class is designed to " +"store detailed address information including components like street, city, " +"region, country, and geolocation (longitude and latitude). It supports " +"integration with geocoding APIs, enabling the storage of raw API responses " +"for further processing or inspection. The class also allows associating an " +"address with a user, facilitating personalized data handling." msgstr "" "Представляет адресную сущность, включающую сведения о местоположении и " "ассоциации с пользователем. Обеспечивает функциональность для хранения " @@ -2332,8 +2339,8 @@ msgstr "" "Представляет промокод, который можно использовать для получения скидки, " "управляя его сроком действия, типом скидки и применением. Класс PromoCode " "хранит информацию о промокоде, включая его уникальный идентификатор, " -"свойства скидки (размер или процент), срок действия, связанного пользователя" -" (если таковой имеется) и статус его использования. Он включает в себя " +"свойства скидки (размер или процент), срок действия, связанного пользователя " +"(если таковой имеется) и статус его использования. Он включает в себя " "функциональность для проверки и применения промокода к заказу, обеспечивая " "при этом соблюдение ограничений." @@ -2409,8 +2416,8 @@ msgid "" "only one type of discount should be defined (amount or percent), but not " "both or neither." msgstr "" -"Следует определить только один тип скидки (сумма или процент), но не оба или" -" ни один из них." +"Следует определить только один тип скидки (сумма или процент), но не оба или " +"ни один из них." #: engine/core/models.py:1205 msgid "promocode already used" @@ -2425,13 +2432,13 @@ msgstr "Неверный тип скидки для промокода {self.uui msgid "" "Represents an order placed by a user. This class models an order within the " "application, including its various attributes such as billing and shipping " -"information, status, associated user, notifications, and related operations." -" Orders can have associated products, promotions can be applied, addresses " +"information, status, associated user, notifications, and related operations. " +"Orders can have associated products, promotions can be applied, addresses " "set, and shipping or billing details updated. Equally, functionality " "supports managing the products in the order lifecycle." msgstr "" -"Представляет заказ, оформленный пользователем. Этот класс моделирует заказ в" -" приложении, включая его различные атрибуты, такие как информация о " +"Представляет заказ, оформленный пользователем. Этот класс моделирует заказ в " +"приложении, включая его различные атрибуты, такие как информация о " "выставлении счета и доставке, статус, связанный пользователь, уведомления и " "связанные операции. Заказы могут иметь связанные продукты, к ним можно " "применять рекламные акции, устанавливать адреса и обновлять данные о " @@ -2469,8 +2476,8 @@ msgstr "Статус заказа" #: engine/core/models.py:1283 engine/core/models.py:1882 msgid "json structure of notifications to display to users" msgstr "" -"JSON-структура уведомлений для отображения пользователям, в административном" -" интерфейсе используется табличный вид" +"JSON-структура уведомлений для отображения пользователям, в административном " +"интерфейсе используется табличный вид" #: engine/core/models.py:1289 msgid "json representation of order attributes for this order" @@ -2523,8 +2530,7 @@ msgstr "Вы не можете добавить больше товаров, ч #: engine/core/models.py:1449 engine/core/models.py:1478 #: engine/core/models.py:1488 msgid "you cannot remove products from an order that is not a pending one" -msgstr "" -"Вы не можете удалить товары из заказа, который не является отложенным." +msgstr "Вы не можете удалить товары из заказа, который не является отложенным." #: engine/core/models.py:1473 #, python-brace-format @@ -2609,8 +2615,7 @@ msgid "feedback comments" msgstr "Комментарии к отзывам" #: engine/core/models.py:1827 -msgid "" -"references the specific product in an order that this feedback is about" +msgid "references the specific product in an order that this feedback is about" msgstr "" "Ссылка на конкретный продукт в заказе, о котором идет речь в этом отзыве" @@ -2658,8 +2663,7 @@ msgstr "Покупная цена на момент заказа" #: engine/core/models.py:1876 msgid "internal comments for admins about this ordered product" -msgstr "" -"Внутренние комментарии для администраторов об этом заказанном продукте" +msgstr "Внутренние комментарии для администраторов об этом заказанном продукте" #: engine/core/models.py:1877 msgid "internal comments" @@ -2755,15 +2759,15 @@ msgid "" "Represents the downloading functionality for digital assets associated with " "orders. The DigitalAssetDownload class provides the ability to manage and " "access downloads related to order products. It maintains information about " -"the associated order product, the number of downloads, and whether the asset" -" is publicly visible. It includes a method to generate a URL for downloading" -" the asset when the associated order is in a completed status." +"the associated order product, the number of downloads, and whether the asset " +"is publicly visible. It includes a method to generate a URL for downloading " +"the asset when the associated order is in a completed status." msgstr "" "Представляет функциональность загрузки цифровых активов, связанных с " "заказами. Класс DigitalAssetDownload предоставляет возможность управления и " "доступа к загрузкам, связанным с продуктами заказа. Он хранит информацию о " -"связанном с заказом продукте, количестве загрузок и о том, является ли актив" -" общедоступным. Он включает метод для генерации URL-адреса для загрузки " +"связанном с заказом продукте, количестве загрузок и о том, является ли актив " +"общедоступным. Он включает метод для генерации URL-адреса для загрузки " "актива, когда связанный заказ находится в состоянии завершения." #: engine/core/models.py:2092 @@ -2971,11 +2975,12 @@ msgstr "Привет %(order.user.first_name)s," #, python-format msgid "" "thank you for your order #%(order.pk)s! we are pleased to inform you that\n" -" we have taken your order into work. below are the details of your\n" +" we have taken your order into work. below are " +"the details of your\n" " order:" msgstr "" -"Благодарим вас за заказ #%(order.pk)s! Мы рады сообщить Вам, что приняли Ваш" -" заказ в работу. Ниже приведены детали вашего заказа:" +"Благодарим вас за заказ #%(order.pk)s! Мы рады сообщить Вам, что приняли Ваш " +"заказ в работу. Ниже приведены детали вашего заказа:" #: engine/core/templates/digital_order_created_email.html:112 #: engine/core/templates/digital_order_delivered_email.html:110 @@ -3085,7 +3090,8 @@ msgstr "" #: engine/core/templates/shipped_order_created_email.html:101 #: engine/core/templates/shipped_order_delivered_email.html:101 msgid "" -"thank you for your order! we are pleased to confirm your purchase. below are\n" +"thank you for your order! we are pleased to confirm your purchase. below " +"are\n" " the details of your order:" msgstr "" "Спасибо за ваш заказ! Мы рады подтвердить вашу покупку. Ниже приведены " @@ -3158,8 +3164,7 @@ msgstr "Параметр NOMINATIM_URL должен быть настроен!" #, python-brace-format msgid "image dimensions should not exceed w{max_width} x h{max_height} pixels" msgstr "" -"Размеры изображения не должны превышать w{max_width} x h{max_height} " -"пикселей" +"Размеры изображения не должны превышать w{max_width} x h{max_height} пикселей" #: engine/core/views.py:104 msgid "" @@ -3177,8 +3182,8 @@ msgid "" "Content-Type header for XML." msgstr "" "Обрабатывает подробный ответ на просмотр карты сайта. Эта функция " -"обрабатывает запрос, извлекает соответствующий подробный ответ карты сайта и" -" устанавливает заголовок Content-Type для XML." +"обрабатывает запрос, извлекает соответствующий подробный ответ карты сайта и " +"устанавливает заголовок Content-Type для XML." #: engine/core/views.py:155 msgid "" @@ -3220,10 +3225,14 @@ msgstr "Работает с логикой покупки как бизнеса #: engine/core/views.py:337 msgid "" "Handles the downloading of a digital asset associated with an order.\n" -"This function attempts to serve the digital asset file located in the storage directory of the project. If the file is not found, an HTTP 404 error is raised to indicate the resource is unavailable." +"This function attempts to serve the digital asset file located in the " +"storage directory of the project. If the file is not found, an HTTP 404 " +"error is raised to indicate the resource is unavailable." msgstr "" "Обрабатывает загрузку цифрового актива, связанного с заказом.\n" -"Эта функция пытается обслужить файл цифрового актива, расположенный в каталоге хранения проекта. Если файл не найден, выдается ошибка HTTP 404, указывающая на недоступность ресурса." +"Эта функция пытается обслужить файл цифрового актива, расположенный в " +"каталоге хранения проекта. Если файл не найден, выдается ошибка HTTP 404, " +"указывающая на недоступность ресурса." #: engine/core/views.py:348 msgid "order_product_uuid is required" @@ -3252,15 +3261,19 @@ msgstr "favicon не найден" #: engine/core/views.py:418 msgid "" "Handles requests for the favicon of a website.\n" -"This function attempts to serve the favicon file located in the static directory of the project. If the favicon file is not found, an HTTP 404 error is raised to indicate the resource is unavailable." +"This function attempts to serve the favicon file located in the static " +"directory of the project. If the favicon file is not found, an HTTP 404 " +"error is raised to indicate the resource is unavailable." msgstr "" "Обрабатывает запросы на фавикон веб-сайта.\n" -"Эта функция пытается обслужить файл favicon, расположенный в статической директории проекта. Если файл favicon не найден, выдается ошибка HTTP 404, указывающая на недоступность ресурса." +"Эта функция пытается обслужить файл favicon, расположенный в статической " +"директории проекта. Если файл favicon не найден, выдается ошибка HTTP 404, " +"указывающая на недоступность ресурса." #: engine/core/views.py:432 msgid "" -"Redirects the request to the admin index page. The function handles incoming" -" HTTP requests and redirects them to the Django admin interface index page. " +"Redirects the request to the admin index page. The function handles incoming " +"HTTP requests and redirects them to the Django admin interface index page. " "It uses Django's `redirect` function for handling the HTTP redirection." msgstr "" "Перенаправляет запрос на индексную страницу админки. Функция обрабатывает " @@ -3291,17 +3304,16 @@ msgid "" msgstr "" "Определяет набор представлений для управления операциями, связанными с " "Evibes. Класс EvibesViewSet наследует от ModelViewSet и предоставляет " -"функциональность для обработки действий и операций над сущностями Evibes. Он" -" включает в себя поддержку динамических классов сериализаторов в зависимости" -" от текущего действия, настраиваемые разрешения и форматы рендеринга." +"функциональность для обработки действий и операций над сущностями Evibes. Он " +"включает в себя поддержку динамических классов сериализаторов в зависимости " +"от текущего действия, настраиваемые разрешения и форматы рендеринга." #: engine/core/viewsets.py:160 msgid "" -"Represents a viewset for managing AttributeGroup objects. Handles operations" -" related to AttributeGroup, including filtering, serialization, and " -"retrieval of data. This class is part of the application's API layer and " -"provides a standardized way to process requests and responses for " -"AttributeGroup data." +"Represents a viewset for managing AttributeGroup objects. Handles operations " +"related to AttributeGroup, including filtering, serialization, and retrieval " +"of data. This class is part of the application's API layer and provides a " +"standardized way to process requests and responses for AttributeGroup data." msgstr "" "Представляет собой набор представлений для управления объектами " "AttributeGroup. Обрабатывает операции, связанные с AttributeGroup, включая " @@ -3330,15 +3342,15 @@ msgid "" "A viewset for managing AttributeValue objects. This viewset provides " "functionality for listing, retrieving, creating, updating, and deleting " "AttributeValue objects. It integrates with Django REST Framework's viewset " -"mechanisms and uses appropriate serializers for different actions. Filtering" -" capabilities are provided through the DjangoFilterBackend." +"mechanisms and uses appropriate serializers for different actions. Filtering " +"capabilities are provided through the DjangoFilterBackend." msgstr "" "Набор представлений для управления объектами AttributeValue. Этот набор " "представлений предоставляет функциональность для перечисления, извлечения, " "создания, обновления и удаления объектов AttributeValue. Он интегрируется с " "механизмами наборов представлений Django REST Framework и использует " -"соответствующие сериализаторы для различных действий. Возможности фильтрации" -" предоставляются через DjangoFilterBackend." +"соответствующие сериализаторы для различных действий. Возможности фильтрации " +"предоставляются через DjangoFilterBackend." #: engine/core/viewsets.py:217 msgid "" @@ -3349,8 +3361,8 @@ msgid "" "can access specific data." msgstr "" "Управляет представлениями для операций, связанных с категорией. Класс " -"CategoryViewSet отвечает за обработку операций, связанных с моделью Category" -" в системе. Он поддерживает получение, фильтрацию и сериализацию данных " +"CategoryViewSet отвечает за обработку операций, связанных с моделью Category " +"в системе. Он поддерживает получение, фильтрацию и сериализацию данных " "категории. Набор представлений также обеспечивает соблюдение прав доступа, " "чтобы только авторизованные пользователи могли получить доступ к " "определенным данным." @@ -3393,10 +3405,10 @@ msgid "" "actions. The purpose of this class is to provide streamlined access to " "Vendor-related resources through the Django REST framework." msgstr "" -"Представляет собой набор представлений для управления объектами Vendor. Этот" -" набор представлений позволяет получать, фильтровать и сериализовать данные " -"о поставщиках. Он определяет наборы запросов, конфигурации фильтров и классы" -" сериализаторов, используемые для выполнения различных действий. Цель этого " +"Представляет собой набор представлений для управления объектами Vendor. Этот " +"набор представлений позволяет получать, фильтровать и сериализовать данные о " +"поставщиках. Он определяет наборы запросов, конфигурации фильтров и классы " +"сериализаторов, используемые для выполнения различных действий. Цель этого " "класса - обеспечить упрощенный доступ к ресурсам, связанным с Vendor, через " "фреймворк Django REST." @@ -3405,8 +3417,8 @@ msgid "" "Representation of a view set handling Feedback objects. This class manages " "operations related to Feedback objects, including listing, filtering, and " "retrieving details. The purpose of this view set is to provide different " -"serializers for different actions and implement permission-based handling of" -" accessible Feedback objects. It extends the base `EvibesViewSet` and makes " +"serializers for different actions and implement permission-based handling of " +"accessible Feedback objects. It extends the base `EvibesViewSet` and makes " "use of Django's filtering system for querying data." msgstr "" "Представление набора представлений, обрабатывающих объекты Feedback. Этот " @@ -3422,36 +3434,35 @@ msgid "" "ViewSet for managing orders and related operations. This class provides " "functionality to retrieve, modify, and manage order objects. It includes " "various endpoints for handling order operations such as adding or removing " -"products, performing purchases for registered as well as unregistered users," -" and retrieving the current authenticated user's pending orders. The ViewSet" -" uses multiple serializers based on the specific action being performed and " +"products, performing purchases for registered as well as unregistered users, " +"and retrieving the current authenticated user's pending orders. The ViewSet " +"uses multiple serializers based on the specific action being performed and " "enforces permissions accordingly while interacting with order data." msgstr "" "ViewSet для управления заказами и связанными с ними операциями. Этот класс " "предоставляет функциональность для получения, изменения и управления " -"объектами заказов. Он включает в себя различные конечные точки для обработки" -" операций с заказами, таких как добавление или удаление продуктов, " -"выполнение покупок для зарегистрированных и незарегистрированных " -"пользователей, а также получение информации о текущих заказах " -"аутентифицированного пользователя. ViewSet использует несколько " -"сериализаторов в зависимости от конкретного выполняемого действия и " -"соответствующим образом устанавливает разрешения при взаимодействии с " -"данными заказа." +"объектами заказов. Он включает в себя различные конечные точки для обработки " +"операций с заказами, таких как добавление или удаление продуктов, выполнение " +"покупок для зарегистрированных и незарегистрированных пользователей, а также " +"получение информации о текущих заказах аутентифицированного пользователя. " +"ViewSet использует несколько сериализаторов в зависимости от конкретного " +"выполняемого действия и соответствующим образом устанавливает разрешения при " +"взаимодействии с данными заказа." #: engine/core/viewsets.py:914 msgid "" "Provides a viewset for managing OrderProduct entities. This viewset enables " "CRUD operations and custom actions specific to the OrderProduct model. It " -"includes filtering, permission checks, and serializer switching based on the" -" requested action. Additionally, it provides a detailed action for handling " +"includes filtering, permission checks, and serializer switching based on the " +"requested action. Additionally, it provides a detailed action for handling " "feedback on OrderProduct instances" msgstr "" "Предоставляет набор представлений для управления сущностями OrderProduct. " "Этот набор представлений позволяет выполнять CRUD-операции и " "пользовательские действия, специфичные для модели OrderProduct. Он включает " -"фильтрацию, проверку прав доступа и переключение сериализатора в зависимости" -" от запрашиваемого действия. Кроме того, он предоставляет подробное действие" -" для обработки отзывов об экземплярах OrderProduct" +"фильтрацию, проверку прав доступа и переключение сериализатора в зависимости " +"от запрашиваемого действия. Кроме того, он предоставляет подробное действие " +"для обработки отзывов об экземплярах OrderProduct" #: engine/core/viewsets.py:974 msgid "Manages operations related to Product images in the application. " @@ -3479,8 +3490,8 @@ msgstr "Выполняет операции, связанные с данным msgid "" "ViewSet for managing Wishlist operations. The WishlistViewSet provides " "endpoints for interacting with a user's wish list, allowing for the " -"retrieval, modification, and customization of products within the wish list." -" This ViewSet facilitates functionality such as adding, removing, and bulk " +"retrieval, modification, and customization of products within the wish list. " +"This ViewSet facilitates functionality such as adding, removing, and bulk " "actions for wishlist products. Permission checks are integrated to ensure " "that users can only manage their own wishlists unless explicit permissions " "are granted." @@ -3521,8 +3532,8 @@ msgid "" "using the specified filter backend and dynamically uses different " "serializers based on the action being performed." msgstr "" -"Обрабатывает операции, связанные с тегами продуктов в приложении. Этот класс" -" предоставляет функциональность для получения, фильтрации и сериализации " +"Обрабатывает операции, связанные с тегами продуктов в приложении. Этот класс " +"предоставляет функциональность для получения, фильтрации и сериализации " "объектов Product Tag. Он поддерживает гибкую фильтрацию по определенным " "атрибутам с помощью указанного бэкэнда фильтрации и динамически использует " "различные сериализаторы в зависимости от выполняемого действия." diff --git a/engine/core/locale/sv_SE/LC_MESSAGES/django.mo b/engine/core/locale/sv_SE/LC_MESSAGES/django.mo index 80bee2e2b975477d886d8bd92ad53bc9075ef65b..f6436ad29a0e9b21d7ac04e958b91db1963bb068 100644 GIT binary patch delta 18 acmbP!igo%a)(zdqn9cMIH}@UuoCg3\n" "Language-Team: BRITISH ENGLISH \n" @@ -27,8 +27,7 @@ msgstr "Är aktiv" #: engine/core/abstract.py:22 msgid "" -"if set to false, this object can't be seen by users without needed " -"permission" +"if set to false, this object can't be seen by users without needed permission" msgstr "" "Om det är inställt på false kan objektet inte ses av användare utan " "nödvändigt tillstånd" @@ -91,8 +90,8 @@ msgstr "Avaktivera vald %(verbose_name_plural)s." msgid "selected items have been deactivated." msgstr "Valda objekt har avaktiverats!" -#: engine/core/admin.py:196 engine/core/graphene/object_types.py:652 -#: engine/core/graphene/object_types.py:659 engine/core/models.py:825 +#: engine/core/admin.py:196 engine/core/graphene/object_types.py:653 +#: engine/core/graphene/object_types.py:660 engine/core/models.py:825 #: engine/core/models.py:833 msgid "attribute value" msgstr "Attributvärde" @@ -106,7 +105,7 @@ msgstr "Attributets värden" msgid "image" msgstr "Bild" -#: engine/core/admin.py:209 engine/core/graphene/object_types.py:529 +#: engine/core/admin.py:209 engine/core/graphene/object_types.py:530 msgid "images" msgstr "Bilder" @@ -114,7 +113,7 @@ msgstr "Bilder" msgid "stock" msgstr "Stock" -#: engine/core/admin.py:221 engine/core/graphene/object_types.py:712 +#: engine/core/admin.py:221 engine/core/graphene/object_types.py:713 msgid "stocks" msgstr "Stocks" @@ -122,7 +121,7 @@ msgstr "Stocks" msgid "order product" msgstr "Beställ produkt" -#: engine/core/admin.py:233 engine/core/graphene/object_types.py:440 +#: engine/core/admin.py:233 engine/core/graphene/object_types.py:441 #: engine/core/models.py:1932 msgid "order products" msgstr "Beställ produkter" @@ -155,8 +154,7 @@ msgstr "Levereras" msgid "canceled" msgstr "Annullerad" -#: engine/core/choices.py:8 engine/core/choices.py:16 -#: engine/core/choices.py:24 +#: engine/core/choices.py:8 engine/core/choices.py:16 engine/core/choices.py:24 msgid "failed" msgstr "Misslyckades" @@ -207,7 +205,8 @@ msgid "" "apply key, data and timeout with authentication to write data to cache." msgstr "" "Använd endast en nyckel för att läsa tillåtna data från cacheminnet.\n" -"Använd nyckel, data och timeout med autentisering för att skriva data till cacheminnet." +"Använd nyckel, data och timeout med autentisering för att skriva data till " +"cacheminnet." #: engine/core/docs/drf/views.py:66 msgid "get a list of supported languages" @@ -271,8 +270,7 @@ msgstr "" "Skriva om en befintlig attributgrupp och spara icke-redigerbara attribut" #: engine/core/docs/drf/viewsets.py:107 -msgid "" -"rewrite some fields of an existing attribute group saving non-editables" +msgid "rewrite some fields of an existing attribute group saving non-editables" msgstr "" "Skriv om vissa fält i en befintlig attributgrupp och spara icke-redigerbara " "fält" @@ -300,8 +298,7 @@ msgstr "Skriva om ett befintligt attribut och spara icke-redigerbara" #: engine/core/docs/drf/viewsets.py:156 msgid "rewrite some fields of an existing attribute saving non-editables" msgstr "" -"Skriv om vissa fält i ett befintligt attribut och spara icke-redigerbara " -"fält" +"Skriv om vissa fält i ett befintligt attribut och spara icke-redigerbara fält" #: engine/core/docs/drf/viewsets.py:166 msgid "list all attribute values (simple view)" @@ -324,8 +321,7 @@ msgid "rewrite an existing attribute value saving non-editables" msgstr "Skriva om ett befintligt attributvärde som sparar icke-redigerbara" #: engine/core/docs/drf/viewsets.py:208 -msgid "" -"rewrite some fields of an existing attribute value saving non-editables" +msgid "rewrite some fields of an existing attribute value saving non-editables" msgstr "" "Skriva om vissa fält i ett befintligt attributvärde och spara icke-" "redigerbara fält" @@ -361,8 +357,8 @@ msgstr "Skriva om vissa fält i en befintlig kategori spara icke-redigerbara" #: engine/core/docs/drf/viewsets.py:280 engine/core/docs/drf/viewsets.py:757 #: engine/core/docs/drf/viewsets.py:1046 #: engine/core/graphene/object_types.py:119 -#: engine/core/graphene/object_types.py:238 -#: engine/core/graphene/object_types.py:539 +#: engine/core/graphene/object_types.py:239 +#: engine/core/graphene/object_types.py:540 msgid "SEO Meta snapshot" msgstr "SEO Meta snapshot" @@ -382,8 +378,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:309 msgid "" -"Case-insensitive substring search across human_readable_id, " -"order_products.product.name, and order_products.product.partnumber" +"Case-insensitive substring search across human_readable_id, order_products." +"product.name, and order_products.product.partnumber" msgstr "" "Substringsökning utan skiftlägeskänslighet över human_readable_id, " "order_products.product.name och order_products.product.partnumber" @@ -407,8 +403,7 @@ msgstr "Filtrera efter exakt mänskligt läsbart order-ID" #: engine/core/docs/drf/viewsets.py:336 msgid "Filter by user's email (case-insensitive exact match)" msgstr "" -"Filtrera efter användarens e-post (exakt matchning utan " -"skiftlägeskänslighet)" +"Filtrera efter användarens e-post (exakt matchning utan skiftlägeskänslighet)" #: engine/core/docs/drf/viewsets.py:341 msgid "Filter by user's UUID" @@ -420,9 +415,9 @@ msgstr "Filtrera efter orderstatus (skiftlägeskänslig matchning av delsträng) #: engine/core/docs/drf/viewsets.py:354 msgid "" -"Order by one of: uuid, human_readable_id, user_email, user, status, created," -" modified, buy_time, random. Prefix with '-' for descending (e.g. " -"'-buy_time')." +"Order by one of: uuid, human_readable_id, user_email, user, status, created, " +"modified, buy_time, random. Prefix with '-' for descending (e.g. '-" +"buy_time')." msgstr "" "Ordna efter en av följande: uuid, human_readable_id, user_email, user, " "status, created, modified, buy_time, random. Prefix med \"-\" för fallande " @@ -518,8 +513,8 @@ msgid "" "removes a product from an order using the provided `product_uuid` and " "`attributes`." msgstr "" -"Tar bort en produkt från en order med hjälp av de angivna `product_uuid` och" -" `attributen`." +"Tar bort en produkt från en order med hjälp av de angivna `product_uuid` och " +"`attributen`." #: engine/core/docs/drf/viewsets.py:483 msgid "remove product from order, quantities will not count" @@ -540,8 +535,7 @@ msgstr "Lista alla attribut (enkel vy)" #: engine/core/docs/drf/viewsets.py:498 msgid "for non-staff users, only their own wishlists are returned." msgstr "" -"För användare som inte är anställda returneras endast deras egna " -"önskelistor." +"För användare som inte är anställda returneras endast deras egna önskelistor." #: engine/core/docs/drf/viewsets.py:508 msgid "retrieve a single wishlist (detailed view)" @@ -566,8 +560,7 @@ msgstr "Skriva om ett befintligt attribut och spara icke-redigerbara" #: engine/core/docs/drf/viewsets.py:537 msgid "rewrite some fields of an existing wishlist saving non-editables" msgstr "" -"Skriv om vissa fält i ett befintligt attribut och spara icke-redigerbara " -"fält" +"Skriv om vissa fält i ett befintligt attribut och spara icke-redigerbara fält" #: engine/core/docs/drf/viewsets.py:544 msgid "retrieve current pending wishlist of a user" @@ -622,17 +615,26 @@ msgstr "" msgid "" "Filter by one or more attribute name/value pairs. \n" "• **Syntax**: `attr_name=method-value[;attr2=method2-value2]…` \n" -"• **Methods** (defaults to `icontains` if omitted): `iexact`, `exact`, `icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, `iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in` \n" -"• **Value typing**: JSON is attempted first (so you can pass lists/dicts), `true`/`false` for booleans, integers, floats; otherwise treated as string. \n" +"• **Methods** (defaults to `icontains` if omitted): `iexact`, `exact`, " +"`icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, " +"`iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in` \n" +"• **Value typing**: JSON is attempted first (so you can pass lists/dicts), " +"`true`/`false` for booleans, integers, floats; otherwise treated as " +"string. \n" "• **Base64**: prefix with `b64-` to URL-safe base64-encode the raw value. \n" "Examples: \n" -"`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\",\"bluetooth\"]`, \n" +"`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\"," +"\"bluetooth\"]`, \n" "`b64-description=icontains-aGVhdC1jb2xk`" msgstr "" "Filtrera efter ett eller flera attributnamn/värdepar. \n" "- **Syntax**: `attr_namn=metod-värde[;attr2=metod2-värde2]...`\n" -"- **Metoder** (standard är `icontains` om den utelämnas): `iexact`, `exact`, `icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, `iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in`\n" -"- **Värde typning**: JSON prövas först (så att du kan skicka listor/dikter), `true`/`false` för booleaner, heltal, flottörer; annars behandlas som sträng. \n" +"- **Metoder** (standard är `icontains` om den utelämnas): `iexact`, `exact`, " +"`icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, " +"`iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in`\n" +"- **Värde typning**: JSON prövas först (så att du kan skicka listor/dikter), " +"`true`/`false` för booleaner, heltal, flottörer; annars behandlas som " +"sträng. \n" "- **Base64**: prefix med `b64-` för URL-säker base64-kodning av råvärdet. \n" "Exempel på detta: \n" "`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\",\"bluetooth\"]`,\n" @@ -648,10 +650,12 @@ msgstr "(exakt) UUID för produkt" #: engine/core/docs/drf/viewsets.py:630 msgid "" -"Comma-separated list of fields to sort by. Prefix with `-` for descending. \n" +"Comma-separated list of fields to sort by. Prefix with `-` for " +"descending. \n" "**Allowed:** uuid, rating, name, slug, created, modified, price, random" msgstr "" -"Kommaseparerad lista över fält att sortera efter. Prefix med `-` för fallande. \n" +"Kommaseparerad lista över fält att sortera efter. Prefix med `-` för " +"fallande. \n" "**Tillåtna:** uuid, betyg, namn, slug, skapad, modifierad, pris, slumpmässig" #: engine/core/docs/drf/viewsets.py:647 engine/core/docs/drf/viewsets.py:648 @@ -1144,8 +1148,7 @@ msgstr "Köpa en order" #: engine/core/graphene/mutations.py:220 engine/core/graphene/mutations.py:282 msgid "please provide either order_uuid or order_hr_id - mutually exclusive" msgstr "" -"Vänligen ange antingen order_uuid eller order_hr_id - ömsesidigt " -"uteslutande!" +"Vänligen ange antingen order_uuid eller order_hr_id - ömsesidigt uteslutande!" #: engine/core/graphene/mutations.py:249 engine/core/graphene/mutations.py:524 #: engine/core/graphene/mutations.py:573 engine/core/viewsets.py:753 @@ -1201,8 +1204,8 @@ msgstr "Köpa en order" #: engine/core/graphene/mutations.py:542 msgid "" -"please send the attributes as the string formatted like " -"attr1=value1,attr2=value2" +"please send the attributes as the string formatted like attr1=value1," +"attr2=value2" msgstr "" "Skicka attributen som en sträng formaterad som attr1=värde1,attr2=värde2" @@ -1240,8 +1243,8 @@ msgid "elasticsearch - works like a charm" msgstr "ElasticSearch - fungerar som en smäck" #: engine/core/graphene/object_types.py:84 -#: engine/core/graphene/object_types.py:419 -#: engine/core/graphene/object_types.py:470 engine/core/models.py:796 +#: engine/core/graphene/object_types.py:420 +#: engine/core/graphene/object_types.py:471 engine/core/models.py:796 #: engine/core/models.py:1290 engine/core/models.py:2022 msgid "attributes" msgstr "Attribut" @@ -1255,8 +1258,8 @@ msgid "groups of attributes" msgstr "Grupper av attribut" #: engine/core/graphene/object_types.py:118 -#: engine/core/graphene/object_types.py:216 -#: engine/core/graphene/object_types.py:254 engine/core/models.py:440 +#: engine/core/graphene/object_types.py:217 +#: engine/core/graphene/object_types.py:255 engine/core/models.py:440 msgid "categories" msgstr "Kategorier" @@ -1264,81 +1267,80 @@ msgstr "Kategorier" msgid "brands" msgstr "Brands" -#: engine/core/graphene/object_types.py:218 +#: engine/core/graphene/object_types.py:219 msgid "category image url" msgstr "Kategorier" -#: engine/core/graphene/object_types.py:219 -#: engine/core/graphene/object_types.py:364 engine/core/models.py:278 +#: engine/core/graphene/object_types.py:220 +#: engine/core/graphene/object_types.py:365 engine/core/models.py:278 msgid "markup percentage" msgstr "Procentuell påslagning" -#: engine/core/graphene/object_types.py:223 +#: engine/core/graphene/object_types.py:224 msgid "which attributes and values can be used for filtering this category." msgstr "" "Vilka attribut och värden som kan användas för att filtrera denna kategori." -#: engine/core/graphene/object_types.py:229 -msgid "" -"minimum and maximum prices for products in this category, if available." +#: engine/core/graphene/object_types.py:230 +msgid "minimum and maximum prices for products in this category, if available." msgstr "" "Minsta och högsta pris för produkter i denna kategori, om tillgängligt." -#: engine/core/graphene/object_types.py:233 +#: engine/core/graphene/object_types.py:234 msgid "tags for this category" msgstr "Taggar för denna kategori" -#: engine/core/graphene/object_types.py:236 +#: engine/core/graphene/object_types.py:237 msgid "products in this category" msgstr "Produkter i denna kategori" -#: engine/core/graphene/object_types.py:371 engine/core/models.py:183 +#: engine/core/graphene/object_types.py:372 engine/core/models.py:183 msgid "vendors" msgstr "Leverantörer" -#: engine/core/graphene/object_types.py:375 +#: engine/core/graphene/object_types.py:376 msgid "Latitude (Y coordinate)" msgstr "Latitud (Y-koordinat)" -#: engine/core/graphene/object_types.py:376 +#: engine/core/graphene/object_types.py:377 msgid "Longitude (X coordinate)" msgstr "Longitud (X-koordinat)" -#: engine/core/graphene/object_types.py:405 +#: engine/core/graphene/object_types.py:406 msgid "comment" msgstr "Hur gör man" -#: engine/core/graphene/object_types.py:407 -#: engine/core/graphene/object_types.py:541 +#: engine/core/graphene/object_types.py:408 +#: engine/core/graphene/object_types.py:542 msgid "rating value from 1 to 10, inclusive, or 0 if not set." msgstr "Ratingvärde från 1 till och med 10, eller 0 om det inte är inställt." -#: engine/core/graphene/object_types.py:415 +#: engine/core/graphene/object_types.py:416 msgid "represents feedback from a user." msgstr "Representerar feedback från en användare." -#: engine/core/graphene/object_types.py:420 -#: engine/core/graphene/object_types.py:471 engine/core/models.py:1284 +#: engine/core/graphene/object_types.py:421 +#: engine/core/graphene/object_types.py:472 engine/core/models.py:1284 msgid "notifications" msgstr "Meddelanden" -#: engine/core/graphene/object_types.py:422 +#: engine/core/graphene/object_types.py:423 msgid "download url for this order product if applicable" msgstr "Nedladdningsadress för denna orderprodukt om tillämpligt" -#: engine/core/graphene/object_types.py:424 engine/core/models.py:1849 +#: engine/core/graphene/object_types.py:425 engine/core/models.py:1849 msgid "feedback" msgstr "Återkoppling" -#: engine/core/graphene/object_types.py:458 +#: engine/core/graphene/object_types.py:459 msgid "a list of order products in this order" msgstr "En lista över orderprodukter i den här ordern" -#: engine/core/graphene/object_types.py:460 engine/core/models.py:1254 +#: engine/core/graphene/object_types.py:461 engine/core/models.py:1254 msgid "billing address" msgstr "Faktureringsadress" -#: engine/core/graphene/object_types.py:464 +#: engine/core/graphene/object_types.py:465 msgid "" "shipping address for this order, leave blank if same as billing address or " "if not applicable" @@ -1346,53 +1348,53 @@ msgstr "" "Leveransadress för denna order, lämna tom om den är samma som " "faktureringsadressen eller om den inte är tillämplig" -#: engine/core/graphene/object_types.py:467 +#: engine/core/graphene/object_types.py:468 msgid "total price of this order" msgstr "Totalpris för denna order" -#: engine/core/graphene/object_types.py:468 +#: engine/core/graphene/object_types.py:469 msgid "total quantity of products in order" msgstr "Totalt antal produkter i ordern" -#: engine/core/graphene/object_types.py:469 +#: engine/core/graphene/object_types.py:470 msgid "are all products in the order digital" msgstr "Är alla produkter i beställningen digitala" -#: engine/core/graphene/object_types.py:473 +#: engine/core/graphene/object_types.py:474 msgid "transactions for this order" msgstr "Transaktioner för denna order" -#: engine/core/graphene/object_types.py:493 engine/core/models.py:1318 +#: engine/core/graphene/object_types.py:494 engine/core/models.py:1318 msgid "orders" msgstr "Beställningar" -#: engine/core/graphene/object_types.py:514 +#: engine/core/graphene/object_types.py:515 msgid "image url" msgstr "URL för bild" -#: engine/core/graphene/object_types.py:521 +#: engine/core/graphene/object_types.py:522 msgid "product's images" msgstr "Produktens bilder" -#: engine/core/graphene/object_types.py:528 engine/core/models.py:439 +#: engine/core/graphene/object_types.py:529 engine/core/models.py:439 #: engine/core/models.py:596 msgid "category" msgstr "Kategori" -#: engine/core/graphene/object_types.py:530 engine/core/models.py:1850 +#: engine/core/graphene/object_types.py:531 engine/core/models.py:1850 msgid "feedbacks" msgstr "Återkoppling" -#: engine/core/graphene/object_types.py:531 engine/core/models.py:510 +#: engine/core/graphene/object_types.py:532 engine/core/models.py:510 #: engine/core/models.py:605 msgid "brand" msgstr "Varumärke" -#: engine/core/graphene/object_types.py:533 engine/core/models.py:103 +#: engine/core/graphene/object_types.py:534 engine/core/models.py:103 msgid "attribute groups" msgstr "Attributgrupper" -#: engine/core/graphene/object_types.py:535 +#: engine/core/graphene/object_types.py:536 #: engine/core/templates/digital_order_created_email.html:111 #: engine/core/templates/digital_order_delivered_email.html:109 #: engine/core/templates/shipped_order_created_email.html:109 @@ -1400,7 +1402,7 @@ msgstr "Attributgrupper" msgid "price" msgstr "Pris" -#: engine/core/graphene/object_types.py:536 +#: engine/core/graphene/object_types.py:537 #: engine/core/templates/digital_order_created_email.html:110 #: engine/core/templates/digital_order_delivered_email.html:108 #: engine/core/templates/shipped_order_created_email.html:108 @@ -1408,39 +1410,39 @@ msgstr "Pris" msgid "quantity" msgstr "Kvantitet" -#: engine/core/graphene/object_types.py:537 +#: engine/core/graphene/object_types.py:538 msgid "number of feedbacks" msgstr "Antal återkopplingar" -#: engine/core/graphene/object_types.py:538 +#: engine/core/graphene/object_types.py:539 msgid "only available for personal orders" msgstr "Produkter endast tillgängliga för personliga beställningar" -#: engine/core/graphene/object_types.py:543 +#: engine/core/graphene/object_types.py:544 msgid "discount price" msgstr "Rabatterat pris" -#: engine/core/graphene/object_types.py:567 engine/core/models.py:677 +#: engine/core/graphene/object_types.py:568 engine/core/models.py:677 msgid "products" msgstr "Produkter" -#: engine/core/graphene/object_types.py:677 +#: engine/core/graphene/object_types.py:678 msgid "promocodes" msgstr "Promokoder" -#: engine/core/graphene/object_types.py:692 +#: engine/core/graphene/object_types.py:693 msgid "products on sale" msgstr "Produkter på rea" -#: engine/core/graphene/object_types.py:700 engine/core/models.py:928 +#: engine/core/graphene/object_types.py:701 engine/core/models.py:928 msgid "promotions" msgstr "Kampanjer" -#: engine/core/graphene/object_types.py:704 engine/core/models.py:182 +#: engine/core/graphene/object_types.py:705 engine/core/models.py:182 msgid "vendor" msgstr "Leverantör" -#: engine/core/graphene/object_types.py:705 engine/core/models.py:676 +#: engine/core/graphene/object_types.py:706 engine/core/models.py:676 #: engine/core/templates/digital_order_created_email.html:109 #: engine/core/templates/digital_order_delivered_email.html:107 #: engine/core/templates/shipped_order_created_email.html:107 @@ -1448,98 +1450,99 @@ msgstr "Leverantör" msgid "product" msgstr "Produkt" -#: engine/core/graphene/object_types.py:717 engine/core/models.py:951 +#: engine/core/graphene/object_types.py:718 engine/core/models.py:951 msgid "wishlisted products" msgstr "Önskelistade produkter" -#: engine/core/graphene/object_types.py:724 engine/core/models.py:968 +#: engine/core/graphene/object_types.py:725 engine/core/models.py:968 msgid "wishlists" msgstr "Önskelistor" -#: engine/core/graphene/object_types.py:729 +#: engine/core/graphene/object_types.py:730 msgid "tagged products" msgstr "Taggade produkter" -#: engine/core/graphene/object_types.py:737 engine/core/models.py:219 +#: engine/core/graphene/object_types.py:738 engine/core/models.py:219 #: engine/core/models.py:611 msgid "product tags" msgstr "Produkttaggar" -#: engine/core/graphene/object_types.py:742 +#: engine/core/graphene/object_types.py:743 msgid "tagged categories" msgstr "Taggade kategorier" -#: engine/core/graphene/object_types.py:750 +#: engine/core/graphene/object_types.py:751 msgid "categories tags" msgstr "Kategoriernas taggar" -#: engine/core/graphene/object_types.py:754 +#: engine/core/graphene/object_types.py:755 msgid "project name" msgstr "Projektets namn" -#: engine/core/graphene/object_types.py:755 +#: engine/core/graphene/object_types.py:756 msgid "company name" msgstr "Företagets namn" -#: engine/core/graphene/object_types.py:756 +#: engine/core/graphene/object_types.py:757 msgid "company address" msgstr "Företagets adress" -#: engine/core/graphene/object_types.py:757 +#: engine/core/graphene/object_types.py:758 msgid "company phone number" msgstr "Företagets telefonnummer" -#: engine/core/graphene/object_types.py:760 +#: engine/core/graphene/object_types.py:761 msgid "email from, sometimes it must be used instead of host user value" -msgstr "\"email from\", ibland måste det användas istället för host user-värdet" +msgstr "" +"\"email from\", ibland måste det användas istället för host user-värdet" -#: engine/core/graphene/object_types.py:763 +#: engine/core/graphene/object_types.py:764 msgid "email host user" msgstr "E-post värd användare" -#: engine/core/graphene/object_types.py:764 +#: engine/core/graphene/object_types.py:765 msgid "maximum amount for payment" msgstr "Högsta belopp för betalning" -#: engine/core/graphene/object_types.py:765 +#: engine/core/graphene/object_types.py:766 msgid "minimum amount for payment" msgstr "Lägsta belopp för betalning" -#: engine/core/graphene/object_types.py:766 +#: engine/core/graphene/object_types.py:767 msgid "analytics data" msgstr "Analysdata" -#: engine/core/graphene/object_types.py:767 +#: engine/core/graphene/object_types.py:768 msgid "advertisement data" msgstr "Annonsdata" -#: engine/core/graphene/object_types.py:770 +#: engine/core/graphene/object_types.py:771 msgid "company configuration" msgstr "Konfiguration" -#: engine/core/graphene/object_types.py:774 +#: engine/core/graphene/object_types.py:775 msgid "language code" msgstr "Språkkod" -#: engine/core/graphene/object_types.py:775 +#: engine/core/graphene/object_types.py:776 msgid "language name" msgstr "Språkets namn" -#: engine/core/graphene/object_types.py:776 +#: engine/core/graphene/object_types.py:777 msgid "language flag, if exists :)" msgstr "Språkflagga, om sådan finns :)" -#: engine/core/graphene/object_types.py:779 +#: engine/core/graphene/object_types.py:780 msgid "supported languages" msgstr "Hämta en lista över språk som stöds" -#: engine/core/graphene/object_types.py:811 -#: engine/core/graphene/object_types.py:814 -#: engine/core/graphene/object_types.py:817 +#: engine/core/graphene/object_types.py:812 +#: engine/core/graphene/object_types.py:815 +#: engine/core/graphene/object_types.py:818 msgid "products search results" msgstr "Sökresultat för produkter" -#: engine/core/graphene/object_types.py:819 +#: engine/core/graphene/object_types.py:820 msgid "posts search results" msgstr "Sökresultat för produkter" @@ -1551,8 +1554,8 @@ msgid "" "categorizing and managing attributes more effectively in acomplex system." msgstr "" "Representerar en grupp av attribut, som kan vara hierarkiska. Denna klass " -"används för att hantera och organisera attributgrupper. En attributgrupp kan" -" ha en överordnad grupp som bildar en hierarkisk struktur. Detta kan vara " +"används för att hantera och organisera attributgrupper. En attributgrupp kan " +"ha en överordnad grupp som bildar en hierarkisk struktur. Detta kan vara " "användbart för att kategorisera och hantera attribut på ett mer effektivt " "sätt i ett komplext system." @@ -1585,10 +1588,10 @@ msgstr "" "Representerar en vendor-enhet som kan lagra information om externa " "leverantörer och deras interaktionskrav. Klassen Vendor används för att " "definiera och hantera information som är relaterad till en extern " -"leverantör. Den lagrar leverantörens namn, autentiseringsuppgifter som krävs" -" för kommunikation och den procentuella markering som tillämpas på produkter" -" som hämtas från leverantören. Modellen innehåller också ytterligare " -"metadata och begränsningar, vilket gör den lämplig att använda i system som " +"leverantör. Den lagrar leverantörens namn, autentiseringsuppgifter som krävs " +"för kommunikation och den procentuella markering som tillämpas på produkter " +"som hämtas från leverantören. Modellen innehåller också ytterligare metadata " +"och begränsningar, vilket gör den lämplig att använda i system som " "interagerar med tredjepartsleverantörer." #: engine/core/models.py:122 @@ -1646,8 +1649,8 @@ msgstr "" "identifiera produkter. Klassen ProductTag är utformad för att unikt " "identifiera och klassificera produkter genom en kombination av en intern " "taggidentifierare och ett användarvänligt visningsnamn. Den stöder " -"operationer som exporteras via mixins och tillhandahåller metadataanpassning" -" för administrativa ändamål." +"operationer som exporteras via mixins och tillhandahåller metadataanpassning " +"för administrativa ändamål." #: engine/core/models.py:204 engine/core/models.py:235 msgid "internal tag identifier for the product tag" @@ -1706,8 +1709,8 @@ msgstr "" "innehåller fält för metadata och visuell representation, som utgör grunden " "för kategorirelaterade funktioner. Den här klassen används vanligtvis för " "att definiera och hantera produktkategorier eller andra liknande " -"grupperingar inom en applikation, så att användare eller administratörer kan" -" ange namn, beskrivning och hierarki för kategorier samt tilldela attribut " +"grupperingar inom en applikation, så att användare eller administratörer kan " +"ange namn, beskrivning och hierarki för kategorier samt tilldela attribut " "som bilder, taggar eller prioritet." #: engine/core/models.py:269 @@ -1759,8 +1762,7 @@ msgid "" "Represents a Brand object in the system. This class handles information and " "attributes related to a brand, including its name, logos, description, " "associated categories, a unique slug, and priority order. It allows for the " -"organization and representation of brand-related data within the " -"application." +"organization and representation of brand-related data within the application." msgstr "" "Representerar ett Brand-objekt i systemet. Klassen hanterar information och " "attribut som är relaterade till ett varumärke, inklusive dess namn, " @@ -1810,8 +1812,8 @@ msgstr "Kategorier" #: engine/core/models.py:516 msgid "" -"Represents the stock of a product managed in the system. This class provides" -" details about the relationship between vendors, products, and their stock " +"Represents the stock of a product managed in the system. This class provides " +"details about the relationship between vendors, products, and their stock " "information, as well as inventory-related properties like price, purchase " "price, quantity, SKU, and digital assets. It is part of the inventory " "management system to allow tracking and evaluation of products available " @@ -1903,8 +1905,8 @@ msgstr "" "Representerar en produkt med attribut som kategori, varumärke, taggar, " "digital status, namn, beskrivning, artikelnummer och slug. Tillhandahåller " "relaterade verktygsegenskaper för att hämta betyg, feedbackräkning, pris, " -"kvantitet och totala beställningar. Utformad för användning i ett system som" -" hanterar e-handel eller lagerhantering. Klassen interagerar med relaterade " +"kvantitet och totala beställningar. Utformad för användning i ett system som " +"hanterar e-handel eller lagerhantering. Klassen interagerar med relaterade " "modeller (t.ex. Category, Brand och ProductTag) och hanterar cachelagring " "för egenskaper som används ofta för att förbättra prestandan. Den används " "för att definiera och manipulera produktdata och tillhörande information i " @@ -1971,16 +1973,16 @@ msgid "" "Represents an attribute in the system. This class is used to define and " "manage attributes, which are customizable pieces of data that can be " "associated with other entities. Attributes have associated categories, " -"groups, value types, and names. The model supports multiple types of values," -" including string, integer, float, boolean, array, and object. This allows " +"groups, value types, and names. The model supports multiple types of values, " +"including string, integer, float, boolean, array, and object. This allows " "for dynamic and flexible data structuring." msgstr "" -"Representerar ett attribut i systemet. Denna klass används för att definiera" -" och hantera attribut, som är anpassningsbara bitar av data som kan " +"Representerar ett attribut i systemet. Denna klass används för att definiera " +"och hantera attribut, som är anpassningsbara bitar av data som kan " "associeras med andra enheter. Attribut har associerade kategorier, grupper, " "värdetyper och namn. Modellen stöder flera typer av värden, inklusive " -"sträng, heltal, flottör, boolean, array och objekt. Detta ger möjlighet till" -" dynamisk och flexibel datastrukturering." +"sträng, heltal, flottör, boolean, array och objekt. Detta ger möjlighet till " +"dynamisk och flexibel datastrukturering." #: engine/core/models.py:755 msgid "group of this attribute" @@ -2042,9 +2044,9 @@ msgstr "Attribut" #: engine/core/models.py:801 msgid "" -"Represents a specific value for an attribute that is linked to a product. It" -" links the 'attribute' to a unique 'value', allowing better organization and" -" dynamic representation of product characteristics." +"Represents a specific value for an attribute that is linked to a product. It " +"links the 'attribute' to a unique 'value', allowing better organization and " +"dynamic representation of product characteristics." msgstr "" "Representerar ett specifikt värde för ett attribut som är kopplat till en " "produkt. Det kopplar \"attributet\" till ett unikt \"värde\", vilket " @@ -2066,8 +2068,8 @@ msgstr "Det specifika värdet för detta attribut" #: engine/core/models.py:839 msgid "" "Represents a product image associated with a product in the system. This " -"class is designed to manage images for products, including functionality for" -" uploading image files, associating them with specific products, and " +"class is designed to manage images for products, including functionality for " +"uploading image files, associating them with specific products, and " "determining their display order. It also includes an accessibility feature " "with alternative text for the images." msgstr "" @@ -2115,8 +2117,8 @@ msgid "" "is used to define and manage promotional campaigns that offer a percentage-" "based discount for products. The class includes attributes for setting the " "discount rate, providing details about the promotion, and linking it to the " -"applicable products. It integrates with the product catalog to determine the" -" affected items in the campaign." +"applicable products. It integrates with the product catalog to determine the " +"affected items in the campaign." msgstr "" "Representerar en kampanj för produkter med rabatt. Den här klassen används " "för att definiera och hantera kampanjer som erbjuder en procentbaserad " @@ -2165,8 +2167,8 @@ msgid "" "operations for adding and removing multiple products at once." msgstr "" "Representerar en användares önskelista för lagring och hantering av önskade " -"produkter. Klassen tillhandahåller funktionalitet för att hantera en samling" -" produkter, med stöd för operationer som att lägga till och ta bort " +"produkter. Klassen tillhandahåller funktionalitet för att hantera en samling " +"produkter, med stöd för operationer som att lägga till och ta bort " "produkter, samt stöd för operationer för att lägga till och ta bort flera " "produkter samtidigt." @@ -2192,15 +2194,15 @@ msgid "" "store information about documentaries related to specific products, " "including file uploads and their metadata. It contains methods and " "properties to handle the file type and storage path for the documentary " -"files. It extends functionality from specific mixins and provides additional" -" custom features." +"files. It extends functionality from specific mixins and provides additional " +"custom features." msgstr "" "Representerar en dokumentärpost som är knuten till en produkt. Denna klass " "används för att lagra information om dokumentärer som är relaterade till " "specifika produkter, inklusive filuppladdningar och deras metadata. Den " "innehåller metoder och egenskaper för att hantera filtyp och lagringssökväg " -"för dokumentärfilerna. Den utökar funktionaliteten från specifika mixins och" -" tillhandahåller ytterligare anpassade funktioner." +"för dokumentärfilerna. Den utökar funktionaliteten från specifika mixins och " +"tillhandahåller ytterligare anpassade funktioner." #: engine/core/models.py:1024 msgid "documentary" @@ -2216,24 +2218,24 @@ msgstr "Olöst" #: engine/core/models.py:1040 msgid "" -"Represents an address entity that includes location details and associations" -" with a user. Provides functionality for geographic and address data " -"storage, as well as integration with geocoding services. This class is " -"designed to store detailed address information including components like " -"street, city, region, country, and geolocation (longitude and latitude). It " -"supports integration with geocoding APIs, enabling the storage of raw API " -"responses for further processing or inspection. The class also allows " -"associating an address with a user, facilitating personalized data handling." +"Represents an address entity that includes location details and associations " +"with a user. Provides functionality for geographic and address data storage, " +"as well as integration with geocoding services. This class is designed to " +"store detailed address information including components like street, city, " +"region, country, and geolocation (longitude and latitude). It supports " +"integration with geocoding APIs, enabling the storage of raw API responses " +"for further processing or inspection. The class also allows associating an " +"address with a user, facilitating personalized data handling." msgstr "" "Representerar en adressentitet som innehåller platsinformation och " "associationer med en användare. Tillhandahåller funktionalitet för lagring " -"av geografiska data och adressdata samt integration med geokodningstjänster." -" Denna klass är utformad för att lagra detaljerad adressinformation " -"inklusive komponenter som gata, stad, region, land och geolokalisering " -"(longitud och latitud). Den stöder integration med API:er för geokodning, " -"vilket möjliggör lagring av råa API-svar för vidare bearbetning eller " -"inspektion. Klassen gör det också möjligt att associera en adress med en " -"användare, vilket underlättar personlig datahantering." +"av geografiska data och adressdata samt integration med geokodningstjänster. " +"Denna klass är utformad för att lagra detaljerad adressinformation inklusive " +"komponenter som gata, stad, region, land och geolokalisering (longitud och " +"latitud). Den stöder integration med API:er för geokodning, vilket möjliggör " +"lagring av råa API-svar för vidare bearbetning eller inspektion. Klassen gör " +"det också möjligt att associera en adress med en användare, vilket " +"underlättar personlig datahantering." #: engine/core/models.py:1055 msgid "address line for the customer" @@ -2374,8 +2376,8 @@ msgid "" "only one type of discount should be defined (amount or percent), but not " "both or neither." msgstr "" -"Endast en typ av rabatt ska definieras (belopp eller procent), men inte båda" -" eller ingendera." +"Endast en typ av rabatt ska definieras (belopp eller procent), men inte båda " +"eller ingendera." #: engine/core/models.py:1205 msgid "promocode already used" @@ -2390,8 +2392,8 @@ msgstr "Ogiltig rabattyp för promokod {self.uuid}!" msgid "" "Represents an order placed by a user. This class models an order within the " "application, including its various attributes such as billing and shipping " -"information, status, associated user, notifications, and related operations." -" Orders can have associated products, promotions can be applied, addresses " +"information, status, associated user, notifications, and related operations. " +"Orders can have associated products, promotions can be applied, addresses " "set, and shipping or billing details updated. Equally, functionality " "supports managing the products in the order lifecycle." msgstr "" @@ -2559,9 +2561,9 @@ msgstr "" "Hanterar feedback från användare för produkter. Den här klassen är utformad " "för att fånga upp och lagra feedback från användare om specifika produkter " "som de har köpt. Den innehåller attribut för att lagra användarkommentarer, " -"en referens till den relaterade produkten i ordern och ett användartilldelat" -" betyg. Klassen använder databasfält för att effektivt modellera och hantera" -" feedbackdata." +"en referens till den relaterade produkten i ordern och ett användartilldelat " +"betyg. Klassen använder databasfält för att effektivt modellera och hantera " +"feedbackdata." #: engine/core/models.py:1818 msgid "user-provided comments about their experience with the product" @@ -2572,11 +2574,10 @@ msgid "feedback comments" msgstr "Återkoppling av kommentarer" #: engine/core/models.py:1827 -msgid "" -"references the specific product in an order that this feedback is about" +msgid "references the specific product in an order that this feedback is about" msgstr "" -"Refererar till den specifika produkten i en order som denna feedback handlar" -" om" +"Refererar till den specifika produkten i en order som denna feedback handlar " +"om" #: engine/core/models.py:1829 msgid "related order product" @@ -2606,10 +2607,10 @@ msgstr "" "OrderProduct-modellen innehåller information om en produkt som ingår i en " "order, inklusive detaljer som inköpspris, kvantitet, produktattribut och " "status. Den hanterar meddelanden till användaren och administratörer och " -"hanterar åtgärder som att returnera produktsaldot eller lägga till feedback." -" Modellen innehåller också metoder och egenskaper som stöder affärslogik, " -"t.ex. beräkning av totalpriset eller generering av en URL för nedladdning av" -" digitala produkter. Modellen integreras med Order- och Product-modellerna " +"hanterar åtgärder som att returnera produktsaldot eller lägga till feedback. " +"Modellen innehåller också metoder och egenskaper som stöder affärslogik, t." +"ex. beräkning av totalpriset eller generering av en URL för nedladdning av " +"digitala produkter. Modellen integreras med Order- och Product-modellerna " "och lagrar en referens till dem." #: engine/core/models.py:1870 @@ -2718,17 +2719,17 @@ msgid "" "Represents the downloading functionality for digital assets associated with " "orders. The DigitalAssetDownload class provides the ability to manage and " "access downloads related to order products. It maintains information about " -"the associated order product, the number of downloads, and whether the asset" -" is publicly visible. It includes a method to generate a URL for downloading" -" the asset when the associated order is in a completed status." +"the associated order product, the number of downloads, and whether the asset " +"is publicly visible. It includes a method to generate a URL for downloading " +"the asset when the associated order is in a completed status." msgstr "" -"Representerar nedladdningsfunktionen för digitala tillgångar som är kopplade" -" till order. Klassen DigitalAssetDownload ger möjlighet att hantera och " -"komma åt nedladdningar som är relaterade till orderprodukter. Den " -"upprätthåller information om den associerade orderprodukten, antalet " -"nedladdningar och om tillgången är offentligt synlig. Den innehåller en " -"metod för att generera en URL för nedladdning av tillgången när den " -"associerade ordern har statusen slutförd." +"Representerar nedladdningsfunktionen för digitala tillgångar som är kopplade " +"till order. Klassen DigitalAssetDownload ger möjlighet att hantera och komma " +"åt nedladdningar som är relaterade till orderprodukter. Den upprätthåller " +"information om den associerade orderprodukten, antalet nedladdningar och om " +"tillgången är offentligt synlig. Den innehåller en metod för att generera en " +"URL för nedladdning av tillgången när den associerade ordern har statusen " +"slutförd." #: engine/core/models.py:2092 msgid "download" @@ -2742,8 +2743,8 @@ msgstr "Nedladdningar" msgid "" "you must provide a comment, rating, and order product uuid to add feedback." msgstr "" -"du måste ge en kommentar, betyg och beställa produkt uuid för att lägga till" -" feedback." +"du måste ge en kommentar, betyg och beställa produkt uuid för att lägga till " +"feedback." #: engine/core/sitemaps.py:25 msgid "Home" @@ -2935,7 +2936,8 @@ msgstr "Hej %(order.user.first_name)s," #, python-format msgid "" "thank you for your order #%(order.pk)s! we are pleased to inform you that\n" -" we have taken your order into work. below are the details of your\n" +" we have taken your order into work. below are " +"the details of your\n" " order:" msgstr "" "Tack för din beställning #%(order.pk)s! Vi är glada att kunna informera dig " @@ -3050,7 +3052,8 @@ msgstr "" #: engine/core/templates/shipped_order_created_email.html:101 #: engine/core/templates/shipped_order_delivered_email.html:101 msgid "" -"thank you for your order! we are pleased to confirm your purchase. below are\n" +"thank you for your order! we are pleased to confirm your purchase. below " +"are\n" " the details of your order:" msgstr "" "Tack för din beställning! Vi är glada att kunna bekräfta ditt köp. Nedan " @@ -3180,10 +3183,14 @@ msgstr "Hanterar logiken i att köpa som ett företag utan registrering." #: engine/core/views.py:337 msgid "" "Handles the downloading of a digital asset associated with an order.\n" -"This function attempts to serve the digital asset file located in the storage directory of the project. If the file is not found, an HTTP 404 error is raised to indicate the resource is unavailable." +"This function attempts to serve the digital asset file located in the " +"storage directory of the project. If the file is not found, an HTTP 404 " +"error is raised to indicate the resource is unavailable." msgstr "" "Hanterar nedladdning av en digital tillgång som är kopplad till en order.\n" -"Denna funktion försöker servera den digitala tillgångsfilen som finns i lagringskatalogen för projektet. Om filen inte hittas visas ett HTTP 404-fel som indikerar att resursen inte är tillgänglig." +"Denna funktion försöker servera den digitala tillgångsfilen som finns i " +"lagringskatalogen för projektet. Om filen inte hittas visas ett HTTP 404-fel " +"som indikerar att resursen inte är tillgänglig." #: engine/core/views.py:348 msgid "order_product_uuid is required" @@ -3212,15 +3219,19 @@ msgstr "favicon hittades inte" #: engine/core/views.py:418 msgid "" "Handles requests for the favicon of a website.\n" -"This function attempts to serve the favicon file located in the static directory of the project. If the favicon file is not found, an HTTP 404 error is raised to indicate the resource is unavailable." +"This function attempts to serve the favicon file located in the static " +"directory of the project. If the favicon file is not found, an HTTP 404 " +"error is raised to indicate the resource is unavailable." msgstr "" "Hanterar förfrågningar om favicon på en webbplats.\n" -"Denna funktion försöker servera favicon-filen som finns i den statiska katalogen i projektet. Om favicon-filen inte hittas visas ett HTTP 404-fel som anger att resursen inte är tillgänglig." +"Denna funktion försöker servera favicon-filen som finns i den statiska " +"katalogen i projektet. Om favicon-filen inte hittas visas ett HTTP 404-fel " +"som anger att resursen inte är tillgänglig." #: engine/core/views.py:432 msgid "" -"Redirects the request to the admin index page. The function handles incoming" -" HTTP requests and redirects them to the Django admin interface index page. " +"Redirects the request to the admin index page. The function handles incoming " +"HTTP requests and redirects them to the Django admin interface index page. " "It uses Django's `redirect` function for handling the HTTP redirection." msgstr "" "Omdirigerar begäran till indexsidan för admin. Funktionen hanterar " @@ -3250,24 +3261,23 @@ msgid "" "and rendering formats." msgstr "" "Definierar en vy för hantering av Evibes-relaterade operationer. Klassen " -"EvibesViewSet ärver från ModelViewSet och tillhandahåller funktionalitet för" -" att hantera åtgärder och operationer på Evibes-entiteter. Den innehåller " +"EvibesViewSet ärver från ModelViewSet och tillhandahåller funktionalitet för " +"att hantera åtgärder och operationer på Evibes-entiteter. Den innehåller " "stöd för dynamiska serializerklasser baserat på den aktuella åtgärden, " "anpassningsbara behörigheter och renderingsformat." #: engine/core/viewsets.py:160 msgid "" -"Represents a viewset for managing AttributeGroup objects. Handles operations" -" related to AttributeGroup, including filtering, serialization, and " -"retrieval of data. This class is part of the application's API layer and " -"provides a standardized way to process requests and responses for " -"AttributeGroup data." +"Represents a viewset for managing AttributeGroup objects. Handles operations " +"related to AttributeGroup, including filtering, serialization, and retrieval " +"of data. This class is part of the application's API layer and provides a " +"standardized way to process requests and responses for AttributeGroup data." msgstr "" "Representerar en vy för hantering av AttributeGroup-objekt. Hanterar " -"åtgärder relaterade till AttributeGroup, inklusive filtrering, serialisering" -" och hämtning av data. Denna klass är en del av applikationens API-lager och" -" tillhandahåller ett standardiserat sätt att behandla förfrågningar och svar" -" för AttributeGroup-data." +"åtgärder relaterade till AttributeGroup, inklusive filtrering, serialisering " +"och hämtning av data. Denna klass är en del av applikationens API-lager och " +"tillhandahåller ett standardiserat sätt att behandla förfrågningar och svar " +"för AttributeGroup-data." #: engine/core/viewsets.py:179 msgid "" @@ -3290,8 +3300,8 @@ msgid "" "A viewset for managing AttributeValue objects. This viewset provides " "functionality for listing, retrieving, creating, updating, and deleting " "AttributeValue objects. It integrates with Django REST Framework's viewset " -"mechanisms and uses appropriate serializers for different actions. Filtering" -" capabilities are provided through the DjangoFilterBackend." +"mechanisms and uses appropriate serializers for different actions. Filtering " +"capabilities are provided through the DjangoFilterBackend." msgstr "" "Ett viewset för hantering av AttributeValue-objekt. Denna viewset " "tillhandahåller funktionalitet för att lista, hämta, skapa, uppdatera och " @@ -3321,8 +3331,8 @@ msgid "" "endpoints for Brand objects." msgstr "" "Representerar en vy för hantering av varumärkesinstanser. Denna klass " -"tillhandahåller funktionalitet för att fråga, filtrera och serialisera " -"Brand-objekt. Den använder Djangos ViewSet-ramverk för att förenkla " +"tillhandahåller funktionalitet för att fråga, filtrera och serialisera Brand-" +"objekt. Den använder Djangos ViewSet-ramverk för att förenkla " "implementeringen av API-slutpunkter för varumärkesobjekt." #: engine/core/viewsets.py:458 @@ -3336,8 +3346,8 @@ msgid "" "product." msgstr "" "Hanterar operationer relaterade till modellen `Product` i systemet. Denna " -"klass tillhandahåller en vy för att hantera produkter, inklusive filtrering," -" serialisering och operationer på specifika instanser. Den utökar från " +"klass tillhandahåller en vy för att hantera produkter, inklusive filtrering, " +"serialisering och operationer på specifika instanser. Den utökar från " "`EvibesViewSet` för att använda gemensam funktionalitet och integreras med " "Django REST-ramverket för RESTful API-operationer. Innehåller metoder för " "att hämta produktinformation, tillämpa behörigheter och få tillgång till " @@ -3351,8 +3361,8 @@ msgid "" "actions. The purpose of this class is to provide streamlined access to " "Vendor-related resources through the Django REST framework." msgstr "" -"Representerar en vy för hantering av Vendor-objekt. Denna vy gör det möjligt" -" att hämta, filtrera och serialisera Vendor-data. Den definierar queryset, " +"Representerar en vy för hantering av Vendor-objekt. Denna vy gör det möjligt " +"att hämta, filtrera och serialisera Vendor-data. Den definierar queryset, " "filterkonfigurationer och serializer-klasser som används för att hantera " "olika åtgärder. Syftet med denna klass är att ge strömlinjeformad åtkomst " "till Vendor-relaterade resurser genom Django REST-ramverket." @@ -3362,12 +3372,12 @@ msgid "" "Representation of a view set handling Feedback objects. This class manages " "operations related to Feedback objects, including listing, filtering, and " "retrieving details. The purpose of this view set is to provide different " -"serializers for different actions and implement permission-based handling of" -" accessible Feedback objects. It extends the base `EvibesViewSet` and makes " +"serializers for different actions and implement permission-based handling of " +"accessible Feedback objects. It extends the base `EvibesViewSet` and makes " "use of Django's filtering system for querying data." msgstr "" -"Representation av en vyuppsättning som hanterar Feedback-objekt. Denna klass" -" hanterar åtgärder relaterade till Feedback-objekt, inklusive listning, " +"Representation av en vyuppsättning som hanterar Feedback-objekt. Denna klass " +"hanterar åtgärder relaterade till Feedback-objekt, inklusive listning, " "filtrering och hämtning av detaljer. Syftet med denna vyuppsättning är att " "tillhandahålla olika serializers för olika åtgärder och implementera " "behörighetsbaserad hantering av tillgängliga Feedback-objekt. Den utökar " @@ -3379,15 +3389,15 @@ msgid "" "ViewSet for managing orders and related operations. This class provides " "functionality to retrieve, modify, and manage order objects. It includes " "various endpoints for handling order operations such as adding or removing " -"products, performing purchases for registered as well as unregistered users," -" and retrieving the current authenticated user's pending orders. The ViewSet" -" uses multiple serializers based on the specific action being performed and " +"products, performing purchases for registered as well as unregistered users, " +"and retrieving the current authenticated user's pending orders. The ViewSet " +"uses multiple serializers based on the specific action being performed and " "enforces permissions accordingly while interacting with order data." msgstr "" "ViewSet för hantering av order och relaterade operationer. Den här klassen " "innehåller funktioner för att hämta, ändra och hantera orderobjekt. Den " -"innehåller olika slutpunkter för hantering av orderoperationer som att lägga" -" till eller ta bort produkter, utföra inköp för registrerade och " +"innehåller olika slutpunkter för hantering av orderoperationer som att lägga " +"till eller ta bort produkter, utföra inköp för registrerade och " "oregistrerade användare och hämta den aktuella autentiserade användarens " "pågående order. ViewSet använder flera serializers baserat på den specifika " "åtgärd som utförs och verkställer behörigheter i enlighet med detta vid " @@ -3397,8 +3407,8 @@ msgstr "" msgid "" "Provides a viewset for managing OrderProduct entities. This viewset enables " "CRUD operations and custom actions specific to the OrderProduct model. It " -"includes filtering, permission checks, and serializer switching based on the" -" requested action. Additionally, it provides a detailed action for handling " +"includes filtering, permission checks, and serializer switching based on the " +"requested action. Additionally, it provides a detailed action for handling " "feedback on OrderProduct instances" msgstr "" "Tillhandahåller en vy för hantering av OrderProduct-enheter. Denna " @@ -3432,8 +3442,8 @@ msgstr "Hanterar åtgärder relaterade till lagerdata i systemet." msgid "" "ViewSet for managing Wishlist operations. The WishlistViewSet provides " "endpoints for interacting with a user's wish list, allowing for the " -"retrieval, modification, and customization of products within the wish list." -" This ViewSet facilitates functionality such as adding, removing, and bulk " +"retrieval, modification, and customization of products within the wish list. " +"This ViewSet facilitates functionality such as adding, removing, and bulk " "actions for wishlist products. Permission checks are integrated to ensure " "that users can only manage their own wishlists unless explicit permissions " "are granted." @@ -3476,5 +3486,5 @@ msgstr "" "Hanterar operationer relaterade till Product Tags inom applikationen. " "Klassen tillhandahåller funktionalitet för att hämta, filtrera och " "serialisera Product Tag-objekt. Den stöder flexibel filtrering på specifika " -"attribut med hjälp av det angivna filterbackend och använder dynamiskt olika" -" serializers baserat på den åtgärd som utförs." +"attribut med hjälp av det angivna filterbackend och använder dynamiskt olika " +"serializers baserat på den åtgärd som utförs." diff --git a/engine/core/locale/th_TH/LC_MESSAGES/django.mo b/engine/core/locale/th_TH/LC_MESSAGES/django.mo index b8f4227064a07b3fd1b03cc20a3be3e37cd39724..9ffd93cb356a4ebc9ac578d0a400576c48915d8a 100644 GIT binary patch delta 22 ecmbQ-#5uW%b3^wrW-~p*=DuUw`;IZTRsjHOYzepk delta 22 ecmbQ-#5uW%b3^wrW>Y\n" "Language-Team: BRITISH ENGLISH \n" @@ -27,11 +27,8 @@ msgstr "กำลังใช้งานอยู่" #: engine/core/abstract.py:22 msgid "" -"if set to false, this object can't be seen by users without needed " -"permission" -msgstr "" -"หากตั้งค่าเป็น false, " -"วัตถุนี้ไม่สามารถมองเห็นได้โดยผู้ใช้ที่ไม่มีสิทธิ์ที่ต้องการ" +"if set to false, this object can't be seen by users without needed permission" +msgstr "หากตั้งค่าเป็น false, วัตถุนี้ไม่สามารถมองเห็นได้โดยผู้ใช้ที่ไม่มีสิทธิ์ที่ต้องการ" #: engine/core/abstract.py:26 engine/core/choices.py:18 msgid "created" @@ -91,8 +88,8 @@ msgstr "ยกเลิกการใช้งานที่เลือกไ msgid "selected items have been deactivated." msgstr "รายการที่เลือกถูกยกเลิกการใช้งานแล้ว!" -#: engine/core/admin.py:196 engine/core/graphene/object_types.py:652 -#: engine/core/graphene/object_types.py:659 engine/core/models.py:825 +#: engine/core/admin.py:196 engine/core/graphene/object_types.py:653 +#: engine/core/graphene/object_types.py:660 engine/core/models.py:825 #: engine/core/models.py:833 msgid "attribute value" msgstr "ค่าคุณสมบัติ" @@ -106,7 +103,7 @@ msgstr "ค่าของแอตทริบิวต์" msgid "image" msgstr "ภาพ" -#: engine/core/admin.py:209 engine/core/graphene/object_types.py:529 +#: engine/core/admin.py:209 engine/core/graphene/object_types.py:530 msgid "images" msgstr "รูปภาพ" @@ -114,7 +111,7 @@ msgstr "รูปภาพ" msgid "stock" msgstr "สต็อก" -#: engine/core/admin.py:221 engine/core/graphene/object_types.py:712 +#: engine/core/admin.py:221 engine/core/graphene/object_types.py:713 msgid "stocks" msgstr "หุ้น" @@ -122,7 +119,7 @@ msgstr "หุ้น" msgid "order product" msgstr "สั่งซื้อสินค้า" -#: engine/core/admin.py:233 engine/core/graphene/object_types.py:440 +#: engine/core/admin.py:233 engine/core/graphene/object_types.py:441 #: engine/core/models.py:1932 msgid "order products" msgstr "สั่งซื้อสินค้า" @@ -155,8 +152,7 @@ msgstr "ส่งมอบแล้ว" msgid "canceled" msgstr "ยกเลิก" -#: engine/core/choices.py:8 engine/core/choices.py:16 -#: engine/core/choices.py:24 +#: engine/core/choices.py:8 engine/core/choices.py:16 engine/core/choices.py:24 msgid "failed" msgstr "ล้มเหลว" @@ -206,8 +202,8 @@ msgid "" "apply only a key to read permitted data from cache.\n" "apply key, data and timeout with authentication to write data to cache." msgstr "" -"ใช้เฉพาะคีย์เพื่ออ่านข้อมูลที่ได้รับอนุญาตจากแคช ใช้คีย์ ข้อมูล " -"และระยะเวลาหมดอายุ พร้อมการยืนยันตัวตนเพื่อเขียนข้อมูลลงในแคช" +"ใช้เฉพาะคีย์เพื่ออ่านข้อมูลที่ได้รับอนุญาตจากแคช ใช้คีย์ ข้อมูล และระยะเวลาหมดอายุ " +"พร้อมการยืนยันตัวตนเพื่อเขียนข้อมูลลงในแคช" #: engine/core/docs/drf/views.py:66 msgid "get a list of supported languages" @@ -242,8 +238,7 @@ msgid "" "purchase an order as a business, using the provided `products` with " "`product_uuid` and `attributes`." msgstr "" -"ซื้อสินค้าในฐานะธุรกิจ โดยใช้ `products` ที่ให้มาพร้อมกับ `product_uuid` และ" -" `attributes`" +"ซื้อสินค้าในฐานะธุรกิจ โดยใช้ `products` ที่ให้มาพร้อมกับ `product_uuid` และ `attributes`" #: engine/core/docs/drf/views.py:180 msgid "download a digital asset from purchased digital order" @@ -267,15 +262,11 @@ msgstr "ลบกลุ่มแอตทริบิวต์" #: engine/core/docs/drf/viewsets.py:99 msgid "rewrite an existing attribute group saving non-editables" -msgstr "" -"เขียนกลุ่มคุณลักษณะที่มีอยู่ใหม่โดยเก็บรักษาข้อมูลที่ไม่สามารถแก้ไขได้" +msgstr "เขียนกลุ่มคุณลักษณะที่มีอยู่ใหม่โดยเก็บรักษาข้อมูลที่ไม่สามารถแก้ไขได้" #: engine/core/docs/drf/viewsets.py:107 -msgid "" -"rewrite some fields of an existing attribute group saving non-editables" -msgstr "" -"เขียนฟิลด์บางส่วนของกลุ่มแอตทริบิวต์ที่มีอยู่ใหม่ " -"โดยเก็บรักษาข้อมูลที่ไม่สามารถแก้ไขได้" +msgid "rewrite some fields of an existing attribute group saving non-editables" +msgstr "เขียนฟิลด์บางส่วนของกลุ่มแอตทริบิวต์ที่มีอยู่ใหม่ โดยเก็บรักษาข้อมูลที่ไม่สามารถแก้ไขได้" #: engine/core/docs/drf/viewsets.py:118 msgid "list all attributes (simple view)" @@ -299,9 +290,7 @@ msgstr "เขียนแอตทริบิวต์ที่มีอยู #: engine/core/docs/drf/viewsets.py:156 msgid "rewrite some fields of an existing attribute saving non-editables" -msgstr "" -"เขียนฟิลด์บางส่วนของแอตทริบิวต์ที่มีอยู่ใหม่ " -"โดยบันทึกเฉพาะข้อมูลที่ไม่มีการแก้ไข" +msgstr "เขียนฟิลด์บางส่วนของแอตทริบิวต์ที่มีอยู่ใหม่ โดยบันทึกเฉพาะข้อมูลที่ไม่มีการแก้ไข" #: engine/core/docs/drf/viewsets.py:166 msgid "list all attribute values (simple view)" @@ -324,11 +313,8 @@ msgid "rewrite an existing attribute value saving non-editables" msgstr "เขียนค่าแอตทริบิวต์ที่มีอยู่ใหม่โดยเก็บค่าที่ไม่สามารถแก้ไขได้" #: engine/core/docs/drf/viewsets.py:208 -msgid "" -"rewrite some fields of an existing attribute value saving non-editables" -msgstr "" -"เขียนฟิลด์บางส่วนของค่าแอตทริบิวต์ที่มีอยู่ใหม่ " -"โดยเก็บค่าที่ไม่สามารถแก้ไขได้ไว้" +msgid "rewrite some fields of an existing attribute value saving non-editables" +msgstr "เขียนฟิลด์บางส่วนของค่าแอตทริบิวต์ที่มีอยู่ใหม่ โดยเก็บค่าที่ไม่สามารถแก้ไขได้ไว้" #: engine/core/docs/drf/viewsets.py:219 engine/core/docs/drf/viewsets.py:220 msgid "list all categories (simple view)" @@ -356,15 +342,13 @@ msgstr "เขียนหมวดหมู่ที่มีอยู่ให #: engine/core/docs/drf/viewsets.py:270 engine/core/docs/drf/viewsets.py:272 msgid "rewrite some fields of an existing category saving non-editables" -msgstr "" -"เขียนฟิลด์บางส่วนของหมวดหมู่ที่มีอยู่แล้วใหม่ " -"โดยบันทึกเฉพาะข้อมูลที่ไม่สามารถแก้ไขได้" +msgstr "เขียนฟิลด์บางส่วนของหมวดหมู่ที่มีอยู่แล้วใหม่ โดยบันทึกเฉพาะข้อมูลที่ไม่สามารถแก้ไขได้" #: engine/core/docs/drf/viewsets.py:280 engine/core/docs/drf/viewsets.py:757 #: engine/core/docs/drf/viewsets.py:1046 #: engine/core/graphene/object_types.py:119 -#: engine/core/graphene/object_types.py:238 -#: engine/core/graphene/object_types.py:539 +#: engine/core/graphene/object_types.py:239 +#: engine/core/graphene/object_types.py:540 msgid "SEO Meta snapshot" msgstr "SEO Meta snapshot" @@ -382,11 +366,11 @@ msgstr "สำหรับผู้ใช้ที่ไม่ใช่พนั #: engine/core/docs/drf/viewsets.py:309 msgid "" -"Case-insensitive substring search across human_readable_id, " -"order_products.product.name, and order_products.product.partnumber" +"Case-insensitive substring search across human_readable_id, order_products." +"product.name, and order_products.product.partnumber" msgstr "" -"การค้นหาส่วนย่อยโดยไม่คำนึงถึงตัวพิมพ์เล็กหรือใหญ่ใน human_readable_id, " -"order_products.product.name และ order_products.product.partnumber" +"การค้นหาส่วนย่อยโดยไม่คำนึงถึงตัวพิมพ์เล็กหรือใหญ่ใน human_readable_id, order_products." +"product.name และ order_products.product.partnumber" #: engine/core/docs/drf/viewsets.py:316 msgid "Filter orders with buy_time >= this ISO 8601 datetime" @@ -406,8 +390,7 @@ msgstr "กรองตามหมายเลขคำสั่งซื้อ #: engine/core/docs/drf/viewsets.py:336 msgid "Filter by user's email (case-insensitive exact match)" -msgstr "" -"กรองตามอีเมลของผู้ใช้ (ตรงตามตัวอักษรโดยไม่คำนึงถึงตัวพิมพ์ใหญ่หรือเล็ก)" +msgstr "กรองตามอีเมลของผู้ใช้ (ตรงตามตัวอักษรโดยไม่คำนึงถึงตัวพิมพ์ใหญ่หรือเล็ก)" #: engine/core/docs/drf/viewsets.py:341 msgid "Filter by user's UUID" @@ -415,18 +398,17 @@ msgstr "กรองตาม UUID ของผู้ใช้" #: engine/core/docs/drf/viewsets.py:347 msgid "Filter by order status (case-insensitive substring match)" -msgstr "" -"กรองตามสถานะคำสั่งซื้อ (การจับคู่สตริงย่อยโดยไม่คำนึงตัวพิมพ์ใหญ่/เล็ก)" +msgstr "กรองตามสถานะคำสั่งซื้อ (การจับคู่สตริงย่อยโดยไม่คำนึงตัวพิมพ์ใหญ่/เล็ก)" #: engine/core/docs/drf/viewsets.py:354 msgid "" -"Order by one of: uuid, human_readable_id, user_email, user, status, created," -" modified, buy_time, random. Prefix with '-' for descending (e.g. " -"'-buy_time')." +"Order by one of: uuid, human_readable_id, user_email, user, status, created, " +"modified, buy_time, random. Prefix with '-' for descending (e.g. '-" +"buy_time')." msgstr "" "เรียงลำดับโดยหนึ่งใน: uuid, human_readable_id, user_email, user, status, " -"created, modified, buy_time, random. นำหน้าด้วย '-' " -"สำหรับเรียงลำดับจากมากไปน้อย (เช่น '-buy_time')." +"created, modified, buy_time, random. นำหน้าด้วย '-' สำหรับเรียงลำดับจากมากไปน้อย " +"(เช่น '-buy_time')." #: engine/core/docs/drf/viewsets.py:366 msgid "retrieve a single order (detailed view)" @@ -454,9 +436,7 @@ msgstr "เขียนหมวดหมู่ที่มีอยู่ให #: engine/core/docs/drf/viewsets.py:403 msgid "rewrite some fields of an existing order saving non-editables" -msgstr "" -"เขียนฟิลด์บางส่วนของหมวดหมู่ที่มีอยู่แล้วใหม่ " -"โดยบันทึกเฉพาะข้อมูลที่ไม่สามารถแก้ไขได้" +msgstr "เขียนฟิลด์บางส่วนของหมวดหมู่ที่มีอยู่แล้วใหม่ โดยบันทึกเฉพาะข้อมูลที่ไม่สามารถแก้ไขได้" #: engine/core/docs/drf/viewsets.py:410 msgid "purchase an order" @@ -469,8 +449,8 @@ msgid "" "transaction is initiated." msgstr "" "สรุปการสั่งซื้อสินค้า หากใช้ `force_balance` " -"การสั่งซื้อจะเสร็จสมบูรณ์โดยใช้ยอดเงินคงเหลือของผู้ใช้ หากใช้ " -"`force_payment` จะเริ่มการทำธุรกรรม" +"การสั่งซื้อจะเสร็จสมบูรณ์โดยใช้ยอดเงินคงเหลือของผู้ใช้ หากใช้ `force_payment` " +"จะเริ่มการทำธุรกรรม" #: engine/core/docs/drf/viewsets.py:427 msgid "retrieve current pending order of a user" @@ -496,8 +476,7 @@ msgstr "เพิ่มสินค้าในคำสั่งซื้อ" msgid "" "adds a product to an order using the provided `product_uuid` and " "`attributes`." -msgstr "" -"เพิ่มสินค้าไปยังคำสั่งซื้อโดยใช้ `product_uuid` และ `attributes` ที่ให้มา" +msgstr "เพิ่มสินค้าไปยังคำสั่งซื้อโดยใช้ `product_uuid` และ `attributes` ที่ให้มา" #: engine/core/docs/drf/viewsets.py:461 msgid "add a list of products to order, quantities will not count" @@ -507,9 +486,7 @@ msgstr "เพิ่มรายการสินค้าที่ต้อง msgid "" "adds a list of products to an order using the provided `product_uuid` and " "`attributes`." -msgstr "" -"เพิ่มรายการสินค้าไปยังคำสั่งซื้อโดยใช้ `product_uuid` และ `attributes` " -"ที่ให้มา" +msgstr "เพิ่มรายการสินค้าไปยังคำสั่งซื้อโดยใช้ `product_uuid` และ `attributes` ที่ให้มา" #: engine/core/docs/drf/viewsets.py:472 msgid "remove product from order" @@ -519,8 +496,7 @@ msgstr "ลบสินค้าออกจากคำสั่งซื้อ msgid "" "removes a product from an order using the provided `product_uuid` and " "`attributes`." -msgstr "" -"ลบผลิตภัณฑ์ออกจากคำสั่งซื้อโดยใช้ `product_uuid` และ `attributes` ที่ให้มา" +msgstr "ลบผลิตภัณฑ์ออกจากคำสั่งซื้อโดยใช้ `product_uuid` และ `attributes` ที่ให้มา" #: engine/core/docs/drf/viewsets.py:483 msgid "remove product from order, quantities will not count" @@ -530,9 +506,7 @@ msgstr "นำสินค้าออกจากคำสั่งซื้อ msgid "" "removes a list of products from an order using the provided `product_uuid` " "and `attributes`" -msgstr "" -"ลบรายการสินค้าออกจากคำสั่งซื้อโดยใช้ `product_uuid` และ `attributes` " -"ที่ให้มา" +msgstr "ลบรายการสินค้าออกจากคำสั่งซื้อโดยใช้ `product_uuid` และ `attributes` ที่ให้มา" #: engine/core/docs/drf/viewsets.py:497 msgid "list all wishlists (simple view)" @@ -540,9 +514,7 @@ msgstr "แสดงรายการคุณลักษณะทั้งห #: engine/core/docs/drf/viewsets.py:498 msgid "for non-staff users, only their own wishlists are returned." -msgstr "" -"สำหรับผู้ใช้ที่ไม่ใช่บุคลากร " -"จะแสดงเฉพาะรายการที่อยู่ในรายการสิ่งที่ต้องการของตนเองเท่านั้น" +msgstr "สำหรับผู้ใช้ที่ไม่ใช่บุคลากร จะแสดงเฉพาะรายการที่อยู่ในรายการสิ่งที่ต้องการของตนเองเท่านั้น" #: engine/core/docs/drf/viewsets.py:508 msgid "retrieve a single wishlist (detailed view)" @@ -566,9 +538,7 @@ msgstr "เขียนแอตทริบิวต์ที่มีอยู #: engine/core/docs/drf/viewsets.py:537 msgid "rewrite some fields of an existing wishlist saving non-editables" -msgstr "" -"เขียนฟิลด์บางส่วนของแอตทริบิวต์ที่มีอยู่ใหม่ " -"โดยบันทึกเฉพาะข้อมูลที่ไม่มีการแก้ไข" +msgstr "เขียนฟิลด์บางส่วนของแอตทริบิวต์ที่มีอยู่ใหม่ โดยบันทึกเฉพาะข้อมูลที่ไม่มีการแก้ไข" #: engine/core/docs/drf/viewsets.py:544 msgid "retrieve current pending wishlist of a user" @@ -576,8 +546,7 @@ msgstr "ดึงรายการสินค้าที่ผู้ใช้ #: engine/core/docs/drf/viewsets.py:545 msgid "retrieves a current pending wishlist of an authenticated user" -msgstr "" -"ดึงรายการความปรารถนาที่รอดำเนินการในปัจจุบันของผู้ใช้ที่ผ่านการยืนยันแล้ว" +msgstr "ดึงรายการความปรารถนาที่รอดำเนินการในปัจจุบันของผู้ใช้ที่ผ่านการยืนยันแล้ว" #: engine/core/docs/drf/viewsets.py:555 msgid "add product to wishlist" @@ -601,9 +570,7 @@ msgstr "เพิ่มสินค้าหลายรายการลงใ #: engine/core/docs/drf/viewsets.py:579 msgid "adds many products to an wishlist using the provided `product_uuids`" -msgstr "" -"เพิ่มสินค้าหลายรายการลงในรายการสินค้าที่ต้องการโดยใช้ `product_uuids` " -"ที่ให้มา" +msgstr "เพิ่มสินค้าหลายรายการลงในรายการสินค้าที่ต้องการโดยใช้ `product_uuids` ที่ให้มา" #: engine/core/docs/drf/viewsets.py:588 msgid "remove many products from wishlist" @@ -612,22 +579,34 @@ msgstr "ลบสินค้าออกจากคำสั่งซื้อ #: engine/core/docs/drf/viewsets.py:590 msgid "" "removes many products from an wishlist using the provided `product_uuids`" -msgstr "" -"ลบผลิตภัณฑ์หลายรายการออกจากรายการที่ต้องการโดยใช้ `product_uuids` ที่ให้มา" +msgstr "ลบผลิตภัณฑ์หลายรายการออกจากรายการที่ต้องการโดยใช้ `product_uuids` ที่ให้มา" #: engine/core/docs/drf/viewsets.py:598 msgid "" "Filter by one or more attribute name/value pairs. \n" "• **Syntax**: `attr_name=method-value[;attr2=method2-value2]…` \n" -"• **Methods** (defaults to `icontains` if omitted): `iexact`, `exact`, `icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, `iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in` \n" -"• **Value typing**: JSON is attempted first (so you can pass lists/dicts), `true`/`false` for booleans, integers, floats; otherwise treated as string. \n" +"• **Methods** (defaults to `icontains` if omitted): `iexact`, `exact`, " +"`icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, " +"`iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in` \n" +"• **Value typing**: JSON is attempted first (so you can pass lists/dicts), " +"`true`/`false` for booleans, integers, floats; otherwise treated as " +"string. \n" "• **Base64**: prefix with `b64-` to URL-safe base64-encode the raw value. \n" "Examples: \n" -"`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\",\"bluetooth\"]`, \n" +"`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\"," +"\"bluetooth\"]`, \n" "`b64-description=icontains-aGVhdC1jb2xk`" msgstr "" -"กรองตามชื่อ/ค่าของแอตทริบิวต์หนึ่งรายการหรือมากกว่า • **ไวยากรณ์**: `attr_name=method-value[;attr2=method2-value2]…` •**วิธีการ** (ค่าเริ่มต้นคือ `icontains` หากไม่ได้ระบุ): `iexact`, `exact`, `icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, `iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in` •**การกำหนดประเภทข้อมูล**: JSON จะถูกพยายามแปลงก่อน (ดังนั้นคุณสามารถส่งรายการ/ดิคชันนารีได้), `true`/`false` สำหรับบูลีน, จำนวนเต็ม, จำนวนทศนิยม; มิฉะนั้นจะถือว่าเป็นสตริง. • **Base64**: นำหน้าด้วย `b64-` เพื่อเข้ารหัส base64 ที่ปลอดภัยสำหรับ URL ของค่าดิบ. \n" -"ตัวอย่าง: `color=exact-red`, `size=gt-10`, `features=in-[\"wifi\",\"bluetooth\"]`, `b64-description=icontains-aGVhdC1jb2xk`" +"กรองตามชื่อ/ค่าของแอตทริบิวต์หนึ่งรายการหรือมากกว่า • **ไวยากรณ์**: `attr_name=method-" +"value[;attr2=method2-value2]…` •**วิธีการ** (ค่าเริ่มต้นคือ `icontains` " +"หากไม่ได้ระบุ): `iexact`, `exact`, `icontains`, `contains`, `isnull`, " +"`startswith`, `istartswith`, `endswith`, `iendswith`, `regex`, `iregex`, " +"`lt`, `lte`, `gt`, `gte`, `in` •**การกำหนดประเภทข้อมูล**: JSON " +"จะถูกพยายามแปลงก่อน (ดังนั้นคุณสามารถส่งรายการ/ดิคชันนารีได้), `true`/`false` สำหรับบูลีน, " +"จำนวนเต็ม, จำนวนทศนิยม; มิฉะนั้นจะถือว่าเป็นสตริง. • **Base64**: นำหน้าด้วย `b64-` " +"เพื่อเข้ารหัส base64 ที่ปลอดภัยสำหรับ URL ของค่าดิบ. \n" +"ตัวอย่าง: `color=exact-red`, `size=gt-10`, `features=in-[\"wifi\"," +"\"bluetooth\"]`, `b64-description=icontains-aGVhdC1jb2xk`" #: engine/core/docs/drf/viewsets.py:617 engine/core/docs/drf/viewsets.py:618 msgid "list all products (simple view)" @@ -639,12 +618,13 @@ msgstr "(exact) รหัส UUID ของผลิตภัณฑ์" #: engine/core/docs/drf/viewsets.py:630 msgid "" -"Comma-separated list of fields to sort by. Prefix with `-` for descending. \n" +"Comma-separated list of fields to sort by. Prefix with `-` for " +"descending. \n" "**Allowed:** uuid, rating, name, slug, created, modified, price, random" msgstr "" -"รายการฟิลด์ที่คั่นด้วยเครื่องหมายจุลภาคเพื่อเรียงลำดับ โดยให้ขึ้นต้นด้วย `-`" -" สำหรับการเรียงลำดับจากน้อยไปมาก **ที่อนุญาต:** uuid, rating, name, slug, " -"created, modified, price, random" +"รายการฟิลด์ที่คั่นด้วยเครื่องหมายจุลภาคเพื่อเรียงลำดับ โดยให้ขึ้นต้นด้วย `-` " +"สำหรับการเรียงลำดับจากน้อยไปมาก **ที่อนุญาต:** uuid, rating, name, slug, created, " +"modified, price, random" #: engine/core/docs/drf/viewsets.py:647 engine/core/docs/drf/viewsets.py:648 msgid "retrieve a single product (detailed view)" @@ -667,8 +647,7 @@ msgstr "เขียนใหม่ผลิตภัณฑ์ที่มีอ #: engine/core/docs/drf/viewsets.py:697 engine/core/docs/drf/viewsets.py:700 msgid "" "update some fields of an existing product, preserving non-editable fields" -msgstr "" -"อัปเดตบางฟิลด์ของสินค้าที่มีอยู่แล้ว โดยคงฟิลด์ที่ไม่สามารถแก้ไขได้ไว้" +msgstr "อัปเดตบางฟิลด์ของสินค้าที่มีอยู่แล้ว โดยคงฟิลด์ที่ไม่สามารถแก้ไขได้ไว้" #: engine/core/docs/drf/viewsets.py:719 engine/core/docs/drf/viewsets.py:720 msgid "delete a product" @@ -740,9 +719,7 @@ msgstr "เขียนใหม่ข้อเสนอแนะที่มี #: engine/core/docs/drf/viewsets.py:909 msgid "rewrite some fields of an existing feedback saving non-editables" -msgstr "" -"เขียนข้อมูลบางส่วนของฟิลด์ในข้อเสนอแนะที่มีอยู่ใหม่ " -"โดยเก็บรักษาข้อมูลที่ไม่สามารถแก้ไขได้" +msgstr "เขียนข้อมูลบางส่วนของฟิลด์ในข้อเสนอแนะที่มีอยู่ใหม่ โดยเก็บรักษาข้อมูลที่ไม่สามารถแก้ไขได้" #: engine/core/docs/drf/viewsets.py:919 msgid "list all order–product relations (simple view)" @@ -750,9 +727,7 @@ msgstr "แสดงความสัมพันธ์ระหว่างค #: engine/core/docs/drf/viewsets.py:929 msgid "retrieve a single order–product relation (detailed view)" -msgstr "" -"ดึงความสัมพันธ์ระหว่างคำสั่งซื้อและผลิตภัณฑ์เพียงรายการเดียว " -"(มุมมองรายละเอียด)" +msgstr "ดึงความสัมพันธ์ระหว่างคำสั่งซื้อและผลิตภัณฑ์เพียงรายการเดียว (มุมมองรายละเอียด)" #: engine/core/docs/drf/viewsets.py:939 msgid "create a new order–product relation" @@ -772,8 +747,7 @@ msgstr "ลบความสัมพันธ์ระหว่างคำส #: engine/core/docs/drf/viewsets.py:979 msgid "add or remove feedback on an order–product relation" -msgstr "" -"เพิ่มหรือลบความคิดเห็นเกี่ยวกับความสัมพันธ์ระหว่างคำสั่งซื้อและผลิตภัณฑ์" +msgstr "เพิ่มหรือลบความคิดเห็นเกี่ยวกับความสัมพันธ์ระหว่างคำสั่งซื้อและผลิตภัณฑ์" #: engine/core/docs/drf/viewsets.py:996 msgid "list all brands (simple view)" @@ -801,9 +775,7 @@ msgstr "เขียนใหม่แบรนด์ที่มีอยู่ #: engine/core/docs/drf/viewsets.py:1039 msgid "rewrite some fields of an existing brand saving non-editables" -msgstr "" -"เขียนข้อมูลในบางช่องของแบรนด์ที่มีอยู่ใหม่ " -"โดยเก็บรักษาข้อมูลที่ไม่สามารถแก้ไขได้" +msgstr "เขียนข้อมูลในบางช่องของแบรนด์ที่มีอยู่ใหม่ โดยเก็บรักษาข้อมูลที่ไม่สามารถแก้ไขได้" #: engine/core/docs/drf/viewsets.py:1064 msgid "list all vendors (simple view)" @@ -827,9 +799,7 @@ msgstr "เขียนใหม่ผู้ขายที่มีอยู่ #: engine/core/docs/drf/viewsets.py:1102 msgid "rewrite some fields of an existing vendor saving non-editables" -msgstr "" -"เขียนข้อมูลในบางช่องของซัพพลายเออร์ที่มีอยู่แล้วใหม่ " -"โดยเก็บค่าที่ไม่สามารถแก้ไขได้ไว้" +msgstr "เขียนข้อมูลในบางช่องของซัพพลายเออร์ที่มีอยู่แล้วใหม่ โดยเก็บค่าที่ไม่สามารถแก้ไขได้ไว้" #: engine/core/docs/drf/viewsets.py:1112 msgid "list all product images (simple view)" @@ -853,9 +823,7 @@ msgstr "เขียนภาพสินค้าที่มีอยู่ใ #: engine/core/docs/drf/viewsets.py:1154 msgid "rewrite some fields of an existing product image saving non-editables" -msgstr "" -"เขียนข้อมูลบางส่วนของภาพสินค้าที่มีอยู่ใหม่ " -"โดยเก็บรักษาข้อมูลที่ไม่สามารถแก้ไขได้" +msgstr "เขียนข้อมูลบางส่วนของภาพสินค้าที่มีอยู่ใหม่ โดยเก็บรักษาข้อมูลที่ไม่สามารถแก้ไขได้" #: engine/core/docs/drf/viewsets.py:1165 msgid "list all promo codes (simple view)" @@ -879,9 +847,7 @@ msgstr "เขียนโค้ดโปรโมชั่นใหม่โด #: engine/core/docs/drf/viewsets.py:1203 msgid "rewrite some fields of an existing promo code saving non-editables" -msgstr "" -"เขียนฟิลด์บางส่วนของรหัสโปรโมชั่นที่มีอยู่ใหม่ " -"โดยคงค่าที่ไม่สามารถแก้ไขได้ไว้" +msgstr "เขียนฟิลด์บางส่วนของรหัสโปรโมชั่นที่มีอยู่ใหม่ โดยคงค่าที่ไม่สามารถแก้ไขได้ไว้" #: engine/core/docs/drf/viewsets.py:1213 msgid "list all promotions (simple view)" @@ -905,9 +871,7 @@ msgstr "เขียนโปรโมชั่นใหม่โดยคงส #: engine/core/docs/drf/viewsets.py:1251 msgid "rewrite some fields of an existing promotion saving non-editables" -msgstr "" -"เขียนข้อมูลบางส่วนของโปรโมชั่นที่มีอยู่ใหม่ " -"โดยเก็บรักษาข้อมูลที่ไม่สามารถแก้ไขได้" +msgstr "เขียนข้อมูลบางส่วนของโปรโมชั่นที่มีอยู่ใหม่ โดยเก็บรักษาข้อมูลที่ไม่สามารถแก้ไขได้" #: engine/core/docs/drf/viewsets.py:1261 msgid "list all stocks (simple view)" @@ -931,9 +895,7 @@ msgstr "เขียนบันทึกสต็อกที่มีอยู #: engine/core/docs/drf/viewsets.py:1297 msgid "rewrite some fields of an existing stock record saving non-editables" -msgstr "" -"เขียนฟิลด์บางส่วนของบันทึกสต็อกที่มีอยู่ใหม่ " -"โดยบันทึกข้อมูลที่ไม่สามารถแก้ไขได้" +msgstr "เขียนฟิลด์บางส่วนของบันทึกสต็อกที่มีอยู่ใหม่ โดยบันทึกข้อมูลที่ไม่สามารถแก้ไขได้" #: engine/core/docs/drf/viewsets.py:1308 msgid "list all product tags (simple view)" @@ -957,9 +919,7 @@ msgstr "เขียนแท็กสินค้าที่มีอยู่ #: engine/core/docs/drf/viewsets.py:1350 msgid "rewrite some fields of an existing product tag saving non-editables" -msgstr "" -"เขียนข้อมูลบางส่วนของแท็กสินค้าที่มีอยู่แล้วใหม่ " -"โดยบันทึกข้อมูลที่ไม่สามารถแก้ไขได้" +msgstr "เขียนข้อมูลบางส่วนของแท็กสินค้าที่มีอยู่แล้วใหม่ โดยบันทึกข้อมูลที่ไม่สามารถแก้ไขได้" #: engine/core/elasticsearch/__init__.py:128 #: engine/core/elasticsearch/__init__.py:629 @@ -1137,8 +1097,7 @@ msgstr "ซื้อคำสั่ง" #: engine/core/graphene/mutations.py:220 engine/core/graphene/mutations.py:282 msgid "please provide either order_uuid or order_hr_id - mutually exclusive" -msgstr "" -"กรุณาให้ order_uuid หรือ order_hr_id - ต้องเลือกอย่างใดอย่างหนึ่งเท่านั้น!" +msgstr "กรุณาให้ order_uuid หรือ order_hr_id - ต้องเลือกอย่างใดอย่างหนึ่งเท่านั้น!" #: engine/core/graphene/mutations.py:249 engine/core/graphene/mutations.py:524 #: engine/core/graphene/mutations.py:573 engine/core/viewsets.py:753 @@ -1194,10 +1153,9 @@ msgstr "ซื้อคำสั่ง" #: engine/core/graphene/mutations.py:542 msgid "" -"please send the attributes as the string formatted like " -"attr1=value1,attr2=value2" -msgstr "" -"กรุณาส่งแอตทริบิวต์ในรูปแบบสตริงที่จัดรูปแบบดังนี้ attr1=value1,attr2=value2" +"please send the attributes as the string formatted like attr1=value1," +"attr2=value2" +msgstr "กรุณาส่งแอตทริบิวต์ในรูปแบบสตริงที่จัดรูปแบบดังนี้ attr1=value1,attr2=value2" #: engine/core/graphene/mutations.py:580 msgid "add or delete a feedback for orderproduct" @@ -1233,8 +1191,8 @@ msgid "elasticsearch - works like a charm" msgstr "ElasticSearch - ทำงานได้อย่างยอดเยี่ยม" #: engine/core/graphene/object_types.py:84 -#: engine/core/graphene/object_types.py:419 -#: engine/core/graphene/object_types.py:470 engine/core/models.py:796 +#: engine/core/graphene/object_types.py:420 +#: engine/core/graphene/object_types.py:471 engine/core/models.py:796 #: engine/core/models.py:1290 engine/core/models.py:2022 msgid "attributes" msgstr "คุณลักษณะ" @@ -1248,8 +1206,8 @@ msgid "groups of attributes" msgstr "กลุ่มของลักษณะ" #: engine/core/graphene/object_types.py:118 -#: engine/core/graphene/object_types.py:216 -#: engine/core/graphene/object_types.py:254 engine/core/models.py:440 +#: engine/core/graphene/object_types.py:217 +#: engine/core/graphene/object_types.py:255 engine/core/models.py:440 msgid "categories" msgstr "หมวดหมู่" @@ -1257,79 +1215,78 @@ msgstr "หมวดหมู่" msgid "brands" msgstr "แบรนด์" -#: engine/core/graphene/object_types.py:218 +#: engine/core/graphene/object_types.py:219 msgid "category image url" msgstr "หมวดหมู่" -#: engine/core/graphene/object_types.py:219 -#: engine/core/graphene/object_types.py:364 engine/core/models.py:278 +#: engine/core/graphene/object_types.py:220 +#: engine/core/graphene/object_types.py:365 engine/core/models.py:278 msgid "markup percentage" msgstr "เปอร์เซ็นต์มาร์กอัป" -#: engine/core/graphene/object_types.py:223 +#: engine/core/graphene/object_types.py:224 msgid "which attributes and values can be used for filtering this category." msgstr "คุณลักษณะและคุณค่าใดที่สามารถใช้สำหรับกรองหมวดหมู่นี้ได้" -#: engine/core/graphene/object_types.py:229 -msgid "" -"minimum and maximum prices for products in this category, if available." +#: engine/core/graphene/object_types.py:230 +msgid "minimum and maximum prices for products in this category, if available." msgstr "ราคาต่ำสุดและราคาสูงสุดสำหรับสินค้าในหมวดนี้ (หากมี)" -#: engine/core/graphene/object_types.py:233 +#: engine/core/graphene/object_types.py:234 msgid "tags for this category" msgstr "แท็กสำหรับหมวดหมู่นี้" -#: engine/core/graphene/object_types.py:236 +#: engine/core/graphene/object_types.py:237 msgid "products in this category" msgstr "สินค้าในหมวดหมู่" -#: engine/core/graphene/object_types.py:371 engine/core/models.py:183 +#: engine/core/graphene/object_types.py:372 engine/core/models.py:183 msgid "vendors" msgstr "ผู้ขาย" -#: engine/core/graphene/object_types.py:375 +#: engine/core/graphene/object_types.py:376 msgid "Latitude (Y coordinate)" msgstr "ละติจูด (พิกัด Y)" -#: engine/core/graphene/object_types.py:376 +#: engine/core/graphene/object_types.py:377 msgid "Longitude (X coordinate)" msgstr "ลองจิจูด (พิกัด X)" -#: engine/core/graphene/object_types.py:405 +#: engine/core/graphene/object_types.py:406 msgid "comment" msgstr "อย่างไร" -#: engine/core/graphene/object_types.py:407 -#: engine/core/graphene/object_types.py:541 +#: engine/core/graphene/object_types.py:408 +#: engine/core/graphene/object_types.py:542 msgid "rating value from 1 to 10, inclusive, or 0 if not set." msgstr "ให้คะแนนตั้งแต่ 1 ถึง 10 รวมทั้งสองค่า หรือ 0 หากไม่ได้กำหนด" -#: engine/core/graphene/object_types.py:415 +#: engine/core/graphene/object_types.py:416 msgid "represents feedback from a user." msgstr "แสดงความคิดเห็นจากผู้ใช้" -#: engine/core/graphene/object_types.py:420 -#: engine/core/graphene/object_types.py:471 engine/core/models.py:1284 +#: engine/core/graphene/object_types.py:421 +#: engine/core/graphene/object_types.py:472 engine/core/models.py:1284 msgid "notifications" msgstr "การแจ้งเตือน" -#: engine/core/graphene/object_types.py:422 +#: engine/core/graphene/object_types.py:423 msgid "download url for this order product if applicable" msgstr "ดาวน์โหลด url สำหรับคำสั่งซื้อสินค้านี้ หากมี" -#: engine/core/graphene/object_types.py:424 engine/core/models.py:1849 +#: engine/core/graphene/object_types.py:425 engine/core/models.py:1849 msgid "feedback" msgstr "ข้อเสนอแนะ" -#: engine/core/graphene/object_types.py:458 +#: engine/core/graphene/object_types.py:459 msgid "a list of order products in this order" msgstr "รายการสินค้าที่สั่งซื้อในคำสั่งซื้อนี้" -#: engine/core/graphene/object_types.py:460 engine/core/models.py:1254 +#: engine/core/graphene/object_types.py:461 engine/core/models.py:1254 msgid "billing address" msgstr "ที่อยู่สำหรับออกใบแจ้งหนี้" -#: engine/core/graphene/object_types.py:464 +#: engine/core/graphene/object_types.py:465 msgid "" "shipping address for this order, leave blank if same as billing address or " "if not applicable" @@ -1337,53 +1294,53 @@ msgstr "" "ที่อยู่สำหรับจัดส่งสำหรับคำสั่งซื้อนี้, " "ปล่อยว่างไว้หากเป็นที่อยู่เดียวกับที่อยู่สำหรับเรียกเก็บเงินหรือหากไม่เกี่ยวข้อง" -#: engine/core/graphene/object_types.py:467 +#: engine/core/graphene/object_types.py:468 msgid "total price of this order" msgstr "ราคาทั้งหมดของคำสั่งซื้อนี้" -#: engine/core/graphene/object_types.py:468 +#: engine/core/graphene/object_types.py:469 msgid "total quantity of products in order" msgstr "จำนวนรวมของผลิตภัณฑ์ในคำสั่งซื้อ" -#: engine/core/graphene/object_types.py:469 +#: engine/core/graphene/object_types.py:470 msgid "are all products in the order digital" msgstr "สินค้าทั้งหมดในคำสั่งซื้อนี้เป็นสินค้าดิจิทัลหรือไม่" -#: engine/core/graphene/object_types.py:473 +#: engine/core/graphene/object_types.py:474 msgid "transactions for this order" msgstr "รายการธุรกรรมสำหรับคำสั่งนี้" -#: engine/core/graphene/object_types.py:493 engine/core/models.py:1318 +#: engine/core/graphene/object_types.py:494 engine/core/models.py:1318 msgid "orders" msgstr "คำสั่ง" -#: engine/core/graphene/object_types.py:514 +#: engine/core/graphene/object_types.py:515 msgid "image url" msgstr "URL ของรูปภาพ" -#: engine/core/graphene/object_types.py:521 +#: engine/core/graphene/object_types.py:522 msgid "product's images" msgstr "รูปภาพของสินค้า" -#: engine/core/graphene/object_types.py:528 engine/core/models.py:439 +#: engine/core/graphene/object_types.py:529 engine/core/models.py:439 #: engine/core/models.py:596 msgid "category" msgstr "หมวดหมู่" -#: engine/core/graphene/object_types.py:530 engine/core/models.py:1850 +#: engine/core/graphene/object_types.py:531 engine/core/models.py:1850 msgid "feedbacks" msgstr "ข้อเสนอแนะ" -#: engine/core/graphene/object_types.py:531 engine/core/models.py:510 +#: engine/core/graphene/object_types.py:532 engine/core/models.py:510 #: engine/core/models.py:605 msgid "brand" msgstr "แบรนด์" -#: engine/core/graphene/object_types.py:533 engine/core/models.py:103 +#: engine/core/graphene/object_types.py:534 engine/core/models.py:103 msgid "attribute groups" msgstr "กลุ่มคุณลักษณะ" -#: engine/core/graphene/object_types.py:535 +#: engine/core/graphene/object_types.py:536 #: engine/core/templates/digital_order_created_email.html:111 #: engine/core/templates/digital_order_delivered_email.html:109 #: engine/core/templates/shipped_order_created_email.html:109 @@ -1391,7 +1348,7 @@ msgstr "กลุ่มคุณลักษณะ" msgid "price" msgstr "ราคา" -#: engine/core/graphene/object_types.py:536 +#: engine/core/graphene/object_types.py:537 #: engine/core/templates/digital_order_created_email.html:110 #: engine/core/templates/digital_order_delivered_email.html:108 #: engine/core/templates/shipped_order_created_email.html:108 @@ -1399,39 +1356,39 @@ msgstr "ราคา" msgid "quantity" msgstr "ปริมาณ" -#: engine/core/graphene/object_types.py:537 +#: engine/core/graphene/object_types.py:538 msgid "number of feedbacks" msgstr "จำนวนความคิดเห็น" -#: engine/core/graphene/object_types.py:538 +#: engine/core/graphene/object_types.py:539 msgid "only available for personal orders" msgstr "สินค้าที่มีจำหน่ายเฉพาะการสั่งซื้อส่วนบุคคลเท่านั้น" -#: engine/core/graphene/object_types.py:543 +#: engine/core/graphene/object_types.py:544 msgid "discount price" msgstr "ราคาลดพิเศษ" -#: engine/core/graphene/object_types.py:567 engine/core/models.py:677 +#: engine/core/graphene/object_types.py:568 engine/core/models.py:677 msgid "products" msgstr "ผลิตภัณฑ์" -#: engine/core/graphene/object_types.py:677 +#: engine/core/graphene/object_types.py:678 msgid "promocodes" msgstr "รหัสส่งเสริมการขาย" -#: engine/core/graphene/object_types.py:692 +#: engine/core/graphene/object_types.py:693 msgid "products on sale" msgstr "สินค้าลดราคา" -#: engine/core/graphene/object_types.py:700 engine/core/models.py:928 +#: engine/core/graphene/object_types.py:701 engine/core/models.py:928 msgid "promotions" msgstr "โปรโมชั่น" -#: engine/core/graphene/object_types.py:704 engine/core/models.py:182 +#: engine/core/graphene/object_types.py:705 engine/core/models.py:182 msgid "vendor" msgstr "ผู้ขาย" -#: engine/core/graphene/object_types.py:705 engine/core/models.py:676 +#: engine/core/graphene/object_types.py:706 engine/core/models.py:676 #: engine/core/templates/digital_order_created_email.html:109 #: engine/core/templates/digital_order_delivered_email.html:107 #: engine/core/templates/shipped_order_created_email.html:107 @@ -1439,98 +1396,98 @@ msgstr "ผู้ขาย" msgid "product" msgstr "สินค้า" -#: engine/core/graphene/object_types.py:717 engine/core/models.py:951 +#: engine/core/graphene/object_types.py:718 engine/core/models.py:951 msgid "wishlisted products" msgstr "สินค้าที่อยู่ในรายการต้องการ" -#: engine/core/graphene/object_types.py:724 engine/core/models.py:968 +#: engine/core/graphene/object_types.py:725 engine/core/models.py:968 msgid "wishlists" msgstr "รายการสิ่งที่ต้องการ" -#: engine/core/graphene/object_types.py:729 +#: engine/core/graphene/object_types.py:730 msgid "tagged products" msgstr "สินค้าที่ติดแท็ก" -#: engine/core/graphene/object_types.py:737 engine/core/models.py:219 +#: engine/core/graphene/object_types.py:738 engine/core/models.py:219 #: engine/core/models.py:611 msgid "product tags" msgstr "แท็กสินค้า" -#: engine/core/graphene/object_types.py:742 +#: engine/core/graphene/object_types.py:743 msgid "tagged categories" msgstr "หมวดหมู่ที่ถูกติดแท็ก" -#: engine/core/graphene/object_types.py:750 +#: engine/core/graphene/object_types.py:751 msgid "categories tags" msgstr "หมวดหมู่' แท็ก" -#: engine/core/graphene/object_types.py:754 +#: engine/core/graphene/object_types.py:755 msgid "project name" msgstr "ชื่อโครงการ" -#: engine/core/graphene/object_types.py:755 +#: engine/core/graphene/object_types.py:756 msgid "company name" msgstr "ชื่อบริษัท" -#: engine/core/graphene/object_types.py:756 +#: engine/core/graphene/object_types.py:757 msgid "company address" msgstr "ที่อยู่บริษัท" -#: engine/core/graphene/object_types.py:757 +#: engine/core/graphene/object_types.py:758 msgid "company phone number" msgstr "หมายเลขโทรศัพท์บริษัท" -#: engine/core/graphene/object_types.py:760 +#: engine/core/graphene/object_types.py:761 msgid "email from, sometimes it must be used instead of host user value" msgstr "'อีเมลจาก', บางครั้งจำเป็นต้องใช้แทนค่าผู้ใช้โฮสต์" -#: engine/core/graphene/object_types.py:763 +#: engine/core/graphene/object_types.py:764 msgid "email host user" msgstr "ผู้ใช้โฮสต์อีเมล" -#: engine/core/graphene/object_types.py:764 +#: engine/core/graphene/object_types.py:765 msgid "maximum amount for payment" msgstr "จำนวนเงินสูงสุดสำหรับการชำระเงิน" -#: engine/core/graphene/object_types.py:765 +#: engine/core/graphene/object_types.py:766 msgid "minimum amount for payment" msgstr "จำนวนเงินขั้นต่ำสำหรับการชำระเงิน" -#: engine/core/graphene/object_types.py:766 +#: engine/core/graphene/object_types.py:767 msgid "analytics data" msgstr "ข้อมูลการวิเคราะห์" -#: engine/core/graphene/object_types.py:767 +#: engine/core/graphene/object_types.py:768 msgid "advertisement data" msgstr "ข้อมูลโฆษณา" -#: engine/core/graphene/object_types.py:770 +#: engine/core/graphene/object_types.py:771 msgid "company configuration" msgstr "การกำหนดค่า" -#: engine/core/graphene/object_types.py:774 +#: engine/core/graphene/object_types.py:775 msgid "language code" msgstr "รหัสภาษา" -#: engine/core/graphene/object_types.py:775 +#: engine/core/graphene/object_types.py:776 msgid "language name" msgstr "ชื่อภาษา" -#: engine/core/graphene/object_types.py:776 +#: engine/core/graphene/object_types.py:777 msgid "language flag, if exists :)" msgstr "ธงภาษา, หากมีอยู่ :)" -#: engine/core/graphene/object_types.py:779 +#: engine/core/graphene/object_types.py:780 msgid "supported languages" msgstr "รับรายการภาษาที่รองรับ" -#: engine/core/graphene/object_types.py:811 -#: engine/core/graphene/object_types.py:814 -#: engine/core/graphene/object_types.py:817 +#: engine/core/graphene/object_types.py:812 +#: engine/core/graphene/object_types.py:815 +#: engine/core/graphene/object_types.py:818 msgid "products search results" msgstr "ผลการค้นหาสินค้า" -#: engine/core/graphene/object_types.py:819 +#: engine/core/graphene/object_types.py:820 msgid "posts search results" msgstr "ผลการค้นหาสินค้า" @@ -1541,8 +1498,7 @@ msgid "" "parent group, forming a hierarchical structure. This can be useful for " "categorizing and managing attributes more effectively in acomplex system." msgstr "" -"แทนกลุ่มของแอตทริบิวต์ ซึ่งสามารถมีลำดับชั้นได้ " -"คลาสนี้ใช้เพื่อจัดการและจัดระเบียบกลุ่มแอตทริบิวต์ " +"แทนกลุ่มของแอตทริบิวต์ ซึ่งสามารถมีลำดับชั้นได้ คลาสนี้ใช้เพื่อจัดการและจัดระเบียบกลุ่มแอตทริบิวต์ " "กลุ่มแอตทริบิวต์สามารถมีกลุ่มแม่ได้ ทำให้เกิดโครงสร้างลำดับชั้น " "ซึ่งสามารถมีประโยชน์ในการจัดหมวดหมู่และจัดการแอตทริบิวต์ได้อย่างมีประสิทธิภาพมากขึ้นในระบบที่ซับซ้อน" @@ -1572,17 +1528,16 @@ msgid "" "also maintains additional metadata and constraints, making it suitable for " "use in systems that interact with third-party vendors." msgstr "" -"แทนหน่วยงานผู้ขายที่สามารถจัดเก็บข้อมูลเกี่ยวกับผู้ขายภายนอกและข้อกำหนดในการโต้ตอบของพวกเขาได้" -" คลาสผู้ขายถูกใช้เพื่อกำหนดและจัดการข้อมูลที่เกี่ยวข้องกับผู้ขายภายนอก " -"มันจัดเก็บชื่อผู้ขาย รายละเอียดการตรวจสอบสิทธิ์ที่จำเป็นสำหรับการสื่อสาร " +"แทนหน่วยงานผู้ขายที่สามารถจัดเก็บข้อมูลเกี่ยวกับผู้ขายภายนอกและข้อกำหนดในการโต้ตอบของพวกเขาได้ " +"คลาสผู้ขายถูกใช้เพื่อกำหนดและจัดการข้อมูลที่เกี่ยวข้องกับผู้ขายภายนอก มันจัดเก็บชื่อผู้ขาย " +"รายละเอียดการตรวจสอบสิทธิ์ที่จำเป็นสำหรับการสื่อสาร " "และเปอร์เซ็นต์การเพิ่มราคาที่นำไปใช้กับสินค้าที่นำมาจากผู้ขาย " "โมเดลนี้ยังรักษาข้อมูลเมตาเพิ่มเติมและข้อจำกัด " "ทำให้เหมาะสำหรับการใช้งานในระบบที่มีการโต้ตอบกับผู้ขายภายนอก" #: engine/core/models.py:122 msgid "stores credentials and endpoints required for vendor communication" -msgstr "" -"เก็บรักษาข้อมูลประจำตัวและจุดสิ้นสุดที่จำเป็นสำหรับการสื่อสาร API ของผู้ขาย" +msgstr "เก็บรักษาข้อมูลประจำตัวและจุดสิ้นสุดที่จำเป็นสำหรับการสื่อสาร API ของผู้ขาย" #: engine/core/models.py:124 msgid "authentication info" @@ -1629,8 +1584,8 @@ msgid "" "metadata customization for administrative purposes." msgstr "" "แทนแท็กผลิตภัณฑ์ที่ใช้ในการจัดประเภทหรือระบุผลิตภัณฑ์ คลาส ProductTag " -"ถูกออกแบบมาเพื่อระบุและจัดประเภทผลิตภัณฑ์อย่างเป็นเอกลักษณ์ผ่านการรวมกันของตัวระบุแท็กภายในและชื่อแสดงผลที่ใช้งานง่าย" -" รองรับการดำเนินการที่ส่งออกผ่าน mixins " +"ถูกออกแบบมาเพื่อระบุและจัดประเภทผลิตภัณฑ์อย่างเป็นเอกลักษณ์ผ่านการรวมกันของตัวระบุแท็กภายในและชื่อแสดงผลที่ใช้งานง่าย " +"รองรับการดำเนินการที่ส่งออกผ่าน mixins " "และให้การปรับแต่งเมตาดาต้าสำหรับวัตถุประสงค์ในการบริหารจัดการ" #: engine/core/models.py:204 engine/core/models.py:235 @@ -1683,13 +1638,13 @@ msgid "" "hierarchy of categories, as well as assign attributes like images, tags, or " "priority." msgstr "" -"แทนถึงเอนทิตีประเภทเพื่อจัดระเบียบและจัดกลุ่มรายการที่เกี่ยวข้องในโครงสร้างลำดับชั้น" -" หมวดหมู่สามารถมีความสัมพันธ์ลำดับชั้นกับหมวดหมู่อื่น ๆ ได้ " -"ซึ่งสนับสนุนความสัมพันธ์แบบพ่อแม่-ลูกคลาสนี้ประกอบด้วยฟิลด์สำหรับข้อมูลเมตาและตัวแทนภาพ" -" ซึ่งทำหน้าที่เป็นพื้นฐานสำหรับคุณสมบัติที่เกี่ยวข้องกับหมวดหมู่ " -"คลาสนี้มักใช้เพื่อกำหนดและจัดการหมวดหมู่สินค้าหรือการจัดกลุ่มที่คล้ายกันภายในแอปพลิเคชัน" -" ช่วยให้ผู้ใช้หรือผู้ดูแลระบบสามารถระบุชื่อ คำอธิบาย และลำดับชั้นของหมวดหมู่" -" รวมถึงกำหนดคุณลักษณะต่างๆ เช่น รูปภาพ แท็ก หรือความสำคัญ" +"แทนถึงเอนทิตีประเภทเพื่อจัดระเบียบและจัดกลุ่มรายการที่เกี่ยวข้องในโครงสร้างลำดับชั้น " +"หมวดหมู่สามารถมีความสัมพันธ์ลำดับชั้นกับหมวดหมู่อื่น ๆ ได้ ซึ่งสนับสนุนความสัมพันธ์แบบพ่อแม่-" +"ลูกคลาสนี้ประกอบด้วยฟิลด์สำหรับข้อมูลเมตาและตัวแทนภาพ " +"ซึ่งทำหน้าที่เป็นพื้นฐานสำหรับคุณสมบัติที่เกี่ยวข้องกับหมวดหมู่ " +"คลาสนี้มักใช้เพื่อกำหนดและจัดการหมวดหมู่สินค้าหรือการจัดกลุ่มที่คล้ายกันภายในแอปพลิเคชัน " +"ช่วยให้ผู้ใช้หรือผู้ดูแลระบบสามารถระบุชื่อ คำอธิบาย และลำดับชั้นของหมวดหมู่ " +"รวมถึงกำหนดคุณลักษณะต่างๆ เช่น รูปภาพ แท็ก หรือความสำคัญ" #: engine/core/models.py:269 msgid "upload an image representing this category" @@ -1740,11 +1695,10 @@ msgid "" "Represents a Brand object in the system. This class handles information and " "attributes related to a brand, including its name, logos, description, " "associated categories, a unique slug, and priority order. It allows for the " -"organization and representation of brand-related data within the " -"application." +"organization and representation of brand-related data within the application." msgstr "" -"แทนวัตถุแบรนด์ในระบบ คลาสนี้จัดการข้อมูลและคุณลักษณะที่เกี่ยวข้องกับแบรนด์ " -"รวมถึงชื่อ โลโก้ คำอธิบาย หมวดหมู่ที่เกี่ยวข้อง สลักเฉพาะ และลำดับความสำคัญ " +"แทนวัตถุแบรนด์ในระบบ คลาสนี้จัดการข้อมูลและคุณลักษณะที่เกี่ยวข้องกับแบรนด์ รวมถึงชื่อ โลโก้ " +"คำอธิบาย หมวดหมู่ที่เกี่ยวข้อง สลักเฉพาะ และลำดับความสำคัญ " "ช่วยให้สามารถจัดระเบียบและแสดงข้อมูลที่เกี่ยวข้องกับแบรนด์ภายในแอปพลิเคชันได้" #: engine/core/models.py:456 @@ -1789,19 +1743,18 @@ msgstr "หมวดหมู่" #: engine/core/models.py:516 msgid "" -"Represents the stock of a product managed in the system. This class provides" -" details about the relationship between vendors, products, and their stock " +"Represents the stock of a product managed in the system. This class provides " +"details about the relationship between vendors, products, and their stock " "information, as well as inventory-related properties like price, purchase " "price, quantity, SKU, and digital assets. It is part of the inventory " "management system to allow tracking and evaluation of products available " "from various vendors." msgstr "" -"แสดงถึงสต็อกของสินค้าที่จัดการในระบบ " -"คลาสนี้ให้รายละเอียดเกี่ยวกับความสัมพันธ์ระหว่างผู้จำหน่าย, สินค้า, " -"และข้อมูลสต็อกของพวกเขา รวมถึงคุณสมบัติที่เกี่ยวข้องกับสินค้าคงคลัง เช่น " -"ราคา, ราคาซื้อ, จำนวน, รหัสสินค้า (SKU), และสินทรัพย์ดิจิทัล " -"เป็นส่วนหนึ่งของระบบการจัดการสินค้าคงคลังเพื่อให้สามารถติดตามและประเมินสินค้าที่มีจากผู้จำหน่ายต่างๆ" -" ได้" +"แสดงถึงสต็อกของสินค้าที่จัดการในระบบ คลาสนี้ให้รายละเอียดเกี่ยวกับความสัมพันธ์ระหว่างผู้จำหน่าย, " +"สินค้า, และข้อมูลสต็อกของพวกเขา รวมถึงคุณสมบัติที่เกี่ยวข้องกับสินค้าคงคลัง เช่น ราคา, ราคาซื้อ, " +"จำนวน, รหัสสินค้า (SKU), และสินทรัพย์ดิจิทัล " +"เป็นส่วนหนึ่งของระบบการจัดการสินค้าคงคลังเพื่อให้สามารถติดตามและประเมินสินค้าที่มีจากผู้จำหน่ายต่างๆ " +"ได้" #: engine/core/models.py:528 msgid "the vendor supplying this product stock" @@ -1879,13 +1832,11 @@ msgid "" "properties to improve performance. It is used to define and manipulate " "product data and its associated information within an application." msgstr "" -"แสดงถึงผลิตภัณฑ์ที่มีคุณลักษณะต่างๆ เช่น หมวดหมู่, แบรนด์, แท็ก, " -"สถานะดิจิทัล, ชื่อ, คำอธิบาย, หมายเลขชิ้นส่วน, และ slug " -"ให้คุณสมบัติประโยชน์ที่เกี่ยวข้องเพื่อดึงคะแนน, จำนวนความคิดเห็น, ราคา, " -"จำนวนสินค้า, และยอดสั่งซื้อทั้งหมด " +"แสดงถึงผลิตภัณฑ์ที่มีคุณลักษณะต่างๆ เช่น หมวดหมู่, แบรนด์, แท็ก, สถานะดิจิทัล, ชื่อ, คำอธิบาย, " +"หมายเลขชิ้นส่วน, และ slug ให้คุณสมบัติประโยชน์ที่เกี่ยวข้องเพื่อดึงคะแนน, จำนวนความคิดเห็น, " +"ราคา, จำนวนสินค้า, และยอดสั่งซื้อทั้งหมด " "ออกแบบมาเพื่อใช้ในระบบที่จัดการอีคอมเมิร์ซหรือการจัดการสินค้าคงคลัง " -"คลาสนี้โต้ตอบกับโมเดลที่เกี่ยวข้อง (เช่น หมวดหมู่, แบรนด์, และแท็กผลิตภัณฑ์)" -" " +"คลาสนี้โต้ตอบกับโมเดลที่เกี่ยวข้อง (เช่น หมวดหมู่, แบรนด์, และแท็กผลิตภัณฑ์) " "และจัดการการแคชสำหรับคุณสมบัติที่เข้าถึงบ่อยเพื่อปรับปรุงประสิทธิภาพใช้เพื่อกำหนดและจัดการข้อมูลผลิตภัณฑ์และข้อมูลที่เกี่ยวข้องภายในแอปพลิเคชัน" #: engine/core/models.py:595 @@ -1949,15 +1900,14 @@ msgid "" "Represents an attribute in the system. This class is used to define and " "manage attributes, which are customizable pieces of data that can be " "associated with other entities. Attributes have associated categories, " -"groups, value types, and names. The model supports multiple types of values," -" including string, integer, float, boolean, array, and object. This allows " +"groups, value types, and names. The model supports multiple types of values, " +"including string, integer, float, boolean, array, and object. This allows " "for dynamic and flexible data structuring." msgstr "" "แทนคุณสมบัติในระบบ. คลาสนี้ใช้เพื่อกำหนดและจัดการคุณสมบัติ " -"ซึ่งเป็นข้อมูลที่สามารถปรับแต่งได้ซึ่งสามารถเชื่อมโยงกับเอนทิตีอื่น ๆ ได้. " -"คุณสมบัติมีหมวดหมู่, กลุ่ม, ประเภทค่า, และชื่อที่เกี่ยวข้อง. " -"แบบจำลองรองรับหลายประเภทของค่า รวมถึงสตริง, จำนวนเต็ม, จำนวนทศนิยม, บูลีน, " -"อาร์เรย์, และออบเจ็กต์. " +"ซึ่งเป็นข้อมูลที่สามารถปรับแต่งได้ซึ่งสามารถเชื่อมโยงกับเอนทิตีอื่น ๆ ได้. คุณสมบัติมีหมวดหมู่, กลุ่ม, " +"ประเภทค่า, และชื่อที่เกี่ยวข้อง. แบบจำลองรองรับหลายประเภทของค่า รวมถึงสตริง, จำนวนเต็ม, " +"จำนวนทศนิยม, บูลีน, อาร์เรย์, และออบเจ็กต์. " "ซึ่งช่วยให้สามารถจัดโครงสร้างข้อมูลได้ไดนามิกและยืดหยุ่น." #: engine/core/models.py:755 @@ -2019,12 +1969,11 @@ msgstr "คุณสมบัติ" #: engine/core/models.py:801 msgid "" -"Represents a specific value for an attribute that is linked to a product. It" -" links the 'attribute' to a unique 'value', allowing better organization and" -" dynamic representation of product characteristics." +"Represents a specific value for an attribute that is linked to a product. It " +"links the 'attribute' to a unique 'value', allowing better organization and " +"dynamic representation of product characteristics." msgstr "" -"แทนค่าเฉพาะสำหรับคุณลักษณะที่เชื่อมโยงกับผลิตภัณฑ์ มันเชื่อมโยง 'คุณลักษณะ' " -"กับ 'ค่า' ที่ไม่ซ้ำกัน " +"แทนค่าเฉพาะสำหรับคุณลักษณะที่เชื่อมโยงกับผลิตภัณฑ์ มันเชื่อมโยง 'คุณลักษณะ' กับ 'ค่า' ที่ไม่ซ้ำกัน " "ทำให้การจัดระเบียบและการแสดงลักษณะของผลิตภัณฑ์เป็นไปอย่างมีประสิทธิภาพและยืดหยุ่นมากขึ้น" #: engine/core/models.py:812 @@ -2042,16 +1991,14 @@ msgstr "ค่าเฉพาะสำหรับคุณสมบัติน #: engine/core/models.py:839 msgid "" "Represents a product image associated with a product in the system. This " -"class is designed to manage images for products, including functionality for" -" uploading image files, associating them with specific products, and " +"class is designed to manage images for products, including functionality for " +"uploading image files, associating them with specific products, and " "determining their display order. It also includes an accessibility feature " "with alternative text for the images." msgstr "" -"แสดงภาพสินค้าที่เกี่ยวข้องกับสินค้าในระบบ. " -"คลาสนี้ออกแบบมาเพื่อจัดการภาพสำหรับสินค้า " +"แสดงภาพสินค้าที่เกี่ยวข้องกับสินค้าในระบบ. คลาสนี้ออกแบบมาเพื่อจัดการภาพสำหรับสินค้า " "รวมถึงฟังก์ชันสำหรับการอัปโหลดไฟล์ภาพ, การเชื่อมโยงกับสินค้าเฉพาะ, " -"และการกำหนดลำดับการแสดงผล. " -"นอกจากนี้ยังมีคุณสมบัติการเข้าถึงสำหรับผู้ใช้ที่มีความต้องการพิเศษ " +"และการกำหนดลำดับการแสดงผล. นอกจากนี้ยังมีคุณสมบัติการเข้าถึงสำหรับผู้ใช้ที่มีความต้องการพิเศษ " "โดยให้ข้อความทางเลือกสำหรับภาพ." #: engine/core/models.py:850 @@ -2092,13 +2039,13 @@ msgid "" "is used to define and manage promotional campaigns that offer a percentage-" "based discount for products. The class includes attributes for setting the " "discount rate, providing details about the promotion, and linking it to the " -"applicable products. It integrates with the product catalog to determine the" -" affected items in the campaign." +"applicable products. It integrates with the product catalog to determine the " +"affected items in the campaign." msgstr "" "แสดงถึงแคมเปญส่งเสริมการขายสำหรับสินค้าที่มีส่วนลด. " -"คลาสนี้ใช้เพื่อกำหนดและจัดการแคมเปญส่งเสริมการขายที่มอบส่วนลดเป็นเปอร์เซ็นต์สำหรับสินค้า." -" คลาสนี้ประกอบด้วยคุณสมบัติสำหรับการตั้งค่าอัตราส่วนลด, " -"ให้รายละเอียดเกี่ยวกับโปรโมชั่น, และเชื่อมโยงกับสินค้าที่เกี่ยวข้อง. " +"คลาสนี้ใช้เพื่อกำหนดและจัดการแคมเปญส่งเสริมการขายที่มอบส่วนลดเป็นเปอร์เซ็นต์สำหรับสินค้า. " +"คลาสนี้ประกอบด้วยคุณสมบัติสำหรับการตั้งค่าอัตราส่วนลด, ให้รายละเอียดเกี่ยวกับโปรโมชั่น, " +"และเชื่อมโยงกับสินค้าที่เกี่ยวข้อง. " "คลาสนี้ผสานการทำงานกับแคตตาล็อกสินค้าเพื่อกำหนดสินค้าที่ได้รับผลกระทบในแคมเปญ." #: engine/core/models.py:904 @@ -2140,10 +2087,9 @@ msgid "" "operations such as adding and removing products, as well as supporting " "operations for adding and removing multiple products at once." msgstr "" -"แสดงรายการสินค้าที่ผู้ใช้ต้องการเก็บไว้เพื่อจัดการและค้นหาสินค้าที่ต้องการในอนาคต" -" คลาสนี้ให้บริการฟังก์ชันสำหรับการจัดการคอลเลกชันของสินค้า " -"ซึ่งรวมถึงการเพิ่มและลบสินค้าออกจากคอลเลกชัน " -"ตลอดจนการเพิ่มและลบสินค้าหลายรายการพร้อมกัน" +"แสดงรายการสินค้าที่ผู้ใช้ต้องการเก็บไว้เพื่อจัดการและค้นหาสินค้าที่ต้องการในอนาคต " +"คลาสนี้ให้บริการฟังก์ชันสำหรับการจัดการคอลเลกชันของสินค้า " +"ซึ่งรวมถึงการเพิ่มและลบสินค้าออกจากคอลเลกชัน ตลอดจนการเพิ่มและลบสินค้าหลายรายการพร้อมกัน" #: engine/core/models.py:950 msgid "products that the user has marked as wanted" @@ -2167,15 +2113,14 @@ msgid "" "store information about documentaries related to specific products, " "including file uploads and their metadata. It contains methods and " "properties to handle the file type and storage path for the documentary " -"files. It extends functionality from specific mixins and provides additional" -" custom features." +"files. It extends functionality from specific mixins and provides additional " +"custom features." msgstr "" "แทนเอกสารบันทึกที่เกี่ยวข้องกับผลิตภัณฑ์. " "คลาสนี้ใช้เพื่อเก็บข้อมูลเกี่ยวกับเอกสารที่เกี่ยวข้องกับผลิตภัณฑ์เฉพาะ " "รวมถึงการอัปโหลดไฟล์และข้อมูลเมตาของไฟล์. " -"คลาสนี้มีเมธอดและคุณสมบัติเพื่อจัดการกับประเภทไฟล์และเส้นทางจัดเก็บสำหรับไฟล์เอกสาร." -" คลาสนี้ขยายฟังก์ชันการทำงานจากมิกซ์อินเฉพาะ " -"และให้คุณสมบัติเพิ่มเติมตามความต้องการ." +"คลาสนี้มีเมธอดและคุณสมบัติเพื่อจัดการกับประเภทไฟล์และเส้นทางจัดเก็บสำหรับไฟล์เอกสาร. " +"คลาสนี้ขยายฟังก์ชันการทำงานจากมิกซ์อินเฉพาะ และให้คุณสมบัติเพิ่มเติมตามความต้องการ." #: engine/core/models.py:1024 msgid "documentary" @@ -2191,24 +2136,23 @@ msgstr "ยังไม่ได้รับการแก้ไข" #: engine/core/models.py:1040 msgid "" -"Represents an address entity that includes location details and associations" -" with a user. Provides functionality for geographic and address data " -"storage, as well as integration with geocoding services. This class is " -"designed to store detailed address information including components like " -"street, city, region, country, and geolocation (longitude and latitude). It " -"supports integration with geocoding APIs, enabling the storage of raw API " -"responses for further processing or inspection. The class also allows " -"associating an address with a user, facilitating personalized data handling." +"Represents an address entity that includes location details and associations " +"with a user. Provides functionality for geographic and address data storage, " +"as well as integration with geocoding services. This class is designed to " +"store detailed address information including components like street, city, " +"region, country, and geolocation (longitude and latitude). It supports " +"integration with geocoding APIs, enabling the storage of raw API responses " +"for further processing or inspection. The class also allows associating an " +"address with a user, facilitating personalized data handling." msgstr "" "แทนที่หน่วยงานที่อยู่ซึ่งรวมถึงรายละเอียดตำแหน่งและความสัมพันธ์กับผู้ใช้ " "ให้ฟังก์ชันสำหรับการจัดเก็บข้อมูลทางภูมิศาสตร์และที่อยู่ " "รวมถึงการผสานรวมกับบริการการเข้ารหัสทางภูมิศาสตร์ " -"คลาสนี้ถูกออกแบบมาเพื่อจัดเก็บข้อมูลที่อยู่โดยละเอียด รวมถึงองค์ประกอบเช่น " -"ถนน เมือง ภูมิภาค ประเทศ และตำแหน่งทางภูมิศาสตร์ (ลองจิจูดและละติจูด) " -"รองรับการผสานรวมกับ API การเข้ารหัสทางภูมิศาสตร์ " -"ทำให้สามารถจัดเก็บการตอบสนองของ API " -"ดิบเพื่อการประมวลผลหรือตรวจสอบเพิ่มเติมได้คลาสนี้ยังอนุญาตให้เชื่อมโยงที่อยู่กับผู้ใช้ได้" -" ซึ่งช่วยให้การจัดการข้อมูลส่วนบุคคลเป็นไปอย่างสะดวก" +"คลาสนี้ถูกออกแบบมาเพื่อจัดเก็บข้อมูลที่อยู่โดยละเอียด รวมถึงองค์ประกอบเช่น ถนน เมือง ภูมิภาค " +"ประเทศ และตำแหน่งทางภูมิศาสตร์ (ลองจิจูดและละติจูด) รองรับการผสานรวมกับ API " +"การเข้ารหัสทางภูมิศาสตร์ ทำให้สามารถจัดเก็บการตอบสนองของ API " +"ดิบเพื่อการประมวลผลหรือตรวจสอบเพิ่มเติมได้คลาสนี้ยังอนุญาตให้เชื่อมโยงที่อยู่กับผู้ใช้ได้ " +"ซึ่งช่วยให้การจัดการข้อมูลส่วนบุคคลเป็นไปอย่างสะดวก" #: engine/core/models.py:1055 msgid "address line for the customer" @@ -2271,13 +2215,12 @@ msgid "" "any), and status of its usage. It includes functionality to validate and " "apply the promo code to an order while ensuring constraints are met." msgstr "" -"แสดงรหัสโปรโมชั่นที่สามารถใช้เพื่อรับส่วนลด การจัดการความถูกต้อง " -"ประเภทของส่วนลด และการใช้งาน คลาส PromoCode " -"จัดเก็บรายละเอียดเกี่ยวกับรหัสโปรโมชั่น รวมถึงตัวระบุที่ไม่ซ้ำกัน " -"คุณสมบัติของส่วนลด (จำนวนหรือเปอร์เซ็นต์) ระยะเวลาการใช้งาน " -"ผู้ใช้ที่เกี่ยวข้อง (ถ้ามี) และสถานะการใช้งาน " -"รวมถึงฟังก์ชันการทำงานเพื่อตรวจสอบและใช้รหัสโปรโมชั่นกับคำสั่งซื้อในขณะที่ตรวจสอบให้แน่ใจว่าข้อจำกัดต่างๆ" -" ได้รับการปฏิบัติตาม" +"แสดงรหัสโปรโมชั่นที่สามารถใช้เพื่อรับส่วนลด การจัดการความถูกต้อง ประเภทของส่วนลด " +"และการใช้งาน คลาส PromoCode จัดเก็บรายละเอียดเกี่ยวกับรหัสโปรโมชั่น รวมถึงตัวระบุที่ไม่ซ้ำกัน " +"คุณสมบัติของส่วนลด (จำนวนหรือเปอร์เซ็นต์) ระยะเวลาการใช้งาน ผู้ใช้ที่เกี่ยวข้อง (ถ้ามี) " +"และสถานะการใช้งาน " +"รวมถึงฟังก์ชันการทำงานเพื่อตรวจสอบและใช้รหัสโปรโมชั่นกับคำสั่งซื้อในขณะที่ตรวจสอบให้แน่ใจว่าข้อจำกัดต่างๆ " +"ได้รับการปฏิบัติตาม" #: engine/core/models.py:1119 msgid "unique code used by a user to redeem a discount" @@ -2364,19 +2307,16 @@ msgstr "ประเภทส่วนลดไม่ถูกต้องสำ msgid "" "Represents an order placed by a user. This class models an order within the " "application, including its various attributes such as billing and shipping " -"information, status, associated user, notifications, and related operations." -" Orders can have associated products, promotions can be applied, addresses " +"information, status, associated user, notifications, and related operations. " +"Orders can have associated products, promotions can be applied, addresses " "set, and shipping or billing details updated. Equally, functionality " "supports managing the products in the order lifecycle." msgstr "" -"แทนคำสั่งซื้อที่ผู้ใช้ได้ทำการสั่งซื้อไว้ " -"คลาสนี้จำลองคำสั่งซื้อภายในแอปพลิเคชัน รวมถึงคุณสมบัติต่าง ๆ เช่น " -"ข้อมูลการเรียกเก็บเงิน ข้อมูลการจัดส่ง สถานะ ผู้ใช้ที่เกี่ยวข้อง " -"การแจ้งเตือน และการดำเนินการที่เกี่ยวข้อง " -"คำสั่งซื้อสามารถมีสินค้าที่เกี่ยวข้องได้ โปรโมชั่นสามารถนำมาใช้ได้ " -"ที่อยู่สามารถตั้งค่าได้ " -"และรายละเอียดการจัดส่งหรือการเรียกเก็บเงินสามารถอัปเดตได้เช่นกัน นอกจากนี้ " -"ฟังก์ชันการทำงานยังรองรับการจัดการสินค้าในวงจรชีวิตของคำสั่งซื้อ" +"แทนคำสั่งซื้อที่ผู้ใช้ได้ทำการสั่งซื้อไว้ คลาสนี้จำลองคำสั่งซื้อภายในแอปพลิเคชัน รวมถึงคุณสมบัติต่าง ๆ " +"เช่น ข้อมูลการเรียกเก็บเงิน ข้อมูลการจัดส่ง สถานะ ผู้ใช้ที่เกี่ยวข้อง การแจ้งเตือน " +"และการดำเนินการที่เกี่ยวข้อง คำสั่งซื้อสามารถมีสินค้าที่เกี่ยวข้องได้ โปรโมชั่นสามารถนำมาใช้ได้ " +"ที่อยู่สามารถตั้งค่าได้ และรายละเอียดการจัดส่งหรือการเรียกเก็บเงินสามารถอัปเดตได้เช่นกัน " +"นอกจากนี้ ฟังก์ชันการทำงานยังรองรับการจัดการสินค้าในวงจรชีวิตของคำสั่งซื้อ" #: engine/core/models.py:1253 msgid "the billing address used for this order" @@ -2446,13 +2386,11 @@ msgstr "คำสั่ง" #: engine/core/models.py:1364 msgid "a user must have only one pending order at a time" -msgstr "" -"ผู้ใช้ต้องมีคำสั่งซื้อที่รอดำเนินการเพียงหนึ่งรายการเท่านั้นในแต่ละครั้ง!" +msgstr "ผู้ใช้ต้องมีคำสั่งซื้อที่รอดำเนินการเพียงหนึ่งรายการเท่านั้นในแต่ละครั้ง!" #: engine/core/models.py:1397 msgid "you cannot add products to an order that is not a pending one" -msgstr "" -"คุณไม่สามารถเพิ่มสินค้าในคำสั่งซื้อที่ไม่ใช่คำสั่งซื้อที่รอดำเนินการได้" +msgstr "คุณไม่สามารถเพิ่มสินค้าในคำสั่งซื้อที่ไม่ใช่คำสั่งซื้อที่รอดำเนินการได้" #: engine/core/models.py:1403 msgid "you cannot add inactive products to order" @@ -2465,8 +2403,7 @@ msgstr "คุณไม่สามารถเพิ่มสินค้าไ #: engine/core/models.py:1449 engine/core/models.py:1478 #: engine/core/models.py:1488 msgid "you cannot remove products from an order that is not a pending one" -msgstr "" -"คุณไม่สามารถลบสินค้าออกจากคำสั่งซื้อที่ไม่ใช่คำสั่งซื้อที่อยู่ในสถานะรอดำเนินการได้" +msgstr "คุณไม่สามารถลบสินค้าออกจากคำสั่งซื้อที่ไม่ใช่คำสั่งซื้อที่อยู่ในสถานะรอดำเนินการได้" #: engine/core/models.py:1473 #, python-brace-format @@ -2479,8 +2416,7 @@ msgstr "รหัสโปรโมชั่นไม่มีอยู่" #: engine/core/models.py:1527 msgid "you can only buy physical products with shipping address specified" -msgstr "" -"คุณสามารถซื้อได้เฉพาะสินค้าทางกายภาพที่มีที่อยู่สำหรับจัดส่งระบุไว้เท่านั้น!" +msgstr "คุณสามารถซื้อได้เฉพาะสินค้าทางกายภาพที่มีที่อยู่สำหรับจัดส่งระบุไว้เท่านั้น!" #: engine/core/models.py:1548 msgid "address does not exist" @@ -2515,15 +2451,14 @@ msgid "" "you cannot buy without registration, please provide the following " "information: customer name, customer email, customer phone number" msgstr "" -"คุณไม่สามารถซื้อได้หากไม่มีการลงทะเบียน กรุณาให้ข้อมูลต่อไปนี้: ชื่อลูกค้า, " -"อีเมลลูกค้า, หมายเลขโทรศัพท์ลูกค้า" +"คุณไม่สามารถซื้อได้หากไม่มีการลงทะเบียน กรุณาให้ข้อมูลต่อไปนี้: ชื่อลูกค้า, อีเมลลูกค้า, " +"หมายเลขโทรศัพท์ลูกค้า" #: engine/core/models.py:1675 #, python-brace-format msgid "" "invalid payment method: {payment_method} from {available_payment_methods}" -msgstr "" -"วิธีการชำระเงินไม่ถูกต้อง: {payment_method} จาก {available_payment_methods}!" +msgstr "วิธีการชำระเงินไม่ถูกต้อง: {payment_method} จาก {available_payment_methods}!" #: engine/core/models.py:1806 msgid "" @@ -2534,9 +2469,9 @@ msgid "" "fields to effectively model and manage feedback data." msgstr "" "จัดการข้อเสนอแนะของผู้ใช้สำหรับผลิตภัณฑ์ " -"คลาสนี้ถูกออกแบบมาเพื่อรวบรวมและจัดเก็บข้อมูลข้อเสนอแนะของผู้ใช้สำหรับผลิตภัณฑ์เฉพาะที่พวกเขาได้ซื้อ" -" ประกอบด้วยแอตทริบิวต์สำหรับจัดเก็บความคิดเห็นของผู้ใช้ " -"การอ้างอิงถึงผลิตภัณฑ์ที่เกี่ยวข้องในคำสั่งซื้อ และคะแนนที่ผู้ใช้กำหนด " +"คลาสนี้ถูกออกแบบมาเพื่อรวบรวมและจัดเก็บข้อมูลข้อเสนอแนะของผู้ใช้สำหรับผลิตภัณฑ์เฉพาะที่พวกเขาได้ซื้อ " +"ประกอบด้วยแอตทริบิวต์สำหรับจัดเก็บความคิดเห็นของผู้ใช้ การอ้างอิงถึงผลิตภัณฑ์ที่เกี่ยวข้องในคำสั่งซื้อ " +"และคะแนนที่ผู้ใช้กำหนด " "คลาสนี้ใช้ฟิลด์ในฐานข้อมูลเพื่อสร้างแบบจำลองและจัดการข้อมูลข้อเสนอแนะอย่างมีประสิทธิภาพ" #: engine/core/models.py:1818 @@ -2548,8 +2483,7 @@ msgid "feedback comments" msgstr "ความคิดเห็นจากผู้ตอบแบบสอบถาม" #: engine/core/models.py:1827 -msgid "" -"references the specific product in an order that this feedback is about" +msgid "references the specific product in an order that this feedback is about" msgstr "อ้างอิงถึงผลิตภัณฑ์เฉพาะในคำสั่งซื้อที่ความคิดเห็นนี้เกี่ยวข้อง" #: engine/core/models.py:1829 @@ -2576,14 +2510,12 @@ msgid "" "download URL for digital products. The model integrates with the Order and " "Product models and stores a reference to them." msgstr "" -"แสดงผลิตภัณฑ์ที่เกี่ยวข้องกับคำสั่งซื้อและคุณลักษณะของผลิตภัณฑ์โมเดล " -"OrderProduct ดูแลข้อมูลเกี่ยวกับสินค้าที่เป็นส่วนหนึ่งของคำสั่งซื้อ " -"รวมถึงรายละเอียดเช่น ราคาซื้อ จำนวน คุณสมบัติของสินค้า และสถานะ " -"โมเดลนี้จัดการการแจ้งเตือนสำหรับผู้ใช้และผู้ดูแลระบบ " +"แสดงผลิตภัณฑ์ที่เกี่ยวข้องกับคำสั่งซื้อและคุณลักษณะของผลิตภัณฑ์โมเดล OrderProduct " +"ดูแลข้อมูลเกี่ยวกับสินค้าที่เป็นส่วนหนึ่งของคำสั่งซื้อ รวมถึงรายละเอียดเช่น ราคาซื้อ จำนวน " +"คุณสมบัติของสินค้า และสถานะ โมเดลนี้จัดการการแจ้งเตือนสำหรับผู้ใช้และผู้ดูแลระบบ " "และจัดการการดำเนินการเช่น การคืนสินค้าคงเหลือหรือการเพิ่มความคิดเห็น " -"โมเดลนี้ยังมีวิธีการและคุณสมบัติที่สนับสนุนตรรกะทางธุรกิจ เช่น " -"การคำนวณราคารวมหรือการสร้าง URL สำหรับดาวน์โหลดสินค้าดิจิทัล " -"โมเดลนี้ผสานรวมกับโมเดล Order และ Product " +"โมเดลนี้ยังมีวิธีการและคุณสมบัติที่สนับสนุนตรรกะทางธุรกิจ เช่น การคำนวณราคารวมหรือการสร้าง URL " +"สำหรับดาวน์โหลดสินค้าดิจิทัล โมเดลนี้ผสานรวมกับโมเดล Order และ Product " "และเก็บการอ้างอิงถึงโมเดลเหล่านี้ไว้" #: engine/core/models.py:1870 @@ -2692,14 +2624,14 @@ msgid "" "Represents the downloading functionality for digital assets associated with " "orders. The DigitalAssetDownload class provides the ability to manage and " "access downloads related to order products. It maintains information about " -"the associated order product, the number of downloads, and whether the asset" -" is publicly visible. It includes a method to generate a URL for downloading" -" the asset when the associated order is in a completed status." +"the associated order product, the number of downloads, and whether the asset " +"is publicly visible. It includes a method to generate a URL for downloading " +"the asset when the associated order is in a completed status." msgstr "" -"แสดงถึงฟังก์ชันการดาวน์โหลดสำหรับสินทรัพย์ดิจิทัลที่เกี่ยวข้องกับคำสั่งซื้อ " -"คลาส DigitalAssetDownload " -"ให้ความสามารถในการจัดการและเข้าถึงการดาวน์โหลดที่เกี่ยวข้องกับผลิตภัณฑ์ในคำสั่งซื้อ" -" มันเก็บข้อมูลเกี่ยวกับผลิตภัณฑ์ในคำสั่งซื้อที่เกี่ยวข้อง จำนวนการดาวน์โหลด " +"แสดงถึงฟังก์ชันการดาวน์โหลดสำหรับสินทรัพย์ดิจิทัลที่เกี่ยวข้องกับคำสั่งซื้อ คลาส " +"DigitalAssetDownload " +"ให้ความสามารถในการจัดการและเข้าถึงการดาวน์โหลดที่เกี่ยวข้องกับผลิตภัณฑ์ในคำสั่งซื้อ " +"มันเก็บข้อมูลเกี่ยวกับผลิตภัณฑ์ในคำสั่งซื้อที่เกี่ยวข้อง จำนวนการดาวน์โหลด " "และว่าสินทรัพย์นั้นสามารถมองเห็นได้สาธารณะหรือไม่ รวมถึงวิธีการสร้าง URL " "สำหรับการดาวน์โหลดสินทรัพย์เมื่อคำสั่งซื้อที่เกี่ยวข้องอยู่ในสถานะเสร็จสมบูรณ์" @@ -2714,8 +2646,7 @@ msgstr "ดาวน์โหลด" #: engine/core/serializers/utility.py:91 msgid "" "you must provide a comment, rating, and order product uuid to add feedback." -msgstr "" -"คุณต้องแสดงความคิดเห็น, ให้คะแนน, และระบุ uuid ของสินค้าเพื่อเพิ่มคำแนะนำ" +msgstr "คุณต้องแสดงความคิดเห็น, ให้คะแนน, และระบุ uuid ของสินค้าเพื่อเพิ่มคำแนะนำ" #: engine/core/sitemaps.py:25 msgid "Home" @@ -2907,12 +2838,12 @@ msgstr "สวัสดีครับ/ค่ะ %(order.user.first_name)s," #, python-format msgid "" "thank you for your order #%(order.pk)s! we are pleased to inform you that\n" -" we have taken your order into work. below are the details of your\n" +" we have taken your order into work. below are " +"the details of your\n" " order:" msgstr "" "ขอบคุณสำหรับคำสั่งซื้อของคุณ #%(order.pk)s! " -"เราขอแจ้งให้คุณทราบว่าเราได้ดำเนินการตามคำสั่งซื้อของคุณแล้ว " -"รายละเอียดของคำสั่งซื้อของคุณมีดังนี้:" +"เราขอแจ้งให้คุณทราบว่าเราได้ดำเนินการตามคำสั่งซื้อของคุณแล้ว รายละเอียดของคำสั่งซื้อของคุณมีดังนี้:" #: engine/core/templates/digital_order_created_email.html:112 #: engine/core/templates/digital_order_delivered_email.html:110 @@ -2935,9 +2866,7 @@ msgstr "ราคาทั้งหมด" msgid "" "if you have any questions, feel free to contact our support at\n" " %(config.EMAIL_HOST_USER)s." -msgstr "" -"หากคุณมีคำถามใด ๆ โปรดติดต่อทีมสนับสนุนของเราได้ที่ " -"%(config.EMAIL_HOST_USER)s" +msgstr "หากคุณมีคำถามใด ๆ โปรดติดต่อทีมสนับสนุนของเราได้ที่ %(config.EMAIL_HOST_USER)s" #: engine/core/templates/digital_order_created_email.html:133 #, python-format @@ -3016,11 +2945,12 @@ msgstr "ขอบคุณที่เข้าพักกับเรา! เ #: engine/core/templates/shipped_order_created_email.html:101 #: engine/core/templates/shipped_order_delivered_email.html:101 msgid "" -"thank you for your order! we are pleased to confirm your purchase. below are\n" +"thank you for your order! we are pleased to confirm your purchase. below " +"are\n" " the details of your order:" msgstr "" -"ขอบคุณสำหรับการสั่งซื้อของคุณ! เราขอแจ้งยืนยันการสั่งซื้อของคุณเรียบร้อยแล้ว" -" รายละเอียดการสั่งซื้อของคุณมีดังนี้:" +"ขอบคุณสำหรับการสั่งซื้อของคุณ! เราขอแจ้งยืนยันการสั่งซื้อของคุณเรียบร้อยแล้ว " +"รายละเอียดการสั่งซื้อของคุณมีดังนี้:" #: engine/core/templates/shipped_order_created_email.html:123 #: engine/core/templates/shipped_order_delivered_email.html:123 @@ -3100,9 +3030,8 @@ msgid "" "the request, fetches the appropriate sitemap detail response, and sets the " "Content-Type header for XML." msgstr "" -"จัดการการตอบสนองมุมมองรายละเอียดสำหรับแผนผังเว็บไซต์ ฟังก์ชันนี้ประมวลผลคำขอ" -" ดึงการตอบสนองรายละเอียดแผนผังเว็บไซต์ที่เหมาะสม และตั้งค่าส่วนหัว Content-" -"Type สำหรับ XML" +"จัดการการตอบสนองมุมมองรายละเอียดสำหรับแผนผังเว็บไซต์ ฟังก์ชันนี้ประมวลผลคำขอ " +"ดึงการตอบสนองรายละเอียดแผนผังเว็บไซต์ที่เหมาะสม และตั้งค่าส่วนหัว Content-Type สำหรับ XML" #: engine/core/views.py:155 msgid "" @@ -3118,8 +3047,7 @@ msgid "" "Handles cache operations such as reading and setting cache data with a " "specified key and timeout." msgstr "" -"จัดการการดำเนินการแคช เช่น " -"การอ่านและการตั้งค่าข้อมูลแคชด้วยคีย์ที่กำหนดและเวลาหมดอายุ" +"จัดการการดำเนินการแคช เช่น การอ่านและการตั้งค่าข้อมูลแคชด้วยคีย์ที่กำหนดและเวลาหมดอายุ" #: engine/core/views.py:220 msgid "Handles `contact us` form submissions." @@ -3130,8 +3058,7 @@ msgid "" "Handles requests for processing and validating URLs from incoming POST " "requests." msgstr "" -"จัดการคำขอสำหรับการประมวลผลและตรวจสอบความถูกต้องของ URL จากคำขอ POST " -"ที่เข้ามา" +"จัดการคำขอสำหรับการประมวลผลและตรวจสอบความถูกต้องของ URL จากคำขอ POST ที่เข้ามา" #: engine/core/views.py:273 msgid "Handles global search queries." @@ -3144,11 +3071,13 @@ msgstr "จัดการตรรกะของการซื้อในฐ #: engine/core/views.py:337 msgid "" "Handles the downloading of a digital asset associated with an order.\n" -"This function attempts to serve the digital asset file located in the storage directory of the project. If the file is not found, an HTTP 404 error is raised to indicate the resource is unavailable." +"This function attempts to serve the digital asset file located in the " +"storage directory of the project. If the file is not found, an HTTP 404 " +"error is raised to indicate the resource is unavailable." msgstr "" "จัดการการดาวน์โหลดสินทรัพย์ดิจิทัลที่เกี่ยวข้องกับคำสั่งซื้อ " -"ฟังก์ชันนี้พยายามให้บริการไฟล์สินทรัพย์ดิจิทัลที่อยู่ในไดเรกทอรีจัดเก็บของโครงการ" -" หากไม่พบไฟล์ จะเกิดข้อผิดพลาด HTTP 404 เพื่อระบุว่าทรัพยากรไม่พร้อมใช้งาน" +"ฟังก์ชันนี้พยายามให้บริการไฟล์สินทรัพย์ดิจิทัลที่อยู่ในไดเรกทอรีจัดเก็บของโครงการ หากไม่พบไฟล์ " +"จะเกิดข้อผิดพลาด HTTP 404 เพื่อระบุว่าทรัพยากรไม่พร้อมใช้งาน" #: engine/core/views.py:348 msgid "order_product_uuid is required" @@ -3177,21 +3106,23 @@ msgstr "ไม่พบไอคอนเว็บไซต์" #: engine/core/views.py:418 msgid "" "Handles requests for the favicon of a website.\n" -"This function attempts to serve the favicon file located in the static directory of the project. If the favicon file is not found, an HTTP 404 error is raised to indicate the resource is unavailable." +"This function attempts to serve the favicon file located in the static " +"directory of the project. If the favicon file is not found, an HTTP 404 " +"error is raised to indicate the resource is unavailable." msgstr "" -"จัดการคำขอสำหรับไอคอนเว็บไซต์ (favicon) ฟังก์ชันนี้พยายามให้บริการไฟล์ " -"favicon ที่อยู่ในไดเรกทอรีแบบคงที่ของโปรเจกต์ หากไม่พบไฟล์ favicon " -"จะเกิดข้อผิดพลาด HTTP 404 เพื่อแสดงว่าทรัพยากรไม่พร้อมใช้งาน" +"จัดการคำขอสำหรับไอคอนเว็บไซต์ (favicon) ฟังก์ชันนี้พยายามให้บริการไฟล์ favicon " +"ที่อยู่ในไดเรกทอรีแบบคงที่ของโปรเจกต์ หากไม่พบไฟล์ favicon จะเกิดข้อผิดพลาด HTTP 404 " +"เพื่อแสดงว่าทรัพยากรไม่พร้อมใช้งาน" #: engine/core/views.py:432 msgid "" -"Redirects the request to the admin index page. The function handles incoming" -" HTTP requests and redirects them to the Django admin interface index page. " +"Redirects the request to the admin index page. The function handles incoming " +"HTTP requests and redirects them to the Django admin interface index page. " "It uses Django's `redirect` function for handling the HTTP redirection." msgstr "" "เปลี่ยนเส้นทางคำขอไปยังหน้าดัชนีของผู้ดูแลระบบ ฟังก์ชันนี้จัดการคำขอ HTTP " -"ที่เข้ามาและเปลี่ยนเส้นทางไปยังหน้าดัชนีของอินเทอร์เฟซผู้ดูแลระบบ Django " -"โดยใช้ฟังก์ชัน `redirect` ของ Django สำหรับการเปลี่ยนเส้นทาง HTTP" +"ที่เข้ามาและเปลี่ยนเส้นทางไปยังหน้าดัชนีของอินเทอร์เฟซผู้ดูแลระบบ Django โดยใช้ฟังก์ชัน " +"`redirect` ของ Django สำหรับการเปลี่ยนเส้นทาง HTTP" #: engine/core/views.py:445 msgid "Returns current version of the eVibes. " @@ -3214,25 +3145,23 @@ msgid "" "serializer classes based on the current action, customizable permissions, " "and rendering formats." msgstr "" -"กำหนดชุดมุมมองสำหรับการจัดการการดำเนินการที่เกี่ยวข้องกับ Evibes คลาส " -"EvibesViewSet สืบทอดมาจาก ModelViewSet " -"และให้ฟังก์ชันการทำงานสำหรับการจัดการการกระทำและการดำเนินการบนเอนทิตีของ " -"Evibes รวมถึงการรองรับคลาสตัวแปลงแบบไดนามิกตามการกระทำปัจจุบัน " -"การอนุญาตที่ปรับแต่งได้ และรูปแบบการแสดงผล" +"กำหนดชุดมุมมองสำหรับการจัดการการดำเนินการที่เกี่ยวข้องกับ Evibes คลาส EvibesViewSet " +"สืบทอดมาจาก ModelViewSet " +"และให้ฟังก์ชันการทำงานสำหรับการจัดการการกระทำและการดำเนินการบนเอนทิตีของ Evibes " +"รวมถึงการรองรับคลาสตัวแปลงแบบไดนามิกตามการกระทำปัจจุบัน การอนุญาตที่ปรับแต่งได้ " +"และรูปแบบการแสดงผล" #: engine/core/viewsets.py:160 msgid "" -"Represents a viewset for managing AttributeGroup objects. Handles operations" -" related to AttributeGroup, including filtering, serialization, and " -"retrieval of data. This class is part of the application's API layer and " -"provides a standardized way to process requests and responses for " -"AttributeGroup data." +"Represents a viewset for managing AttributeGroup objects. Handles operations " +"related to AttributeGroup, including filtering, serialization, and retrieval " +"of data. This class is part of the application's API layer and provides a " +"standardized way to process requests and responses for AttributeGroup data." msgstr "" -"แสดงชุดมุมมองสำหรับการจัดการวัตถุ AttributeGroup ดำเนินการที่เกี่ยวข้องกับ " -"AttributeGroup รวมถึงการกรอง การแปลงข้อมูลเป็นรูปแบบที่ส่งผ่านได้ " -"และการดึงข้อมูล คลาสนี้เป็นส่วนหนึ่งของชั้น API " -"ของแอปพลิเคชันและให้วิธีการมาตรฐานในการประมวลผลคำขอและการตอบสนองสำหรับข้อมูล" -" AttributeGroup" +"แสดงชุดมุมมองสำหรับการจัดการวัตถุ AttributeGroup ดำเนินการที่เกี่ยวข้องกับ AttributeGroup " +"รวมถึงการกรอง การแปลงข้อมูลเป็นรูปแบบที่ส่งผ่านได้ และการดึงข้อมูล คลาสนี้เป็นส่วนหนึ่งของชั้น " +"API ของแอปพลิเคชันและให้วิธีการมาตรฐานในการประมวลผลคำขอและการตอบสนองสำหรับข้อมูล " +"AttributeGroup" #: engine/core/viewsets.py:179 msgid "" @@ -3243,26 +3172,24 @@ msgid "" "specific fields or retrieving detailed versus simplified information " "depending on the request." msgstr "" -"จัดการการดำเนินการที่เกี่ยวข้องกับวัตถุ Attribute ภายในแอปพลิเคชัน " -"ให้ชุดของจุดสิ้นสุด API สำหรับการโต้ตอบกับข้อมูล Attribute " -"คลาสนี้จัดการการค้นหา การกรอง และการแปลงวัตถุ Attribute เป็นรูปแบบที่อ่านได้" -" ช่วยให้สามารถควบคุมข้อมูลที่ส่งคืนได้อย่างยืดหยุ่น เช่น " -"การกรองตามฟิลด์เฉพาะ หรือการดึงข้อมูลแบบละเอียดหรือแบบย่อ " -"ขึ้นอยู่กับความต้องการของคำขอ" +"จัดการการดำเนินการที่เกี่ยวข้องกับวัตถุ Attribute ภายในแอปพลิเคชัน ให้ชุดของจุดสิ้นสุด API " +"สำหรับการโต้ตอบกับข้อมูล Attribute คลาสนี้จัดการการค้นหา การกรอง และการแปลงวัตถุ " +"Attribute เป็นรูปแบบที่อ่านได้ ช่วยให้สามารถควบคุมข้อมูลที่ส่งคืนได้อย่างยืดหยุ่น เช่น " +"การกรองตามฟิลด์เฉพาะ หรือการดึงข้อมูลแบบละเอียดหรือแบบย่อ ขึ้นอยู่กับความต้องการของคำขอ" #: engine/core/viewsets.py:198 msgid "" "A viewset for managing AttributeValue objects. This viewset provides " "functionality for listing, retrieving, creating, updating, and deleting " "AttributeValue objects. It integrates with Django REST Framework's viewset " -"mechanisms and uses appropriate serializers for different actions. Filtering" -" capabilities are provided through the DjangoFilterBackend." +"mechanisms and uses appropriate serializers for different actions. Filtering " +"capabilities are provided through the DjangoFilterBackend." msgstr "" "ชุดมุมมองสำหรับการจัดการวัตถุ AttributeValue " -"ชุดมุมมองนี้ให้ฟังก์ชันการทำงานสำหรับการแสดงรายการ การดึงข้อมูล การสร้าง " -"การอัปเดต และการลบวัตถุ AttributeValue มันผสานรวมกับกลไกชุดมุมมองของ Django " -"REST Framework และใช้ตัวแปลงข้อมูลที่เหมาะสมสำหรับแต่ละการกระทำ " -"ความสามารถในการกรองข้อมูลมีให้ผ่าน DjangoFilterBackend" +"ชุดมุมมองนี้ให้ฟังก์ชันการทำงานสำหรับการแสดงรายการ การดึงข้อมูล การสร้าง การอัปเดต " +"และการลบวัตถุ AttributeValue มันผสานรวมกับกลไกชุดมุมมองของ Django REST Framework " +"และใช้ตัวแปลงข้อมูลที่เหมาะสมสำหรับแต่ละการกระทำ ความสามารถในการกรองข้อมูลมีให้ผ่าน " +"DjangoFilterBackend" #: engine/core/viewsets.py:217 msgid "" @@ -3273,9 +3200,8 @@ msgid "" "can access specific data." msgstr "" "จัดการมุมมองสำหรับการดำเนินการที่เกี่ยวข้องกับหมวดหมู่ คลาส CategoryViewSet " -"รับผิดชอบในการจัดการการดำเนินการที่เกี่ยวข้องกับโมเดลหมวดหมู่ในระบบ " -"มันรองรับการดึงข้อมูล การกรอง และการแปลงข้อมูลหมวดหมู่เป็นรูปแบบที่ส่งต่อได้" -" " +"รับผิดชอบในการจัดการการดำเนินการที่เกี่ยวข้องกับโมเดลหมวดหมู่ในระบบ มันรองรับการดึงข้อมูล " +"การกรอง และการแปลงข้อมูลหมวดหมู่เป็นรูปแบบที่ส่งต่อได้ " "ชุดมุมมองนี้ยังบังคับใช้สิทธิ์การเข้าถึงเพื่อให้แน่ใจว่าเฉพาะผู้ใช้ที่ได้รับอนุญาตเท่านั้นที่สามารถเข้าถึงข้อมูลเฉพาะได้" #: engine/core/viewsets.py:346 @@ -3285,11 +3211,9 @@ msgid "" "uses Django's ViewSet framework to simplify the implementation of API " "endpoints for Brand objects." msgstr "" -"แทนชุดมุมมองสำหรับการจัดการอินสแตนซ์ของแบรนด์ " -"คลาสนี้ให้ฟังก์ชันการทำงานสำหรับการค้นหา การกรอง " -"และการแปลงออบเจ็กต์แบรนด์เป็นรูปแบบที่ส่งผ่านได้ โดยใช้เฟรมเวิร์ก ViewSet " -"ของ Django เพื่อทำให้การพัฒนาระบบจุดสิ้นสุด API " -"สำหรับออบเจ็กต์แบรนด์เป็นเรื่องง่ายขึ้น" +"แทนชุดมุมมองสำหรับการจัดการอินสแตนซ์ของแบรนด์ คลาสนี้ให้ฟังก์ชันการทำงานสำหรับการค้นหา " +"การกรอง และการแปลงออบเจ็กต์แบรนด์เป็นรูปแบบที่ส่งผ่านได้ โดยใช้เฟรมเวิร์ก ViewSet ของ " +"Django เพื่อทำให้การพัฒนาระบบจุดสิ้นสุด API สำหรับออบเจ็กต์แบรนด์เป็นเรื่องง่ายขึ้น" #: engine/core/viewsets.py:458 msgid "" @@ -3304,8 +3228,8 @@ msgstr "" "จัดการการดำเนินงานที่เกี่ยวข้องกับโมเดล `Product` ในระบบ " "คลาสนี้ให้ชุดมุมมองสำหรับการจัดการผลิตภัณฑ์ รวมถึงการกรอง การแปลงเป็นลำดับ " "และปฏิบัติการบนอินสแตนซ์เฉพาะ มันขยายจาก `EvibesViewSet` " -"เพื่อใช้ฟังก์ชันทั่วไปและผสานรวมกับเฟรมเวิร์ก Django REST สำหรับการดำเนินการ" -" API แบบ RESTful รวมถึงวิธีการสำหรับการดึงรายละเอียดผลิตภัณฑ์ การใช้สิทธิ์ " +"เพื่อใช้ฟังก์ชันทั่วไปและผสานรวมกับเฟรมเวิร์ก Django REST สำหรับการดำเนินการ API แบบ " +"RESTful รวมถึงวิธีการสำหรับการดึงรายละเอียดผลิตภัณฑ์ การใช้สิทธิ์ " "และการเข้าถึงข้อเสนอแนะที่เกี่ยวข้องของผลิตภัณฑ์" #: engine/core/viewsets.py:605 @@ -3316,9 +3240,9 @@ msgid "" "actions. The purpose of this class is to provide streamlined access to " "Vendor-related resources through the Django REST framework." msgstr "" -"แสดงชุดมุมมองสำหรับการจัดการวัตถุ Vendor ชุดมุมมองนี้อนุญาตให้ดึงข้อมูล กรอง" -" และแปลงข้อมูล Vendor เป็นรูปแบบที่อ่านได้ ชุดมุมมองนี้กำหนด queryset " -"การกำหนดค่าตัวกรอง และคลาส serializer ที่ใช้จัดการการดำเนินการต่างๆ " +"แสดงชุดมุมมองสำหรับการจัดการวัตถุ Vendor ชุดมุมมองนี้อนุญาตให้ดึงข้อมูล กรอง และแปลงข้อมูล " +"Vendor เป็นรูปแบบที่อ่านได้ ชุดมุมมองนี้กำหนด queryset การกำหนดค่าตัวกรอง และคลาส " +"serializer ที่ใช้จัดการการดำเนินการต่างๆ " "วัตถุประสงค์ของคลาสนี้คือการให้การเข้าถึงทรัพยากรที่เกี่ยวข้องกับ Vendor " "อย่างมีประสิทธิภาพผ่านกรอบงาน Django REST" @@ -3327,32 +3251,29 @@ msgid "" "Representation of a view set handling Feedback objects. This class manages " "operations related to Feedback objects, including listing, filtering, and " "retrieving details. The purpose of this view set is to provide different " -"serializers for different actions and implement permission-based handling of" -" accessible Feedback objects. It extends the base `EvibesViewSet` and makes " +"serializers for different actions and implement permission-based handling of " +"accessible Feedback objects. It extends the base `EvibesViewSet` and makes " "use of Django's filtering system for querying data." msgstr "" -"การแสดงชุดมุมมองที่จัดการวัตถุข้อเสนอแนะ " -"คลาสนี้จัดการการดำเนินการที่เกี่ยวข้องกับวัตถุข้อเสนอแนะ รวมถึงการแสดงรายการ" -" การกรอง และการดึงรายละเอียด " -"วัตถุประสงค์ของชุดมุมมองนี้คือการจัดเตรียมตัวแปลงอนุกรมที่แตกต่างกันสำหรับการดำเนินการต่างๆ" -" และจัดการวัตถุข้อเสนอแนะที่เข้าถึงได้บนพื้นฐานของสิทธิ์ มันขยายคลาสพื้นฐาน " -"`EvibesViewSet` และใช้ระบบกรองของ Django สำหรับการสืบค้นข้อมูล" +"การแสดงชุดมุมมองที่จัดการวัตถุข้อเสนอแนะ คลาสนี้จัดการการดำเนินการที่เกี่ยวข้องกับวัตถุข้อเสนอแนะ " +"รวมถึงการแสดงรายการ การกรอง และการดึงรายละเอียด " +"วัตถุประสงค์ของชุดมุมมองนี้คือการจัดเตรียมตัวแปลงอนุกรมที่แตกต่างกันสำหรับการดำเนินการต่างๆ " +"และจัดการวัตถุข้อเสนอแนะที่เข้าถึงได้บนพื้นฐานของสิทธิ์ มันขยายคลาสพื้นฐาน `EvibesViewSet` " +"และใช้ระบบกรองของ Django สำหรับการสืบค้นข้อมูล" #: engine/core/viewsets.py:652 msgid "" "ViewSet for managing orders and related operations. This class provides " "functionality to retrieve, modify, and manage order objects. It includes " "various endpoints for handling order operations such as adding or removing " -"products, performing purchases for registered as well as unregistered users," -" and retrieving the current authenticated user's pending orders. The ViewSet" -" uses multiple serializers based on the specific action being performed and " +"products, performing purchases for registered as well as unregistered users, " +"and retrieving the current authenticated user's pending orders. The ViewSet " +"uses multiple serializers based on the specific action being performed and " "enforces permissions accordingly while interacting with order data." msgstr "" -"ViewSet สำหรับการจัดการคำสั่งซื้อและกิจกรรมที่เกี่ยวข้อง " -"คลาสนี้ให้ฟังก์ชันการทำงานในการดึงข้อมูล แก้ไข และจัดการอ็อบเจ็กต์คำสั่งซื้อ" -" รวมถึงจุดสิ้นสุดต่างๆ สำหรับการจัดการคำสั่งซื้อ เช่น " -"การเพิ่มหรือลบผลิตภัณฑ์ " -"การดำเนินการซื้อสำหรับผู้ใช้ที่ลงทะเบียนและไม่ได้ลงทะเบียน " +"ViewSet สำหรับการจัดการคำสั่งซื้อและกิจกรรมที่เกี่ยวข้อง คลาสนี้ให้ฟังก์ชันการทำงานในการดึงข้อมูล " +"แก้ไข และจัดการอ็อบเจ็กต์คำสั่งซื้อ รวมถึงจุดสิ้นสุดต่างๆ สำหรับการจัดการคำสั่งซื้อ เช่น " +"การเพิ่มหรือลบผลิตภัณฑ์ การดำเนินการซื้อสำหรับผู้ใช้ที่ลงทะเบียนและไม่ได้ลงทะเบียน " "และการดึงคำสั่งซื้อที่รอดำเนินการของผู้ใช้ที่เข้าสู่ระบบปัจจุบัน ViewSet " "ใช้ตัวแปลงข้อมูลหลายแบบตามการกระทำที่เฉพาะเจาะจงและบังคับใช้สิทธิ์การเข้าถึงอย่างเหมาะสมขณะโต้ตอบกับข้อมูลคำสั่งซื้อ" @@ -3360,16 +3281,15 @@ msgstr "" msgid "" "Provides a viewset for managing OrderProduct entities. This viewset enables " "CRUD operations and custom actions specific to the OrderProduct model. It " -"includes filtering, permission checks, and serializer switching based on the" -" requested action. Additionally, it provides a detailed action for handling " +"includes filtering, permission checks, and serializer switching based on the " +"requested action. Additionally, it provides a detailed action for handling " "feedback on OrderProduct instances" msgstr "" -"ให้ชุดมุมมองสำหรับการจัดการเอนทิตี OrderProduct " -"ชุดมุมมองนี้ช่วยให้สามารถดำเนินการ CRUD และดำเนินการเฉพาะที่เกี่ยวกับโมเดล " -"OrderProduct รวมถึงการกรอง การตรวจสอบสิทธิ์ " +"ให้ชุดมุมมองสำหรับการจัดการเอนทิตี OrderProduct ชุดมุมมองนี้ช่วยให้สามารถดำเนินการ CRUD " +"และดำเนินการเฉพาะที่เกี่ยวกับโมเดล OrderProduct รวมถึงการกรอง การตรวจสอบสิทธิ์ " "และการสลับตัวแปลงตามการดำเนินการที่ร้องขอ " -"นอกจากนี้ยังมีรายละเอียดการดำเนินการสำหรับการจัดการข้อเสนอแนะเกี่ยวกับอินสแตนซ์ของ" -" OrderProduct" +"นอกจากนี้ยังมีรายละเอียดการดำเนินการสำหรับการจัดการข้อเสนอแนะเกี่ยวกับอินสแตนซ์ของ " +"OrderProduct" #: engine/core/viewsets.py:974 msgid "Manages operations related to Product images in the application. " @@ -3379,8 +3299,7 @@ msgstr "จัดการการดำเนินงานที่เกี msgid "" "Manages the retrieval and handling of PromoCode instances through various " "API actions." -msgstr "" -"จัดการการดึงและการจัดการของตัวอย่าง PromoCode ผ่านการกระทำของ API ต่าง ๆ" +msgstr "จัดการการดึงและการจัดการของตัวอย่าง PromoCode ผ่านการกระทำของ API ต่าง ๆ" #: engine/core/viewsets.py:1019 msgid "Represents a view set for managing promotions. " @@ -3394,19 +3313,18 @@ msgstr "จัดการการดำเนินงานที่เกี msgid "" "ViewSet for managing Wishlist operations. The WishlistViewSet provides " "endpoints for interacting with a user's wish list, allowing for the " -"retrieval, modification, and customization of products within the wish list." -" This ViewSet facilitates functionality such as adding, removing, and bulk " +"retrieval, modification, and customization of products within the wish list. " +"This ViewSet facilitates functionality such as adding, removing, and bulk " "actions for wishlist products. Permission checks are integrated to ensure " "that users can only manage their own wishlists unless explicit permissions " "are granted." msgstr "" -"ViewSet สำหรับการจัดการการดำเนินการในรายการที่ต้องการ (Wishlist) " -"WishlistViewSet ให้จุดเชื่อมต่อสำหรับการโต้ตอบกับรายการที่ต้องการของผู้ใช้ " -"ซึ่งช่วยให้สามารถดึงข้อมูล แก้ไข และปรับแต่งผลิตภัณฑ์ในรายการที่ต้องการได้ " -"ViewSet นี้อำนวยความสะดวกในการทำงาน เช่น การเพิ่ม การลบ " -"และการดำเนินการแบบกลุ่มสำหรับผลิตภัณฑ์ในรายการที่ต้องการ " -"มีการตรวจสอบสิทธิ์เพื่อรับรองว่าผู้ใช้สามารถจัดการรายการที่ต้องการของตนเองเท่านั้น" -" เว้นแต่จะได้รับสิทธิ์อนุญาตอย่างชัดเจน" +"ViewSet สำหรับการจัดการการดำเนินการในรายการที่ต้องการ (Wishlist) WishlistViewSet " +"ให้จุดเชื่อมต่อสำหรับการโต้ตอบกับรายการที่ต้องการของผู้ใช้ ซึ่งช่วยให้สามารถดึงข้อมูล แก้ไข " +"และปรับแต่งผลิตภัณฑ์ในรายการที่ต้องการได้ ViewSet นี้อำนวยความสะดวกในการทำงาน เช่น " +"การเพิ่ม การลบ และการดำเนินการแบบกลุ่มสำหรับผลิตภัณฑ์ในรายการที่ต้องการ " +"มีการตรวจสอบสิทธิ์เพื่อรับรองว่าผู้ใช้สามารถจัดการรายการที่ต้องการของตนเองเท่านั้น " +"เว้นแต่จะได้รับสิทธิ์อนุญาตอย่างชัดเจน" #: engine/core/viewsets.py:1183 msgid "" @@ -3418,9 +3336,8 @@ msgid "" msgstr "" "คลาสนี้ให้ฟังก์ชันการทำงานของ viewset สำหรับจัดการออบเจ็กต์ `Address` คลาส " "AddressViewSet ช่วยให้สามารถดำเนินการ CRUD การกรอง " -"และการดำเนินการที่กำหนดเองที่เกี่ยวข้องกับเอนทิตีที่อยู่ " -"รวมถึงพฤติกรรมเฉพาะสำหรับวิธีการ HTTP ที่แตกต่างกัน การแทนที่ตัวแปลงข้อมูล " -"และการจัดการสิทธิ์ตามบริบทของคำขอ" +"และการดำเนินการที่กำหนดเองที่เกี่ยวข้องกับเอนทิตีที่อยู่ รวมถึงพฤติกรรมเฉพาะสำหรับวิธีการ HTTP " +"ที่แตกต่างกัน การแทนที่ตัวแปลงข้อมูล และการจัดการสิทธิ์ตามบริบทของคำขอ" #: engine/core/viewsets.py:1254 #, python-brace-format diff --git a/engine/core/locale/tr_TR/LC_MESSAGES/django.mo b/engine/core/locale/tr_TR/LC_MESSAGES/django.mo index d17dc07fd2fb9a15f22275f9fa634401a670bca9..dc35612290c6dd7befc861461ddfe72596d46a48 100644 GIT binary patch delta 18 acmX?mhxP0o)(zdqn9cMIH}@UezZ?Ks3JGHX delta 18 acmX?mhxP0o)(zdqm`(LeHuoLdzZ?Ks6bWSj diff --git a/engine/core/locale/tr_TR/LC_MESSAGES/django.po b/engine/core/locale/tr_TR/LC_MESSAGES/django.po index 19ecc291..072b12b9 100644 --- a/engine/core/locale/tr_TR/LC_MESSAGES/django.po +++ b/engine/core/locale/tr_TR/LC_MESSAGES/django.po @@ -1,9 +1,9 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-12-21 00:38+0300\n" +"POT-Creation-Date: 2026-01-04 19:25+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" @@ -29,8 +29,7 @@ msgstr "Aktif mi" #: engine/core/abstract.py:22 msgid "" -"if set to false, this object can't be seen by users without needed " -"permission" +"if set to false, this object can't be seen by users without needed permission" msgstr "" "false olarak ayarlanırsa, bu nesne gerekli izne sahip olmayan kullanıcılar " "tarafından görülemez" @@ -93,8 +92,8 @@ msgstr "Seçili %(verbose_name_plural)s'ı devre dışı bırak" msgid "selected items have been deactivated." msgstr "Seçilen öğeler devre dışı bırakıldı!" -#: engine/core/admin.py:196 engine/core/graphene/object_types.py:652 -#: engine/core/graphene/object_types.py:659 engine/core/models.py:825 +#: engine/core/admin.py:196 engine/core/graphene/object_types.py:653 +#: engine/core/graphene/object_types.py:660 engine/core/models.py:825 #: engine/core/models.py:833 msgid "attribute value" msgstr "Öznitelik Değeri" @@ -108,7 +107,7 @@ msgstr "Öznitelik Değerleri" msgid "image" msgstr "Resim" -#: engine/core/admin.py:209 engine/core/graphene/object_types.py:529 +#: engine/core/admin.py:209 engine/core/graphene/object_types.py:530 msgid "images" msgstr "Görüntüler" @@ -116,7 +115,7 @@ msgstr "Görüntüler" msgid "stock" msgstr "Stok" -#: engine/core/admin.py:221 engine/core/graphene/object_types.py:712 +#: engine/core/admin.py:221 engine/core/graphene/object_types.py:713 msgid "stocks" msgstr "Stoklar" @@ -124,7 +123,7 @@ msgstr "Stoklar" msgid "order product" msgstr "Ürün Siparişi" -#: engine/core/admin.py:233 engine/core/graphene/object_types.py:440 +#: engine/core/admin.py:233 engine/core/graphene/object_types.py:441 #: engine/core/models.py:1932 msgid "order products" msgstr "Sipariş Ürünleri" @@ -157,8 +156,7 @@ msgstr "Teslim edildi" msgid "canceled" msgstr "İptal edildi" -#: engine/core/choices.py:8 engine/core/choices.py:16 -#: engine/core/choices.py:24 +#: engine/core/choices.py:8 engine/core/choices.py:16 engine/core/choices.py:24 msgid "failed" msgstr "Başarısız" @@ -208,8 +206,10 @@ msgid "" "apply only a key to read permitted data from cache.\n" "apply key, data and timeout with authentication to write data to cache." msgstr "" -"Önbellekten izin verilen verileri okumak için yalnızca bir anahtar uygulayın.\n" -"Önbelleğe veri yazmak için kimlik doğrulama ile anahtar, veri ve zaman aşımı uygulayın." +"Önbellekten izin verilen verileri okumak için yalnızca bir anahtar " +"uygulayın.\n" +"Önbelleğe veri yazmak için kimlik doğrulama ile anahtar, veri ve zaman aşımı " +"uygulayın." #: engine/core/docs/drf/views.py:66 msgid "get a list of supported languages" @@ -233,8 +233,7 @@ msgstr "Ürünler, kategoriler ve markalar arasında arama" #: engine/core/docs/drf/views.py:144 msgid "global search endpoint to query across project's tables" -msgstr "" -"Proje tabloları arasında sorgulama yapmak için global arama uç noktası" +msgstr "Proje tabloları arasında sorgulama yapmak için global arama uç noktası" #: engine/core/docs/drf/views.py:153 msgid "purchase an order as a business" @@ -274,11 +273,10 @@ msgstr "" "Düzenlenemeyenleri kaydederek mevcut bir öznitelik grubunu yeniden yazma" #: engine/core/docs/drf/viewsets.py:107 -msgid "" -"rewrite some fields of an existing attribute group saving non-editables" +msgid "rewrite some fields of an existing attribute group saving non-editables" msgstr "" -"Mevcut bir öznitelik grubunun bazı alanlarını düzenlenemez olarak kaydederek" -" yeniden yazın" +"Mevcut bir öznitelik grubunun bazı alanlarını düzenlenemez olarak kaydederek " +"yeniden yazın" #: engine/core/docs/drf/viewsets.py:118 msgid "list all attributes (simple view)" @@ -328,11 +326,10 @@ msgstr "" "Düzenlenemeyenleri kaydederek mevcut bir öznitelik değerini yeniden yazma" #: engine/core/docs/drf/viewsets.py:208 -msgid "" -"rewrite some fields of an existing attribute value saving non-editables" +msgid "rewrite some fields of an existing attribute value saving non-editables" msgstr "" -"Mevcut bir öznitelik değerinin bazı alanlarını düzenlenemeyenleri kaydederek" -" yeniden yazın" +"Mevcut bir öznitelik değerinin bazı alanlarını düzenlenemeyenleri kaydederek " +"yeniden yazın" #: engine/core/docs/drf/viewsets.py:219 engine/core/docs/drf/viewsets.py:220 msgid "list all categories (simple view)" @@ -367,8 +364,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:280 engine/core/docs/drf/viewsets.py:757 #: engine/core/docs/drf/viewsets.py:1046 #: engine/core/graphene/object_types.py:119 -#: engine/core/graphene/object_types.py:238 -#: engine/core/graphene/object_types.py:539 +#: engine/core/graphene/object_types.py:239 +#: engine/core/graphene/object_types.py:540 msgid "SEO Meta snapshot" msgstr "SEO Meta anlık görüntüsü" @@ -387,12 +384,11 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:309 msgid "" -"Case-insensitive substring search across human_readable_id, " -"order_products.product.name, and order_products.product.partnumber" +"Case-insensitive substring search across human_readable_id, order_products." +"product.name, and order_products.product.partnumber" msgstr "" -"human_readable_id, order_products.product.name ve " -"order_products.product.partnumber arasında büyük/küçük harfe duyarlı olmayan" -" alt dize araması" +"human_readable_id, order_products.product.name ve order_products.product." +"partnumber arasında büyük/küçük harfe duyarlı olmayan alt dize araması" #: engine/core/docs/drf/viewsets.py:316 msgid "Filter orders with buy_time >= this ISO 8601 datetime" @@ -424,14 +420,14 @@ msgstr "Kullanıcının UUID'sine göre filtreleme" #: engine/core/docs/drf/viewsets.py:347 msgid "Filter by order status (case-insensitive substring match)" msgstr "" -"Sipariş durumuna göre filtreleme (büyük/küçük harfe duyarlı olmayan alt dize" -" eşleşmesi)" +"Sipariş durumuna göre filtreleme (büyük/küçük harfe duyarlı olmayan alt dize " +"eşleşmesi)" #: engine/core/docs/drf/viewsets.py:354 msgid "" -"Order by one of: uuid, human_readable_id, user_email, user, status, created," -" modified, buy_time, random. Prefix with '-' for descending (e.g. " -"'-buy_time')." +"Order by one of: uuid, human_readable_id, user_email, user, status, created, " +"modified, buy_time, random. Prefix with '-' for descending (e.g. '-" +"buy_time')." msgstr "" "Şunlardan birine göre sıralayın: uuid, human_readable_id, user_email, user, " "status, created, modified, buy_time, random. Azalan için '-' ile önekleyin " @@ -477,8 +473,8 @@ msgid "" "completed using the user's balance; if `force_payment` is used, a " "transaction is initiated." msgstr "" -"Sipariş alımını sonuçlandırır. Eğer `force_balance` kullanılırsa, satın alma" -" işlemi kullanıcının bakiyesi kullanılarak tamamlanır; Eğer `force_payment` " +"Sipariş alımını sonuçlandırır. Eğer `force_balance` kullanılırsa, satın alma " +"işlemi kullanıcının bakiyesi kullanılarak tamamlanır; Eğer `force_payment` " "kullanılırsa, bir işlem başlatılır." #: engine/core/docs/drf/viewsets.py:427 @@ -553,8 +549,7 @@ msgstr "Tüm öznitelikleri listele (basit görünüm)" #: engine/core/docs/drf/viewsets.py:498 msgid "for non-staff users, only their own wishlists are returned." msgstr "" -"Personel olmayan kullanıcılar için yalnızca kendi istek listeleri " -"döndürülür." +"Personel olmayan kullanıcılar için yalnızca kendi istek listeleri döndürülür." #: engine/core/docs/drf/viewsets.py:508 msgid "retrieve a single wishlist (detailed view)" @@ -635,18 +630,28 @@ msgstr "" msgid "" "Filter by one or more attribute name/value pairs. \n" "• **Syntax**: `attr_name=method-value[;attr2=method2-value2]…` \n" -"• **Methods** (defaults to `icontains` if omitted): `iexact`, `exact`, `icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, `iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in` \n" -"• **Value typing**: JSON is attempted first (so you can pass lists/dicts), `true`/`false` for booleans, integers, floats; otherwise treated as string. \n" +"• **Methods** (defaults to `icontains` if omitted): `iexact`, `exact`, " +"`icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, " +"`iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in` \n" +"• **Value typing**: JSON is attempted first (so you can pass lists/dicts), " +"`true`/`false` for booleans, integers, floats; otherwise treated as " +"string. \n" "• **Base64**: prefix with `b64-` to URL-safe base64-encode the raw value. \n" "Examples: \n" -"`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\",\"bluetooth\"]`, \n" +"`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\"," +"\"bluetooth\"]`, \n" "`b64-description=icontains-aGVhdC1jb2xk`" msgstr "" "Bir veya daha fazla öznitelik adı/değer çiftine göre filtreleyin. \n" "- Sözdizimi**: `attr_name=method-value[;attr2=method2-value2]...`\n" -"- **Metotlar** (atlanırsa varsayılan olarak `icontains` olur): `iexact`, `exact`, `icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, `iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in`\n" -"- Değer tipleme**: JSON ilk olarak denenir (böylece listeleri/dicts'leri geçirebilirsiniz), booleanlar, tamsayılar, floatlar için `true`/`false`; aksi takdirde string olarak ele alınır. \n" -"- **Base64**: ham değeri URL güvenli base64 kodlamak için `b64-` ile önekleyin. \n" +"- **Metotlar** (atlanırsa varsayılan olarak `icontains` olur): `iexact`, " +"`exact`, `icontains`, `contains`, `isnull`, `startswith`, `istartswith`, " +"`endswith`, `iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in`\n" +"- Değer tipleme**: JSON ilk olarak denenir (böylece listeleri/dicts'leri " +"geçirebilirsiniz), booleanlar, tamsayılar, floatlar için `true`/`false`; " +"aksi takdirde string olarak ele alınır. \n" +"- **Base64**: ham değeri URL güvenli base64 kodlamak için `b64-` ile " +"önekleyin. \n" "Örnekler: \n" "color=exact-red`, `size=gt-10`, `features=in-[\"wifi\", \"bluetooth\"]`,\n" "`b64-description=icontains-aGVhdC1jb2xk`" @@ -661,11 +666,14 @@ msgstr "(tam) Ürün UUID'si" #: engine/core/docs/drf/viewsets.py:630 msgid "" -"Comma-separated list of fields to sort by. Prefix with `-` for descending. \n" +"Comma-separated list of fields to sort by. Prefix with `-` for " +"descending. \n" "**Allowed:** uuid, rating, name, slug, created, modified, price, random" msgstr "" -"Sıralanacak alanların virgülle ayrılmış listesi. Azalan için `-` ile ön ek. \n" -"**İzin verilenler:** uuid, derecelendirme, ad, slug, oluşturuldu, değiştirildi, fiyat, rastgele" +"Sıralanacak alanların virgülle ayrılmış listesi. Azalan için `-` ile ön " +"ek. \n" +"**İzin verilenler:** uuid, derecelendirme, ad, slug, oluşturuldu, " +"değiştirildi, fiyat, rastgele" #: engine/core/docs/drf/viewsets.py:647 engine/core/docs/drf/viewsets.py:648 msgid "retrieve a single product (detailed view)" @@ -1160,8 +1168,8 @@ msgstr "Bir sipariş satın alın" #: engine/core/graphene/mutations.py:220 engine/core/graphene/mutations.py:282 msgid "please provide either order_uuid or order_hr_id - mutually exclusive" msgstr "" -"Lütfen order_uuid veya order_hr_id bilgilerinden birini sağlayın - birbirini" -" dışlayan bilgiler!" +"Lütfen order_uuid veya order_hr_id bilgilerinden birini sağlayın - birbirini " +"dışlayan bilgiler!" #: engine/core/graphene/mutations.py:249 engine/core/graphene/mutations.py:524 #: engine/core/graphene/mutations.py:573 engine/core/viewsets.py:753 @@ -1217,8 +1225,8 @@ msgstr "Bir sipariş satın alın" #: engine/core/graphene/mutations.py:542 msgid "" -"please send the attributes as the string formatted like " -"attr1=value1,attr2=value2" +"please send the attributes as the string formatted like attr1=value1," +"attr2=value2" msgstr "" "Lütfen öznitelikleri attr1=value1,attr2=value2 şeklinde biçimlendirilmiş " "dize olarak gönderin" @@ -1257,8 +1265,8 @@ msgid "elasticsearch - works like a charm" msgstr "ElasticSearch - bir cazibe gibi çalışır" #: engine/core/graphene/object_types.py:84 -#: engine/core/graphene/object_types.py:419 -#: engine/core/graphene/object_types.py:470 engine/core/models.py:796 +#: engine/core/graphene/object_types.py:420 +#: engine/core/graphene/object_types.py:471 engine/core/models.py:796 #: engine/core/models.py:1290 engine/core/models.py:2022 msgid "attributes" msgstr "Nitelikler" @@ -1272,8 +1280,8 @@ msgid "groups of attributes" msgstr "Nitelik grupları" #: engine/core/graphene/object_types.py:118 -#: engine/core/graphene/object_types.py:216 -#: engine/core/graphene/object_types.py:254 engine/core/models.py:440 +#: engine/core/graphene/object_types.py:217 +#: engine/core/graphene/object_types.py:255 engine/core/models.py:440 msgid "categories" msgstr "Kategoriler" @@ -1281,80 +1289,79 @@ msgstr "Kategoriler" msgid "brands" msgstr "Markalar" -#: engine/core/graphene/object_types.py:218 +#: engine/core/graphene/object_types.py:219 msgid "category image url" msgstr "Kategoriler" -#: engine/core/graphene/object_types.py:219 -#: engine/core/graphene/object_types.py:364 engine/core/models.py:278 +#: engine/core/graphene/object_types.py:220 +#: engine/core/graphene/object_types.py:365 engine/core/models.py:278 msgid "markup percentage" msgstr "İşaretleme Yüzdesi" -#: engine/core/graphene/object_types.py:223 +#: engine/core/graphene/object_types.py:224 msgid "which attributes and values can be used for filtering this category." msgstr "" "Bu kategoriyi filtrelemek için hangi nitelikler ve değerler kullanılabilir." -#: engine/core/graphene/object_types.py:229 -msgid "" -"minimum and maximum prices for products in this category, if available." +#: engine/core/graphene/object_types.py:230 +msgid "minimum and maximum prices for products in this category, if available." msgstr "Varsa, bu kategorideki ürünler için minimum ve maksimum fiyatlar." -#: engine/core/graphene/object_types.py:233 +#: engine/core/graphene/object_types.py:234 msgid "tags for this category" msgstr "Bu kategori için etiketler" -#: engine/core/graphene/object_types.py:236 +#: engine/core/graphene/object_types.py:237 msgid "products in this category" msgstr "Bu kategorideki ürünler" -#: engine/core/graphene/object_types.py:371 engine/core/models.py:183 +#: engine/core/graphene/object_types.py:372 engine/core/models.py:183 msgid "vendors" msgstr "Satıcılar" -#: engine/core/graphene/object_types.py:375 +#: engine/core/graphene/object_types.py:376 msgid "Latitude (Y coordinate)" msgstr "Enlem (Y koordinatı)" -#: engine/core/graphene/object_types.py:376 +#: engine/core/graphene/object_types.py:377 msgid "Longitude (X coordinate)" msgstr "Boylam (X koordinatı)" -#: engine/core/graphene/object_types.py:405 +#: engine/core/graphene/object_types.py:406 msgid "comment" msgstr "Nasıl yapılır" -#: engine/core/graphene/object_types.py:407 -#: engine/core/graphene/object_types.py:541 +#: engine/core/graphene/object_types.py:408 +#: engine/core/graphene/object_types.py:542 msgid "rating value from 1 to 10, inclusive, or 0 if not set." msgstr "1'den 10'a kadar (dahil) derecelendirme değeri veya ayarlanmamışsa 0." -#: engine/core/graphene/object_types.py:415 +#: engine/core/graphene/object_types.py:416 msgid "represents feedback from a user." msgstr "Bir kullanıcıdan gelen geri bildirimi temsil eder." -#: engine/core/graphene/object_types.py:420 -#: engine/core/graphene/object_types.py:471 engine/core/models.py:1284 +#: engine/core/graphene/object_types.py:421 +#: engine/core/graphene/object_types.py:472 engine/core/models.py:1284 msgid "notifications" msgstr "Bildirimler" -#: engine/core/graphene/object_types.py:422 +#: engine/core/graphene/object_types.py:423 msgid "download url for this order product if applicable" msgstr "Varsa, bu sipariş ürünü için URL'yi indirin" -#: engine/core/graphene/object_types.py:424 engine/core/models.py:1849 +#: engine/core/graphene/object_types.py:425 engine/core/models.py:1849 msgid "feedback" msgstr "Geri bildirim" -#: engine/core/graphene/object_types.py:458 +#: engine/core/graphene/object_types.py:459 msgid "a list of order products in this order" msgstr "Bu siparişteki sipariş ürünlerinin bir listesi" -#: engine/core/graphene/object_types.py:460 engine/core/models.py:1254 +#: engine/core/graphene/object_types.py:461 engine/core/models.py:1254 msgid "billing address" msgstr "Fatura adresi" -#: engine/core/graphene/object_types.py:464 +#: engine/core/graphene/object_types.py:465 msgid "" "shipping address for this order, leave blank if same as billing address or " "if not applicable" @@ -1362,53 +1369,53 @@ msgstr "" "Bu sipariş için sevkiyat adresi, fatura adresi ile aynıysa veya geçerli " "değilse boş bırakın" -#: engine/core/graphene/object_types.py:467 +#: engine/core/graphene/object_types.py:468 msgid "total price of this order" msgstr "Bu siparişin toplam fiyatı" -#: engine/core/graphene/object_types.py:468 +#: engine/core/graphene/object_types.py:469 msgid "total quantity of products in order" msgstr "Siparişteki toplam ürün miktarı" -#: engine/core/graphene/object_types.py:469 +#: engine/core/graphene/object_types.py:470 msgid "are all products in the order digital" msgstr "Siparişteki tüm ürünler dijital mi" -#: engine/core/graphene/object_types.py:473 +#: engine/core/graphene/object_types.py:474 msgid "transactions for this order" msgstr "Bu sipariş için işlemler" -#: engine/core/graphene/object_types.py:493 engine/core/models.py:1318 +#: engine/core/graphene/object_types.py:494 engine/core/models.py:1318 msgid "orders" msgstr "Siparişler" -#: engine/core/graphene/object_types.py:514 +#: engine/core/graphene/object_types.py:515 msgid "image url" msgstr "Resim URL'si" -#: engine/core/graphene/object_types.py:521 +#: engine/core/graphene/object_types.py:522 msgid "product's images" msgstr "Ürün görselleri" -#: engine/core/graphene/object_types.py:528 engine/core/models.py:439 +#: engine/core/graphene/object_types.py:529 engine/core/models.py:439 #: engine/core/models.py:596 msgid "category" msgstr "Kategori" -#: engine/core/graphene/object_types.py:530 engine/core/models.py:1850 +#: engine/core/graphene/object_types.py:531 engine/core/models.py:1850 msgid "feedbacks" msgstr "Geri Bildirimler" -#: engine/core/graphene/object_types.py:531 engine/core/models.py:510 +#: engine/core/graphene/object_types.py:532 engine/core/models.py:510 #: engine/core/models.py:605 msgid "brand" msgstr "Marka" -#: engine/core/graphene/object_types.py:533 engine/core/models.py:103 +#: engine/core/graphene/object_types.py:534 engine/core/models.py:103 msgid "attribute groups" msgstr "Öznitelik grupları" -#: engine/core/graphene/object_types.py:535 +#: engine/core/graphene/object_types.py:536 #: engine/core/templates/digital_order_created_email.html:111 #: engine/core/templates/digital_order_delivered_email.html:109 #: engine/core/templates/shipped_order_created_email.html:109 @@ -1416,7 +1423,7 @@ msgstr "Öznitelik grupları" msgid "price" msgstr "Fiyat" -#: engine/core/graphene/object_types.py:536 +#: engine/core/graphene/object_types.py:537 #: engine/core/templates/digital_order_created_email.html:110 #: engine/core/templates/digital_order_delivered_email.html:108 #: engine/core/templates/shipped_order_created_email.html:108 @@ -1424,39 +1431,39 @@ msgstr "Fiyat" msgid "quantity" msgstr "Miktar" -#: engine/core/graphene/object_types.py:537 +#: engine/core/graphene/object_types.py:538 msgid "number of feedbacks" msgstr "Geri bildirim sayısı" -#: engine/core/graphene/object_types.py:538 +#: engine/core/graphene/object_types.py:539 msgid "only available for personal orders" msgstr "Ürünler sadece kişisel siparişler için mevcuttur" -#: engine/core/graphene/object_types.py:543 +#: engine/core/graphene/object_types.py:544 msgid "discount price" msgstr "İndirimli fiyat" -#: engine/core/graphene/object_types.py:567 engine/core/models.py:677 +#: engine/core/graphene/object_types.py:568 engine/core/models.py:677 msgid "products" msgstr "Ürünler" -#: engine/core/graphene/object_types.py:677 +#: engine/core/graphene/object_types.py:678 msgid "promocodes" msgstr "Promosyon Kodları" -#: engine/core/graphene/object_types.py:692 +#: engine/core/graphene/object_types.py:693 msgid "products on sale" msgstr "Satıştaki ürünler" -#: engine/core/graphene/object_types.py:700 engine/core/models.py:928 +#: engine/core/graphene/object_types.py:701 engine/core/models.py:928 msgid "promotions" msgstr "Promosyonlar" -#: engine/core/graphene/object_types.py:704 engine/core/models.py:182 +#: engine/core/graphene/object_types.py:705 engine/core/models.py:182 msgid "vendor" msgstr "Satıcı" -#: engine/core/graphene/object_types.py:705 engine/core/models.py:676 +#: engine/core/graphene/object_types.py:706 engine/core/models.py:676 #: engine/core/templates/digital_order_created_email.html:109 #: engine/core/templates/digital_order_delivered_email.html:107 #: engine/core/templates/shipped_order_created_email.html:107 @@ -1464,98 +1471,98 @@ msgstr "Satıcı" msgid "product" msgstr "Ürün" -#: engine/core/graphene/object_types.py:717 engine/core/models.py:951 +#: engine/core/graphene/object_types.py:718 engine/core/models.py:951 msgid "wishlisted products" msgstr "İstek listesindeki ürünler" -#: engine/core/graphene/object_types.py:724 engine/core/models.py:968 +#: engine/core/graphene/object_types.py:725 engine/core/models.py:968 msgid "wishlists" msgstr "Dilek Listeleri" -#: engine/core/graphene/object_types.py:729 +#: engine/core/graphene/object_types.py:730 msgid "tagged products" msgstr "Etiketlenmiş ürünler" -#: engine/core/graphene/object_types.py:737 engine/core/models.py:219 +#: engine/core/graphene/object_types.py:738 engine/core/models.py:219 #: engine/core/models.py:611 msgid "product tags" msgstr "Ürün etiketleri" -#: engine/core/graphene/object_types.py:742 +#: engine/core/graphene/object_types.py:743 msgid "tagged categories" msgstr "Etiketlenmiş kategoriler" -#: engine/core/graphene/object_types.py:750 +#: engine/core/graphene/object_types.py:751 msgid "categories tags" msgstr "Kategoriler' etiketleri" -#: engine/core/graphene/object_types.py:754 +#: engine/core/graphene/object_types.py:755 msgid "project name" msgstr "Proje adı" -#: engine/core/graphene/object_types.py:755 +#: engine/core/graphene/object_types.py:756 msgid "company name" msgstr "Şirket Adı" -#: engine/core/graphene/object_types.py:756 +#: engine/core/graphene/object_types.py:757 msgid "company address" msgstr "Şirket Adresi" -#: engine/core/graphene/object_types.py:757 +#: engine/core/graphene/object_types.py:758 msgid "company phone number" msgstr "Şirket Telefon Numarası" -#: engine/core/graphene/object_types.py:760 +#: engine/core/graphene/object_types.py:761 msgid "email from, sometimes it must be used instead of host user value" msgstr "'email from', bazen ana kullanıcı değeri yerine kullanılmalıdır" -#: engine/core/graphene/object_types.py:763 +#: engine/core/graphene/object_types.py:764 msgid "email host user" msgstr "E-posta ana kullanıcısı" -#: engine/core/graphene/object_types.py:764 +#: engine/core/graphene/object_types.py:765 msgid "maximum amount for payment" msgstr "Ödeme için maksimum tutar" -#: engine/core/graphene/object_types.py:765 +#: engine/core/graphene/object_types.py:766 msgid "minimum amount for payment" msgstr "Ödeme için minimum tutar" -#: engine/core/graphene/object_types.py:766 +#: engine/core/graphene/object_types.py:767 msgid "analytics data" msgstr "Analitik veriler" -#: engine/core/graphene/object_types.py:767 +#: engine/core/graphene/object_types.py:768 msgid "advertisement data" msgstr "Reklam verileri" -#: engine/core/graphene/object_types.py:770 +#: engine/core/graphene/object_types.py:771 msgid "company configuration" msgstr "Konfigürasyon" -#: engine/core/graphene/object_types.py:774 +#: engine/core/graphene/object_types.py:775 msgid "language code" msgstr "Dil kodu" -#: engine/core/graphene/object_types.py:775 +#: engine/core/graphene/object_types.py:776 msgid "language name" msgstr "Dil adı" -#: engine/core/graphene/object_types.py:776 +#: engine/core/graphene/object_types.py:777 msgid "language flag, if exists :)" msgstr "Dil bayrağı, eğer varsa :)" -#: engine/core/graphene/object_types.py:779 +#: engine/core/graphene/object_types.py:780 msgid "supported languages" msgstr "Desteklenen dillerin bir listesini alın" -#: engine/core/graphene/object_types.py:811 -#: engine/core/graphene/object_types.py:814 -#: engine/core/graphene/object_types.py:817 +#: engine/core/graphene/object_types.py:812 +#: engine/core/graphene/object_types.py:815 +#: engine/core/graphene/object_types.py:818 msgid "products search results" msgstr "Ürünler arama sonuçları" -#: engine/core/graphene/object_types.py:819 +#: engine/core/graphene/object_types.py:820 msgid "posts search results" msgstr "Ürünler arama sonuçları" @@ -1568,9 +1575,9 @@ msgid "" msgstr "" "Hiyerarşik olabilen bir öznitelik grubunu temsil eder. Bu sınıf, öznitelik " "gruplarını yönetmek ve düzenlemek için kullanılır. Bir öznitelik grubu, " -"hiyerarşik bir yapı oluşturan bir üst gruba sahip olabilir. Bu, karmaşık bir" -" sistemde öznitelikleri daha etkili bir şekilde kategorize etmek ve yönetmek" -" için yararlı olabilir." +"hiyerarşik bir yapı oluşturan bir üst gruba sahip olabilir. Bu, karmaşık bir " +"sistemde öznitelikleri daha etkili bir şekilde kategorize etmek ve yönetmek " +"için yararlı olabilir." #: engine/core/models.py:88 msgid "parent of this group" @@ -1600,8 +1607,8 @@ msgid "" msgstr "" "Harici satıcılar ve bunların etkileşim gereksinimleri hakkında bilgi " "depolayabilen bir satıcı varlığını temsil eder. Satıcı sınıfı, harici bir " -"satıcıyla ilgili bilgileri tanımlamak ve yönetmek için kullanılır. Satıcının" -" adını, iletişim için gereken kimlik doğrulama ayrıntılarını ve satıcıdan " +"satıcıyla ilgili bilgileri tanımlamak ve yönetmek için kullanılır. Satıcının " +"adını, iletişim için gereken kimlik doğrulama ayrıntılarını ve satıcıdan " "alınan ürünlere uygulanan yüzde işaretlemesini saklar. Bu model ayrıca ek " "meta verileri ve kısıtlamaları da muhafaza ederek üçüncü taraf satıcılarla " "etkileşime giren sistemlerde kullanıma uygun hale getirir." @@ -1657,11 +1664,11 @@ msgid "" "metadata customization for administrative purposes." msgstr "" "Ürünleri sınıflandırmak veya tanımlamak için kullanılan bir ürün etiketini " -"temsil eder. ProductTag sınıfı, dahili bir etiket tanımlayıcısı ve kullanıcı" -" dostu bir ekran adı kombinasyonu aracılığıyla ürünleri benzersiz bir " -"şekilde tanımlamak ve sınıflandırmak için tasarlanmıştır. Mixin'ler " -"aracılığıyla dışa aktarılan işlemleri destekler ve yönetimsel amaçlar için " -"meta veri özelleştirmesi sağlar." +"temsil eder. ProductTag sınıfı, dahili bir etiket tanımlayıcısı ve kullanıcı " +"dostu bir ekran adı kombinasyonu aracılığıyla ürünleri benzersiz bir şekilde " +"tanımlamak ve sınıflandırmak için tasarlanmıştır. Mixin'ler aracılığıyla " +"dışa aktarılan işlemleri destekler ve yönetimsel amaçlar için meta veri " +"özelleştirmesi sağlar." #: engine/core/models.py:204 engine/core/models.py:235 msgid "internal tag identifier for the product tag" @@ -1716,8 +1723,8 @@ msgid "" msgstr "" "İlgili öğeleri hiyerarşik bir yapıda düzenlemek ve gruplamak için bir " "kategori varlığını temsil eder. Kategoriler, ebeveyn-çocuk ilişkilerini " -"destekleyen diğer kategorilerle hiyerarşik ilişkilere sahip olabilir. Sınıf," -" kategoriyle ilgili özellikler için bir temel görevi gören meta veri ve " +"destekleyen diğer kategorilerle hiyerarşik ilişkilere sahip olabilir. Sınıf, " +"kategoriyle ilgili özellikler için bir temel görevi gören meta veri ve " "görsel temsil alanları içerir. Bu sınıf genellikle bir uygulama içinde ürün " "kategorilerini veya diğer benzer gruplamaları tanımlamak ve yönetmek için " "kullanılır ve kullanıcıların veya yöneticilerin kategorilerin adını, " @@ -1773,8 +1780,7 @@ msgid "" "Represents a Brand object in the system. This class handles information and " "attributes related to a brand, including its name, logos, description, " "associated categories, a unique slug, and priority order. It allows for the " -"organization and representation of brand-related data within the " -"application." +"organization and representation of brand-related data within the application." msgstr "" "Sistemdeki bir Marka nesnesini temsil eder. Bu sınıf, adı, logoları, " "açıklaması, ilişkili kategorileri, benzersiz bir slug ve öncelik sırası " @@ -1824,8 +1830,8 @@ msgstr "Kategoriler" #: engine/core/models.py:516 msgid "" -"Represents the stock of a product managed in the system. This class provides" -" details about the relationship between vendors, products, and their stock " +"Represents the stock of a product managed in the system. This class provides " +"details about the relationship between vendors, products, and their stock " "information, as well as inventory-related properties like price, purchase " "price, quantity, SKU, and digital assets. It is part of the inventory " "management system to allow tracking and evaluation of products available " @@ -1834,8 +1840,8 @@ msgstr "" "Sistemde yönetilen bir ürünün stokunu temsil eder. Bu sınıf, satıcılar, " "ürünler ve bunların stok bilgileri arasındaki ilişkinin yanı sıra fiyat, " "satın alma fiyatı, miktar, SKU ve dijital varlıklar gibi envanterle ilgili " -"özellikler hakkında ayrıntılar sağlar. Çeşitli satıcılardan temin edilebilen" -" ürünlerin izlenmesine ve değerlendirilmesine olanak sağlamak için envanter " +"özellikler hakkında ayrıntılar sağlar. Çeşitli satıcılardan temin edilebilen " +"ürünlerin izlenmesine ve değerlendirilmesine olanak sağlamak için envanter " "yönetim sisteminin bir parçasıdır." #: engine/core/models.py:528 @@ -1986,8 +1992,8 @@ msgid "" "Represents an attribute in the system. This class is used to define and " "manage attributes, which are customizable pieces of data that can be " "associated with other entities. Attributes have associated categories, " -"groups, value types, and names. The model supports multiple types of values," -" including string, integer, float, boolean, array, and object. This allows " +"groups, value types, and names. The model supports multiple types of values, " +"including string, integer, float, boolean, array, and object. This allows " "for dynamic and flexible data structuring." msgstr "" "Sistemdeki bir özniteliği temsil eder. Bu sınıf, diğer varlıklarla " @@ -2057,9 +2063,9 @@ msgstr "Öznitelik" #: engine/core/models.py:801 msgid "" -"Represents a specific value for an attribute that is linked to a product. It" -" links the 'attribute' to a unique 'value', allowing better organization and" -" dynamic representation of product characteristics." +"Represents a specific value for an attribute that is linked to a product. It " +"links the 'attribute' to a unique 'value', allowing better organization and " +"dynamic representation of product characteristics." msgstr "" "Bir ürünle bağlantılı bir nitelik için belirli bir değeri temsil eder. " "'Niteliği' benzersiz bir 'değere' bağlayarak ürün özelliklerinin daha iyi " @@ -2080,14 +2086,14 @@ msgstr "Bu öznitelik için özel değer" #: engine/core/models.py:839 msgid "" "Represents a product image associated with a product in the system. This " -"class is designed to manage images for products, including functionality for" -" uploading image files, associating them with specific products, and " +"class is designed to manage images for products, including functionality for " +"uploading image files, associating them with specific products, and " "determining their display order. It also includes an accessibility feature " "with alternative text for the images." msgstr "" "Sistemdeki bir ürünle ilişkilendirilmiş bir ürün resmini temsil eder. Bu " -"sınıf, görüntü dosyalarını yükleme, bunları belirli ürünlerle ilişkilendirme" -" ve görüntüleme sıralarını belirleme işlevleri dahil olmak üzere ürün " +"sınıf, görüntü dosyalarını yükleme, bunları belirli ürünlerle ilişkilendirme " +"ve görüntüleme sıralarını belirleme işlevleri dahil olmak üzere ürün " "görüntülerini yönetmek için tasarlanmıştır. Ayrıca görüntüler için " "alternatif metin içeren bir erişilebilirlik özelliği de içerir." @@ -2129,8 +2135,8 @@ msgid "" "is used to define and manage promotional campaigns that offer a percentage-" "based discount for products. The class includes attributes for setting the " "discount rate, providing details about the promotion, and linking it to the " -"applicable products. It integrates with the product catalog to determine the" -" affected items in the campaign." +"applicable products. It integrates with the product catalog to determine the " +"affected items in the campaign." msgstr "" "İndirimli ürünler için bir promosyon kampanyasını temsil eder. Bu sınıf, " "ürünler için yüzdeye dayalı bir indirim sunan promosyon kampanyalarını " @@ -2178,10 +2184,10 @@ msgid "" "operations such as adding and removing products, as well as supporting " "operations for adding and removing multiple products at once." msgstr "" -"İstenen ürünleri depolamak ve yönetmek için bir kullanıcının istek listesini" -" temsil eder. Sınıf, bir ürün koleksiyonunu yönetmek için işlevsellik " -"sağlar, ürün ekleme ve kaldırma gibi işlemlerin yanı sıra aynı anda birden " -"fazla ürün ekleme ve kaldırma işlemlerini destekler." +"İstenen ürünleri depolamak ve yönetmek için bir kullanıcının istek listesini " +"temsil eder. Sınıf, bir ürün koleksiyonunu yönetmek için işlevsellik sağlar, " +"ürün ekleme ve kaldırma gibi işlemlerin yanı sıra aynı anda birden fazla " +"ürün ekleme ve kaldırma işlemlerini destekler." #: engine/core/models.py:950 msgid "products that the user has marked as wanted" @@ -2205,14 +2211,14 @@ msgid "" "store information about documentaries related to specific products, " "including file uploads and their metadata. It contains methods and " "properties to handle the file type and storage path for the documentary " -"files. It extends functionality from specific mixins and provides additional" -" custom features." +"files. It extends functionality from specific mixins and provides additional " +"custom features." msgstr "" "Bir ürüne bağlı bir belgesel kaydını temsil eder. Bu sınıf, dosya " "yüklemeleri ve meta verileri dahil olmak üzere belirli ürünlerle ilgili " "belgeseller hakkında bilgi depolamak için kullanılır. Belgesel dosyalarının " -"dosya türünü ve depolama yolunu işlemek için yöntemler ve özellikler içerir." -" Belirli mixin'lerin işlevselliğini genişletir ve ek özel özellikler sağlar." +"dosya türünü ve depolama yolunu işlemek için yöntemler ve özellikler içerir. " +"Belirli mixin'lerin işlevselliğini genişletir ve ek özel özellikler sağlar." #: engine/core/models.py:1024 msgid "documentary" @@ -2228,19 +2234,19 @@ msgstr "Çözümlenmemiş" #: engine/core/models.py:1040 msgid "" -"Represents an address entity that includes location details and associations" -" with a user. Provides functionality for geographic and address data " -"storage, as well as integration with geocoding services. This class is " -"designed to store detailed address information including components like " -"street, city, region, country, and geolocation (longitude and latitude). It " -"supports integration with geocoding APIs, enabling the storage of raw API " -"responses for further processing or inspection. The class also allows " -"associating an address with a user, facilitating personalized data handling." +"Represents an address entity that includes location details and associations " +"with a user. Provides functionality for geographic and address data storage, " +"as well as integration with geocoding services. This class is designed to " +"store detailed address information including components like street, city, " +"region, country, and geolocation (longitude and latitude). It supports " +"integration with geocoding APIs, enabling the storage of raw API responses " +"for further processing or inspection. The class also allows associating an " +"address with a user, facilitating personalized data handling." msgstr "" "Konum ayrıntılarını ve bir kullanıcıyla ilişkileri içeren bir adres " -"varlığını temsil eder. Coğrafi ve adres verilerinin depolanmasının yanı sıra" -" coğrafi kodlama hizmetleriyle entegrasyon için işlevsellik sağlar. Bu " -"sınıf, sokak, şehir, bölge, ülke ve coğrafi konum (enlem ve boylam) gibi " +"varlığını temsil eder. Coğrafi ve adres verilerinin depolanmasının yanı sıra " +"coğrafi kodlama hizmetleriyle entegrasyon için işlevsellik sağlar. Bu sınıf, " +"sokak, şehir, bölge, ülke ve coğrafi konum (enlem ve boylam) gibi " "bileşenleri içeren ayrıntılı adres bilgilerini depolamak için " "tasarlanmıştır. Coğrafi kodlama API'leri ile entegrasyonu destekler ve daha " "fazla işleme veya inceleme için ham API yanıtlarının depolanmasını sağlar. " @@ -2319,8 +2325,7 @@ msgstr "" #: engine/core/models.py:1119 msgid "unique code used by a user to redeem a discount" msgstr "" -"Bir kullanıcı tarafından indirimden yararlanmak için kullanılan benzersiz " -"kod" +"Bir kullanıcı tarafından indirimden yararlanmak için kullanılan benzersiz kod" #: engine/core/models.py:1120 msgid "promo code identifier" @@ -2404,16 +2409,16 @@ msgstr "Promosyon kodu {self.uuid} için geçersiz indirim türü!" msgid "" "Represents an order placed by a user. This class models an order within the " "application, including its various attributes such as billing and shipping " -"information, status, associated user, notifications, and related operations." -" Orders can have associated products, promotions can be applied, addresses " +"information, status, associated user, notifications, and related operations. " +"Orders can have associated products, promotions can be applied, addresses " "set, and shipping or billing details updated. Equally, functionality " "supports managing the products in the order lifecycle." msgstr "" "Bir kullanıcı tarafından verilen bir siparişi temsil eder. Bu sınıf, fatura " "ve kargo bilgileri, durum, ilişkili kullanıcı, bildirimler ve ilgili " "işlemler gibi çeşitli öznitelikleri dahil olmak üzere uygulama içinde bir " -"siparişi modeller. Siparişler ilişkili ürünlere sahip olabilir, promosyonlar" -" uygulanabilir, adresler ayarlanabilir ve kargo veya fatura ayrıntıları " +"siparişi modeller. Siparişler ilişkili ürünlere sahip olabilir, promosyonlar " +"uygulanabilir, adresler ayarlanabilir ve kargo veya fatura ayrıntıları " "güncellenebilir. Aynı şekilde işlevsellik, sipariş yaşam döngüsündeki " "ürünlerin yönetilmesini de destekler." @@ -2524,8 +2529,7 @@ msgstr "Adres mevcut değil" #: engine/core/models.py:1570 engine/core/models.py:1649 msgid "you can not buy at this moment, please try again in a few minutes" -msgstr "" -"Şu anda satın alamazsınız, lütfen birkaç dakika içinde tekrar deneyin." +msgstr "Şu anda satın alamazsınız, lütfen birkaç dakika içinde tekrar deneyin." #: engine/core/models.py:1576 engine/core/models.py:1642 msgid "invalid force value" @@ -2574,8 +2578,8 @@ msgstr "" "aldıkları belirli ürünler için kullanıcı geri bildirimlerini yakalamak ve " "saklamak üzere tasarlanmıştır. Kullanıcı yorumlarını saklamak için " "öznitelikler, siparişteki ilgili ürüne bir referans ve kullanıcı tarafından " -"atanan bir derecelendirme içerir. Sınıf, geri bildirim verilerini etkili bir" -" şekilde modellemek ve yönetmek için veritabanı alanlarını kullanır." +"atanan bir derecelendirme içerir. Sınıf, geri bildirim verilerini etkili bir " +"şekilde modellemek ve yönetmek için veritabanı alanlarını kullanır." #: engine/core/models.py:1818 msgid "user-provided comments about their experience with the product" @@ -2587,11 +2591,9 @@ msgid "feedback comments" msgstr "Geri bildirim yorumları" #: engine/core/models.py:1827 -msgid "" -"references the specific product in an order that this feedback is about" +msgid "references the specific product in an order that this feedback is about" msgstr "" -"Bu geri bildirimin ilgili olduğu siparişteki belirli bir ürüne atıfta " -"bulunur" +"Bu geri bildirimin ilgili olduğu siparişteki belirli bir ürüne atıfta bulunur" #: engine/core/models.py:1829 msgid "related order product" @@ -2733,15 +2735,15 @@ msgid "" "Represents the downloading functionality for digital assets associated with " "orders. The DigitalAssetDownload class provides the ability to manage and " "access downloads related to order products. It maintains information about " -"the associated order product, the number of downloads, and whether the asset" -" is publicly visible. It includes a method to generate a URL for downloading" -" the asset when the associated order is in a completed status." +"the associated order product, the number of downloads, and whether the asset " +"is publicly visible. It includes a method to generate a URL for downloading " +"the asset when the associated order is in a completed status." msgstr "" "Siparişlerle ilişkili dijital varlıklar için indirme işlevselliğini temsil " "eder. DigitalAssetDownload sınıfı, sipariş ürünleriyle ilgili indirmeleri " "yönetme ve bunlara erişme olanağı sağlar. İlişkili sipariş ürünü, indirme " -"sayısı ve varlığın herkese açık olup olmadığı hakkında bilgi tutar. İlişkili" -" sipariş tamamlandı durumundayken varlığın indirilmesi için bir URL " +"sayısı ve varlığın herkese açık olup olmadığı hakkında bilgi tutar. İlişkili " +"sipariş tamamlandı durumundayken varlığın indirilmesi için bir URL " "oluşturmaya yönelik bir yöntem içerir." #: engine/core/models.py:2092 @@ -2756,8 +2758,8 @@ msgstr "İndirmeler" msgid "" "you must provide a comment, rating, and order product uuid to add feedback." msgstr "" -"geri̇ bi̇ldi̇ri̇m eklemek i̇çi̇n bi̇r yorum, puan ve si̇pari̇ş ürün uuid'si̇" -" sağlamalisiniz." +"geri̇ bi̇ldi̇ri̇m eklemek i̇çi̇n bi̇r yorum, puan ve si̇pari̇ş ürün uuid'si̇ " +"sağlamalisiniz." #: engine/core/sitemaps.py:25 msgid "Home" @@ -2949,7 +2951,8 @@ msgstr "Merhaba %(order.user.first_name)s," #, python-format msgid "" "thank you for your order #%(order.pk)s! we are pleased to inform you that\n" -" we have taken your order into work. below are the details of your\n" +" we have taken your order into work. below are " +"the details of your\n" " order:" msgstr "" "Siparişiniz için teşekkür ederiz #%(order.pk)s! Siparişinizi işleme " @@ -3008,8 +3011,8 @@ msgid "" "we have successfully processed your order №%(order_uuid)s! below are the\n" " details of your order:" msgstr "" -"Siparişinizi başarıyla işleme aldık №%(order_uuid)s! Siparişinizin detayları" -" aşağıdadır:" +"Siparişinizi başarıyla işleme aldık №%(order_uuid)s! Siparişinizin detayları " +"aşağıdadır:" #: engine/core/templates/digital_order_delivered_email.html:128 msgid "" @@ -3064,7 +3067,8 @@ msgstr "" #: engine/core/templates/shipped_order_created_email.html:101 #: engine/core/templates/shipped_order_delivered_email.html:101 msgid "" -"thank you for your order! we are pleased to confirm your purchase. below are\n" +"thank you for your order! we are pleased to confirm your purchase. below " +"are\n" " the details of your order:" msgstr "" "Siparişiniz için teşekkür ederiz! Satın alma işleminizi onaylamaktan " @@ -3150,9 +3154,9 @@ msgid "" "the request, fetches the appropriate sitemap detail response, and sets the " "Content-Type header for XML." msgstr "" -"Bir site haritası için ayrıntılı görünüm yanıtını işler. Bu fonksiyon isteği" -" işler, uygun site haritası ayrıntı yanıtını getirir ve XML için Content-" -"Type başlığını ayarlar." +"Bir site haritası için ayrıntılı görünüm yanıtını işler. Bu fonksiyon isteği " +"işler, uygun site haritası ayrıntı yanıtını getirir ve XML için Content-Type " +"başlığını ayarlar." #: engine/core/views.py:155 msgid "" @@ -3170,8 +3174,8 @@ msgid "" "Handles cache operations such as reading and setting cache data with a " "specified key and timeout." msgstr "" -"Belirli bir anahtar ve zaman aşımı ile önbellek verilerini okuma ve ayarlama" -" gibi önbellek işlemlerini gerçekleştirir." +"Belirli bir anahtar ve zaman aşımı ile önbellek verilerini okuma ve ayarlama " +"gibi önbellek işlemlerini gerçekleştirir." #: engine/core/views.py:220 msgid "Handles `contact us` form submissions." @@ -3196,10 +3200,14 @@ msgstr "Kayıt olmadan bir işletme olarak satın alma mantığını ele alır." #: engine/core/views.py:337 msgid "" "Handles the downloading of a digital asset associated with an order.\n" -"This function attempts to serve the digital asset file located in the storage directory of the project. If the file is not found, an HTTP 404 error is raised to indicate the resource is unavailable." +"This function attempts to serve the digital asset file located in the " +"storage directory of the project. If the file is not found, an HTTP 404 " +"error is raised to indicate the resource is unavailable." msgstr "" "Bir siparişle ilişkili bir dijital varlığın indirilmesini yönetir.\n" -"Bu fonksiyon, projenin depolama dizininde bulunan dijital varlık dosyasını sunmaya çalışır. Dosya bulunamazsa, kaynağın kullanılamadığını belirtmek için bir HTTP 404 hatası verilir." +"Bu fonksiyon, projenin depolama dizininde bulunan dijital varlık dosyasını " +"sunmaya çalışır. Dosya bulunamazsa, kaynağın kullanılamadığını belirtmek " +"için bir HTTP 404 hatası verilir." #: engine/core/views.py:348 msgid "order_product_uuid is required" @@ -3228,15 +3236,19 @@ msgstr "favicon bulunamadı" #: engine/core/views.py:418 msgid "" "Handles requests for the favicon of a website.\n" -"This function attempts to serve the favicon file located in the static directory of the project. If the favicon file is not found, an HTTP 404 error is raised to indicate the resource is unavailable." +"This function attempts to serve the favicon file located in the static " +"directory of the project. If the favicon file is not found, an HTTP 404 " +"error is raised to indicate the resource is unavailable." msgstr "" "Bir web sitesinin favicon'u için istekleri işler.\n" -"Bu fonksiyon, projenin statik dizininde bulunan favicon dosyasını sunmaya çalışır. Favicon dosyası bulunamazsa, kaynağın kullanılamadığını belirtmek için bir HTTP 404 hatası verilir." +"Bu fonksiyon, projenin statik dizininde bulunan favicon dosyasını sunmaya " +"çalışır. Favicon dosyası bulunamazsa, kaynağın kullanılamadığını belirtmek " +"için bir HTTP 404 hatası verilir." #: engine/core/views.py:432 msgid "" -"Redirects the request to the admin index page. The function handles incoming" -" HTTP requests and redirects them to the Django admin interface index page. " +"Redirects the request to the admin index page. The function handles incoming " +"HTTP requests and redirects them to the Django admin interface index page. " "It uses Django's `redirect` function for handling the HTTP redirection." msgstr "" "İsteği yönetici dizin sayfasına yönlendirir. Bu fonksiyon gelen HTTP " @@ -3268,16 +3280,15 @@ msgstr "" "Evibes ile ilgili işlemleri yönetmek için bir görünüm kümesi tanımlar. " "EvibesViewSet sınıfı ModelViewSet'ten miras alınır ve Evibes varlıkları " "üzerindeki eylemleri ve işlemleri yönetmek için işlevsellik sağlar. Geçerli " -"eyleme dayalı dinamik serileştirici sınıfları, özelleştirilebilir izinler ve" -" işleme biçimleri için destek içerir." +"eyleme dayalı dinamik serileştirici sınıfları, özelleştirilebilir izinler ve " +"işleme biçimleri için destek içerir." #: engine/core/viewsets.py:160 msgid "" -"Represents a viewset for managing AttributeGroup objects. Handles operations" -" related to AttributeGroup, including filtering, serialization, and " -"retrieval of data. This class is part of the application's API layer and " -"provides a standardized way to process requests and responses for " -"AttributeGroup data." +"Represents a viewset for managing AttributeGroup objects. Handles operations " +"related to AttributeGroup, including filtering, serialization, and retrieval " +"of data. This class is part of the application's API layer and provides a " +"standardized way to process requests and responses for AttributeGroup data." msgstr "" "AttributeGroup nesnelerini yönetmek için bir görünüm kümesini temsil eder. " "Filtreleme, serileştirme ve veri alma dahil olmak üzere AttributeGroup ile " @@ -3306,8 +3317,8 @@ msgid "" "A viewset for managing AttributeValue objects. This viewset provides " "functionality for listing, retrieving, creating, updating, and deleting " "AttributeValue objects. It integrates with Django REST Framework's viewset " -"mechanisms and uses appropriate serializers for different actions. Filtering" -" capabilities are provided through the DjangoFilterBackend." +"mechanisms and uses appropriate serializers for different actions. Filtering " +"capabilities are provided through the DjangoFilterBackend." msgstr "" "AttributeValue nesnelerini yönetmek için bir görünüm kümesi. Bu görünüm " "kümesi, AttributeValue nesnelerini listelemek, almak, oluşturmak, " @@ -3354,10 +3365,10 @@ msgid "" "product." msgstr "" "Sistemdeki `Product` modeliyle ilgili işlemleri yönetir. Bu sınıf, " -"filtreleme, serileştirme ve belirli örnekler üzerindeki işlemler dahil olmak" -" üzere ürünleri yönetmek için bir görünüm kümesi sağlar. Ortak işlevselliği " -"kullanmak için `EvibesViewSet`ten genişletilir ve RESTful API işlemleri için" -" Django REST çerçevesi ile entegre olur. Ürün ayrıntılarını almak, izinleri " +"filtreleme, serileştirme ve belirli örnekler üzerindeki işlemler dahil olmak " +"üzere ürünleri yönetmek için bir görünüm kümesi sağlar. Ortak işlevselliği " +"kullanmak için `EvibesViewSet`ten genişletilir ve RESTful API işlemleri için " +"Django REST çerçevesi ile entegre olur. Ürün ayrıntılarını almak, izinleri " "uygulamak ve bir ürünün ilgili geri bildirimlerine erişmek için yöntemler " "içerir." @@ -3381,15 +3392,15 @@ msgid "" "Representation of a view set handling Feedback objects. This class manages " "operations related to Feedback objects, including listing, filtering, and " "retrieving details. The purpose of this view set is to provide different " -"serializers for different actions and implement permission-based handling of" -" accessible Feedback objects. It extends the base `EvibesViewSet` and makes " +"serializers for different actions and implement permission-based handling of " +"accessible Feedback objects. It extends the base `EvibesViewSet` and makes " "use of Django's filtering system for querying data." msgstr "" "Geri Bildirim nesnelerini işleyen bir görünüm kümesinin temsili. Bu sınıf, " "listeleme, filtreleme ve ayrıntıları alma dahil olmak üzere Geri Bildirim " "nesneleriyle ilgili işlemleri yönetir. Bu görünüm kümesinin amacı, farklı " -"eylemler için farklı serileştiriciler sağlamak ve erişilebilir Geri Bildirim" -" nesnelerinin izin tabanlı kullanımını uygulamaktır. Temel `EvibesViewSet`i " +"eylemler için farklı serileştiriciler sağlamak ve erişilebilir Geri Bildirim " +"nesnelerinin izin tabanlı kullanımını uygulamaktır. Temel `EvibesViewSet`i " "genişletir ve verileri sorgulamak için Django'nun filtreleme sistemini " "kullanır." @@ -3398,17 +3409,17 @@ msgid "" "ViewSet for managing orders and related operations. This class provides " "functionality to retrieve, modify, and manage order objects. It includes " "various endpoints for handling order operations such as adding or removing " -"products, performing purchases for registered as well as unregistered users," -" and retrieving the current authenticated user's pending orders. The ViewSet" -" uses multiple serializers based on the specific action being performed and " +"products, performing purchases for registered as well as unregistered users, " +"and retrieving the current authenticated user's pending orders. The ViewSet " +"uses multiple serializers based on the specific action being performed and " "enforces permissions accordingly while interacting with order data." msgstr "" "Siparişleri ve ilgili işlemleri yönetmek için ViewSet. Bu sınıf, sipariş " "nesnelerini almak, değiştirmek ve yönetmek için işlevsellik sağlar. Ürün " "ekleme veya kaldırma, kayıtlı ve kayıtsız kullanıcılar için satın alma " -"işlemleri gerçekleştirme ve mevcut kimliği doğrulanmış kullanıcının bekleyen" -" siparişlerini alma gibi sipariş işlemlerini gerçekleştirmek için çeşitli uç" -" noktalar içerir. ViewSet, gerçekleştirilen belirli eyleme bağlı olarak " +"işlemleri gerçekleştirme ve mevcut kimliği doğrulanmış kullanıcının bekleyen " +"siparişlerini alma gibi sipariş işlemlerini gerçekleştirmek için çeşitli uç " +"noktalar içerir. ViewSet, gerçekleştirilen belirli eyleme bağlı olarak " "birden fazla serileştirici kullanır ve sipariş verileriyle etkileşime " "girerken izinleri buna göre zorlar." @@ -3416,14 +3427,14 @@ msgstr "" msgid "" "Provides a viewset for managing OrderProduct entities. This viewset enables " "CRUD operations and custom actions specific to the OrderProduct model. It " -"includes filtering, permission checks, and serializer switching based on the" -" requested action. Additionally, it provides a detailed action for handling " +"includes filtering, permission checks, and serializer switching based on the " +"requested action. Additionally, it provides a detailed action for handling " "feedback on OrderProduct instances" msgstr "" "OrderProduct varlıklarını yönetmek için bir görünüm kümesi sağlar. Bu " "görünüm kümesi, CRUD işlemlerini ve OrderProduct modeline özgü özel " -"eylemleri etkinleştirir. Filtreleme, izin kontrolleri ve istenen eyleme göre" -" serileştirici değiştirme içerir. Ayrıca, OrderProduct örnekleriyle ilgili " +"eylemleri etkinleştirir. Filtreleme, izin kontrolleri ve istenen eyleme göre " +"serileştirici değiştirme içerir. Ayrıca, OrderProduct örnekleriyle ilgili " "geri bildirimleri işlemek için ayrıntılı bir eylem sağlar" #: engine/core/viewsets.py:974 @@ -3450,8 +3461,8 @@ msgstr "Sistemdeki Stok verileri ile ilgili işlemleri yürütür." msgid "" "ViewSet for managing Wishlist operations. The WishlistViewSet provides " "endpoints for interacting with a user's wish list, allowing for the " -"retrieval, modification, and customization of products within the wish list." -" This ViewSet facilitates functionality such as adding, removing, and bulk " +"retrieval, modification, and customization of products within the wish list. " +"This ViewSet facilitates functionality such as adding, removing, and bulk " "actions for wishlist products. Permission checks are integrated to ensure " "that users can only manage their own wishlists unless explicit permissions " "are granted." @@ -3492,7 +3503,7 @@ msgid "" "serializers based on the action being performed." msgstr "" "Uygulama içinde Ürün Etiketleri ile ilgili işlemleri gerçekleştirir. Bu " -"sınıf, Ürün Etiketi nesnelerinin alınması, filtrelenmesi ve serileştirilmesi" -" için işlevsellik sağlar. Belirtilen filtre arka ucunu kullanarak belirli " +"sınıf, Ürün Etiketi nesnelerinin alınması, filtrelenmesi ve serileştirilmesi " +"için işlevsellik sağlar. Belirtilen filtre arka ucunu kullanarak belirli " "nitelikler üzerinde esnek filtrelemeyi destekler ve gerçekleştirilen eyleme " "göre dinamik olarak farklı serileştiriciler kullanır." diff --git a/engine/core/locale/vi_VN/LC_MESSAGES/django.mo b/engine/core/locale/vi_VN/LC_MESSAGES/django.mo index 4d7ff7e4ff778a27a80696fe25ffc2859262e5a5..f1bb2cbaef5bcafac24c41539330e7877e8648f1 100644 GIT binary patch delta 18 acmZ3#lWqM@whi6Kn9cMIH}@S=yaoVJ{|Iyd delta 18 acmZ3#lWqM@whi6Km`(LeHuoJ\n" "Language-Team: BRITISH ENGLISH \n" @@ -29,8 +29,7 @@ msgstr "Đang hoạt động" #: engine/core/abstract.py:22 msgid "" -"if set to false, this object can't be seen by users without needed " -"permission" +"if set to false, this object can't be seen by users without needed permission" msgstr "" "Nếu được đặt thành false, đối tượng này sẽ không hiển thị cho người dùng " "không có quyền truy cập cần thiết." @@ -93,8 +92,8 @@ msgstr "Vô hiệu hóa các mục đã chọn %(verbose_name_plural)s" msgid "selected items have been deactivated." msgstr "Các mục đã chọn đã bị vô hiệu hóa!" -#: engine/core/admin.py:196 engine/core/graphene/object_types.py:652 -#: engine/core/graphene/object_types.py:659 engine/core/models.py:825 +#: engine/core/admin.py:196 engine/core/graphene/object_types.py:653 +#: engine/core/graphene/object_types.py:660 engine/core/models.py:825 #: engine/core/models.py:833 msgid "attribute value" msgstr "Giá trị thuộc tính" @@ -108,7 +107,7 @@ msgstr "Giá trị thuộc tính" msgid "image" msgstr "Hình ảnh" -#: engine/core/admin.py:209 engine/core/graphene/object_types.py:529 +#: engine/core/admin.py:209 engine/core/graphene/object_types.py:530 msgid "images" msgstr "Hình ảnh" @@ -116,7 +115,7 @@ msgstr "Hình ảnh" msgid "stock" msgstr "Cổ phiếu" -#: engine/core/admin.py:221 engine/core/graphene/object_types.py:712 +#: engine/core/admin.py:221 engine/core/graphene/object_types.py:713 msgid "stocks" msgstr "Cổ phiếu" @@ -124,7 +123,7 @@ msgstr "Cổ phiếu" msgid "order product" msgstr "Đặt hàng sản phẩm" -#: engine/core/admin.py:233 engine/core/graphene/object_types.py:440 +#: engine/core/admin.py:233 engine/core/graphene/object_types.py:441 #: engine/core/models.py:1932 msgid "order products" msgstr "Đặt hàng sản phẩm" @@ -157,8 +156,7 @@ msgstr "Đã giao" msgid "canceled" msgstr "Đã hủy" -#: engine/core/choices.py:8 engine/core/choices.py:16 -#: engine/core/choices.py:24 +#: engine/core/choices.py:8 engine/core/choices.py:16 engine/core/choices.py:24 msgid "failed" msgstr "Thất bại" @@ -245,8 +243,8 @@ msgid "" "purchase an order as a business, using the provided `products` with " "`product_uuid` and `attributes`." msgstr "" -"Mua hàng với tư cách là doanh nghiệp, sử dụng các sản phẩm được cung cấp với" -" `product_uuid` và `attributes`." +"Mua hàng với tư cách là doanh nghiệp, sử dụng các sản phẩm được cung cấp với " +"`product_uuid` và `attributes`." #: engine/core/docs/drf/views.py:180 msgid "download a digital asset from purchased digital order" @@ -275,8 +273,7 @@ msgstr "" "chỉnh sửa." #: engine/core/docs/drf/viewsets.py:107 -msgid "" -"rewrite some fields of an existing attribute group saving non-editables" +msgid "rewrite some fields of an existing attribute group saving non-editables" msgstr "" "Cập nhật một số trường trong nhóm thuộc tính hiện có, giữ nguyên các trường " "không thể chỉnh sửa." @@ -331,11 +328,10 @@ msgstr "" "không thể chỉnh sửa." #: engine/core/docs/drf/viewsets.py:208 -msgid "" -"rewrite some fields of an existing attribute value saving non-editables" +msgid "rewrite some fields of an existing attribute value saving non-editables" msgstr "" -"Cập nhật một số trường của giá trị thuộc tính hiện có, giữ nguyên các trường" -" không thể chỉnh sửa." +"Cập nhật một số trường của giá trị thuộc tính hiện có, giữ nguyên các trường " +"không thể chỉnh sửa." #: engine/core/docs/drf/viewsets.py:219 engine/core/docs/drf/viewsets.py:220 msgid "list all categories (simple view)" @@ -366,14 +362,14 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:270 engine/core/docs/drf/viewsets.py:272 msgid "rewrite some fields of an existing category saving non-editables" msgstr "" -"Cập nhật một số trường của một danh mục hiện có, giữ nguyên các trường không" -" thể chỉnh sửa." +"Cập nhật một số trường của một danh mục hiện có, giữ nguyên các trường không " +"thể chỉnh sửa." #: engine/core/docs/drf/viewsets.py:280 engine/core/docs/drf/viewsets.py:757 #: engine/core/docs/drf/viewsets.py:1046 #: engine/core/graphene/object_types.py:119 -#: engine/core/graphene/object_types.py:238 -#: engine/core/graphene/object_types.py:539 +#: engine/core/graphene/object_types.py:239 +#: engine/core/graphene/object_types.py:540 msgid "SEO Meta snapshot" msgstr "SEO Meta snapshot" @@ -393,12 +389,12 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:309 msgid "" -"Case-insensitive substring search across human_readable_id, " -"order_products.product.name, and order_products.product.partnumber" +"Case-insensitive substring search across human_readable_id, order_products." +"product.name, and order_products.product.partnumber" msgstr "" "Tìm kiếm chuỗi con không phân biệt chữ hoa chữ thường trên các trường " -"human_readable_id, order_products.product.name và " -"order_products.product.partnumber." +"human_readable_id, order_products.product.name và order_products.product." +"partnumber." #: engine/core/docs/drf/viewsets.py:316 msgid "Filter orders with buy_time >= this ISO 8601 datetime" @@ -434,9 +430,9 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:354 msgid "" -"Order by one of: uuid, human_readable_id, user_email, user, status, created," -" modified, buy_time, random. Prefix with '-' for descending (e.g. " -"'-buy_time')." +"Order by one of: uuid, human_readable_id, user_email, user, status, created, " +"modified, buy_time, random. Prefix with '-' for descending (e.g. '-" +"buy_time')." msgstr "" "Sắp xếp theo một trong các trường sau: uuid, human_readable_id, user_email, " "user, status, created, modified, buy_time, random. Thêm tiền tố '-' để sắp " @@ -471,8 +467,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:403 msgid "rewrite some fields of an existing order saving non-editables" msgstr "" -"Cập nhật một số trường của một danh mục hiện có, giữ nguyên các trường không" -" thể chỉnh sửa." +"Cập nhật một số trường của một danh mục hiện có, giữ nguyên các trường không " +"thể chỉnh sửa." #: engine/core/docs/drf/viewsets.py:410 msgid "purchase an order" @@ -643,15 +639,29 @@ msgstr "" msgid "" "Filter by one or more attribute name/value pairs. \n" "• **Syntax**: `attr_name=method-value[;attr2=method2-value2]…` \n" -"• **Methods** (defaults to `icontains` if omitted): `iexact`, `exact`, `icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, `iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in` \n" -"• **Value typing**: JSON is attempted first (so you can pass lists/dicts), `true`/`false` for booleans, integers, floats; otherwise treated as string. \n" +"• **Methods** (defaults to `icontains` if omitted): `iexact`, `exact`, " +"`icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, " +"`iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in` \n" +"• **Value typing**: JSON is attempted first (so you can pass lists/dicts), " +"`true`/`false` for booleans, integers, floats; otherwise treated as " +"string. \n" "• **Base64**: prefix with `b64-` to URL-safe base64-encode the raw value. \n" "Examples: \n" -"`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\",\"bluetooth\"]`, \n" +"`color=exact-red`, `size=gt-10`, `features=in-[\"wifi\"," +"\"bluetooth\"]`, \n" "`b64-description=icontains-aGVhdC1jb2xk`" msgstr "" -"Lọc theo một hoặc nhiều cặp tên/giá trị thuộc tính. • **Cú pháp**: `attr_name=method-value[;attr2=method2-value2]…` • **Phương thức** (mặc định là `icontains` nếu không được chỉ định): `iexact`, `exact`, `icontains`, `contains`, `isnull`, `startswith`, `istartswith`, `endswith`, `iendswith`, `regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in` • **Kiểu giá trị**: JSON được ưu tiên (nên bạn có thể truyền danh sách/đối tượng), `true`/`false` cho boolean, số nguyên, số thực; nếu không sẽ được xử lý như chuỗi. • **Base64**: thêm tiền tố `b64-` để mã hóa Base64 an toàn cho URL giá trị thô. \n" -"Ví dụ: `color=exact-red`, `size=gt-10`, `features=in-[\"wifi\",\"bluetooth\"]`, `b64-description=icontains-aGVhdC1jb2xk`" +"Lọc theo một hoặc nhiều cặp tên/giá trị thuộc tính. • **Cú pháp**: " +"`attr_name=method-value[;attr2=method2-value2]…` • **Phương thức** (mặc định " +"là `icontains` nếu không được chỉ định): `iexact`, `exact`, `icontains`, " +"`contains`, `isnull`, `startswith`, `istartswith`, `endswith`, `iendswith`, " +"`regex`, `iregex`, `lt`, `lte`, `gt`, `gte`, `in` • **Kiểu giá trị**: JSON " +"được ưu tiên (nên bạn có thể truyền danh sách/đối tượng), `true`/`false` cho " +"boolean, số nguyên, số thực; nếu không sẽ được xử lý như chuỗi. • " +"**Base64**: thêm tiền tố `b64-` để mã hóa Base64 an toàn cho URL giá trị " +"thô. \n" +"Ví dụ: `color=exact-red`, `size=gt-10`, `features=in-[\"wifi\"," +"\"bluetooth\"]`, `b64-description=icontains-aGVhdC1jb2xk`" #: engine/core/docs/drf/viewsets.py:617 engine/core/docs/drf/viewsets.py:618 msgid "list all products (simple view)" @@ -663,12 +673,13 @@ msgstr "(chính xác) Mã định danh duy nhất của sản phẩm (UUID)" #: engine/core/docs/drf/viewsets.py:630 msgid "" -"Comma-separated list of fields to sort by. Prefix with `-` for descending. \n" +"Comma-separated list of fields to sort by. Prefix with `-` for " +"descending. \n" "**Allowed:** uuid, rating, name, slug, created, modified, price, random" msgstr "" -"Danh sách các trường được phân tách bằng dấu phẩy để sắp xếp. Thêm tiền tố " -"`-` để sắp xếp theo thứ tự giảm dần. **Được phép:** uuid, rating, name, " -"slug, created, modified, price, random" +"Danh sách các trường được phân tách bằng dấu phẩy để sắp xếp. Thêm tiền tố `-" +"` để sắp xếp theo thứ tự giảm dần. **Được phép:** uuid, rating, name, slug, " +"created, modified, price, random" #: engine/core/docs/drf/viewsets.py:647 engine/core/docs/drf/viewsets.py:648 msgid "retrieve a single product (detailed view)" @@ -693,8 +704,8 @@ msgstr "" msgid "" "update some fields of an existing product, preserving non-editable fields" msgstr "" -"Cập nhật một số trường của sản phẩm hiện có, giữ nguyên các trường không thể" -" chỉnh sửa." +"Cập nhật một số trường của sản phẩm hiện có, giữ nguyên các trường không thể " +"chỉnh sửa." #: engine/core/docs/drf/viewsets.py:719 engine/core/docs/drf/viewsets.py:720 msgid "delete a product" @@ -768,8 +779,8 @@ msgstr "Viết lại phản hồi hiện có để lưu các trường không th #: engine/core/docs/drf/viewsets.py:909 msgid "rewrite some fields of an existing feedback saving non-editables" msgstr "" -"Cập nhật một số trường của một phản hồi hiện có, giữ nguyên các trường không" -" thể chỉnh sửa." +"Cập nhật một số trường của một phản hồi hiện có, giữ nguyên các trường không " +"thể chỉnh sửa." #: engine/core/docs/drf/viewsets.py:919 msgid "list all order–product relations (simple view)" @@ -833,8 +844,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:1039 msgid "rewrite some fields of an existing brand saving non-editables" msgstr "" -"Cập nhật một số trường của một danh mục hiện có, giữ nguyên các trường không" -" thể chỉnh sửa." +"Cập nhật một số trường của một danh mục hiện có, giữ nguyên các trường không " +"thể chỉnh sửa." #: engine/core/docs/drf/viewsets.py:1064 msgid "list all vendors (simple view)" @@ -861,8 +872,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:1102 msgid "rewrite some fields of an existing vendor saving non-editables" msgstr "" -"Cập nhật một số trường của một danh mục hiện có, giữ nguyên các trường không" -" thể chỉnh sửa." +"Cập nhật một số trường của một danh mục hiện có, giữ nguyên các trường không " +"thể chỉnh sửa." #: engine/core/docs/drf/viewsets.py:1112 msgid "list all product images (simple view)" @@ -889,8 +900,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:1154 msgid "rewrite some fields of an existing product image saving non-editables" msgstr "" -"Cập nhật một số trường của một danh mục hiện có, giữ nguyên các trường không" -" thể chỉnh sửa." +"Cập nhật một số trường của một danh mục hiện có, giữ nguyên các trường không " +"thể chỉnh sửa." #: engine/core/docs/drf/viewsets.py:1165 msgid "list all promo codes (simple view)" @@ -917,8 +928,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:1203 msgid "rewrite some fields of an existing promo code saving non-editables" msgstr "" -"Cập nhật một số trường của một danh mục hiện có, giữ nguyên các trường không" -" thể chỉnh sửa." +"Cập nhật một số trường của một danh mục hiện có, giữ nguyên các trường không " +"thể chỉnh sửa." #: engine/core/docs/drf/viewsets.py:1213 msgid "list all promotions (simple view)" @@ -945,8 +956,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:1251 msgid "rewrite some fields of an existing promotion saving non-editables" msgstr "" -"Cập nhật một số trường của một danh mục hiện có, giữ nguyên các trường không" -" thể chỉnh sửa." +"Cập nhật một số trường của một danh mục hiện có, giữ nguyên các trường không " +"thể chỉnh sửa." #: engine/core/docs/drf/viewsets.py:1261 msgid "list all stocks (simple view)" @@ -973,8 +984,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:1297 msgid "rewrite some fields of an existing stock record saving non-editables" msgstr "" -"Cập nhật một số trường của một danh mục hiện có, giữ nguyên các trường không" -" thể chỉnh sửa." +"Cập nhật một số trường của một danh mục hiện có, giữ nguyên các trường không " +"thể chỉnh sửa." #: engine/core/docs/drf/viewsets.py:1308 msgid "list all product tags (simple view)" @@ -1001,8 +1012,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:1350 msgid "rewrite some fields of an existing product tag saving non-editables" msgstr "" -"Cập nhật một số trường của một danh mục hiện có, giữ nguyên các trường không" -" thể chỉnh sửa." +"Cập nhật một số trường của một danh mục hiện có, giữ nguyên các trường không " +"thể chỉnh sửa." #: engine/core/elasticsearch/__init__.py:128 #: engine/core/elasticsearch/__init__.py:629 @@ -1188,8 +1199,7 @@ msgstr "" #: engine/core/graphene/mutations.py:249 engine/core/graphene/mutations.py:524 #: engine/core/graphene/mutations.py:573 engine/core/viewsets.py:753 msgid "wrong type came from order.buy() method: {type(instance)!s}" -msgstr "" -"Loại sai đã được trả về từ phương thức order.buy(): {type(instance)!s}" +msgstr "Loại sai đã được trả về từ phương thức order.buy(): {type(instance)!s}" #: engine/core/graphene/mutations.py:260 msgid "perform an action on a list of products in the order" @@ -1241,8 +1251,8 @@ msgstr "Đặt hàng" #: engine/core/graphene/mutations.py:542 msgid "" -"please send the attributes as the string formatted like " -"attr1=value1,attr2=value2" +"please send the attributes as the string formatted like attr1=value1," +"attr2=value2" msgstr "" "Vui lòng gửi các thuộc tính dưới dạng chuỗi được định dạng như sau: " "attr1=value1,attr2=value2" @@ -1281,8 +1291,8 @@ msgid "elasticsearch - works like a charm" msgstr "ElasticSearch - hoạt động rất tốt." #: engine/core/graphene/object_types.py:84 -#: engine/core/graphene/object_types.py:419 -#: engine/core/graphene/object_types.py:470 engine/core/models.py:796 +#: engine/core/graphene/object_types.py:420 +#: engine/core/graphene/object_types.py:471 engine/core/models.py:796 #: engine/core/models.py:1290 engine/core/models.py:2022 msgid "attributes" msgstr "Thuộc tính" @@ -1296,8 +1306,8 @@ msgid "groups of attributes" msgstr "Nhóm thuộc tính" #: engine/core/graphene/object_types.py:118 -#: engine/core/graphene/object_types.py:216 -#: engine/core/graphene/object_types.py:254 engine/core/models.py:440 +#: engine/core/graphene/object_types.py:217 +#: engine/core/graphene/object_types.py:255 engine/core/models.py:440 msgid "categories" msgstr "Các danh mục" @@ -1305,83 +1315,81 @@ msgstr "Các danh mục" msgid "brands" msgstr "Thương hiệu" -#: engine/core/graphene/object_types.py:218 +#: engine/core/graphene/object_types.py:219 msgid "category image url" msgstr "Các danh mục" -#: engine/core/graphene/object_types.py:219 -#: engine/core/graphene/object_types.py:364 engine/core/models.py:278 +#: engine/core/graphene/object_types.py:220 +#: engine/core/graphene/object_types.py:365 engine/core/models.py:278 msgid "markup percentage" msgstr "Tỷ lệ phần trăm đánh dấu" -#: engine/core/graphene/object_types.py:223 +#: engine/core/graphene/object_types.py:224 msgid "which attributes and values can be used for filtering this category." -msgstr "" -"Các thuộc tính và giá trị nào có thể được sử dụng để lọc danh mục này." +msgstr "Các thuộc tính và giá trị nào có thể được sử dụng để lọc danh mục này." -#: engine/core/graphene/object_types.py:229 -msgid "" -"minimum and maximum prices for products in this category, if available." +#: engine/core/graphene/object_types.py:230 +msgid "minimum and maximum prices for products in this category, if available." msgstr "" "Giá tối thiểu và tối đa cho các sản phẩm trong danh mục này, nếu có sẵn." -#: engine/core/graphene/object_types.py:233 +#: engine/core/graphene/object_types.py:234 msgid "tags for this category" msgstr "Thẻ cho danh mục này" -#: engine/core/graphene/object_types.py:236 +#: engine/core/graphene/object_types.py:237 msgid "products in this category" msgstr "Sản phẩm trong danh mục này" -#: engine/core/graphene/object_types.py:371 engine/core/models.py:183 +#: engine/core/graphene/object_types.py:372 engine/core/models.py:183 msgid "vendors" msgstr "Nhà cung cấp" -#: engine/core/graphene/object_types.py:375 +#: engine/core/graphene/object_types.py:376 msgid "Latitude (Y coordinate)" msgstr "Vĩ độ (tọa độ Y)" -#: engine/core/graphene/object_types.py:376 +#: engine/core/graphene/object_types.py:377 msgid "Longitude (X coordinate)" msgstr "Kinh độ (tọa độ X)" -#: engine/core/graphene/object_types.py:405 +#: engine/core/graphene/object_types.py:406 msgid "comment" msgstr "Làm thế nào" -#: engine/core/graphene/object_types.py:407 -#: engine/core/graphene/object_types.py:541 +#: engine/core/graphene/object_types.py:408 +#: engine/core/graphene/object_types.py:542 msgid "rating value from 1 to 10, inclusive, or 0 if not set." msgstr "" "Giá trị đánh giá từ 1 đến 10, bao gồm cả 1 và 10, hoặc 0 nếu không được " "thiết lập." -#: engine/core/graphene/object_types.py:415 +#: engine/core/graphene/object_types.py:416 msgid "represents feedback from a user." msgstr "Đại diện cho phản hồi từ người dùng." -#: engine/core/graphene/object_types.py:420 -#: engine/core/graphene/object_types.py:471 engine/core/models.py:1284 +#: engine/core/graphene/object_types.py:421 +#: engine/core/graphene/object_types.py:472 engine/core/models.py:1284 msgid "notifications" msgstr "Thông báo" -#: engine/core/graphene/object_types.py:422 +#: engine/core/graphene/object_types.py:423 msgid "download url for this order product if applicable" msgstr "Tải xuống liên kết URL cho sản phẩm của đơn hàng này (nếu có)." -#: engine/core/graphene/object_types.py:424 engine/core/models.py:1849 +#: engine/core/graphene/object_types.py:425 engine/core/models.py:1849 msgid "feedback" msgstr "Phản hồi" -#: engine/core/graphene/object_types.py:458 +#: engine/core/graphene/object_types.py:459 msgid "a list of order products in this order" msgstr "Danh sách các sản phẩm trong đơn hàng này" -#: engine/core/graphene/object_types.py:460 engine/core/models.py:1254 +#: engine/core/graphene/object_types.py:461 engine/core/models.py:1254 msgid "billing address" msgstr "Địa chỉ thanh toán" -#: engine/core/graphene/object_types.py:464 +#: engine/core/graphene/object_types.py:465 msgid "" "shipping address for this order, leave blank if same as billing address or " "if not applicable" @@ -1389,54 +1397,54 @@ msgstr "" "Địa chỉ giao hàng cho đơn hàng này, để trống nếu trùng với địa chỉ thanh " "toán hoặc nếu không áp dụng." -#: engine/core/graphene/object_types.py:467 +#: engine/core/graphene/object_types.py:468 msgid "total price of this order" msgstr "Tổng giá trị của đơn hàng này" -#: engine/core/graphene/object_types.py:468 +#: engine/core/graphene/object_types.py:469 msgid "total quantity of products in order" msgstr "Tổng số lượng sản phẩm trong đơn hàng" -#: engine/core/graphene/object_types.py:469 +#: engine/core/graphene/object_types.py:470 msgid "are all products in the order digital" msgstr "" "Tất cả các sản phẩm trong đơn hàng có phải là sản phẩm kỹ thuật số không?" -#: engine/core/graphene/object_types.py:473 +#: engine/core/graphene/object_types.py:474 msgid "transactions for this order" msgstr "Giao dịch cho đơn hàng này" -#: engine/core/graphene/object_types.py:493 engine/core/models.py:1318 +#: engine/core/graphene/object_types.py:494 engine/core/models.py:1318 msgid "orders" msgstr "Đơn hàng" -#: engine/core/graphene/object_types.py:514 +#: engine/core/graphene/object_types.py:515 msgid "image url" msgstr "URL hình ảnh" -#: engine/core/graphene/object_types.py:521 +#: engine/core/graphene/object_types.py:522 msgid "product's images" msgstr "Hình ảnh sản phẩm" -#: engine/core/graphene/object_types.py:528 engine/core/models.py:439 +#: engine/core/graphene/object_types.py:529 engine/core/models.py:439 #: engine/core/models.py:596 msgid "category" msgstr "Thể loại" -#: engine/core/graphene/object_types.py:530 engine/core/models.py:1850 +#: engine/core/graphene/object_types.py:531 engine/core/models.py:1850 msgid "feedbacks" msgstr "Phản hồi" -#: engine/core/graphene/object_types.py:531 engine/core/models.py:510 +#: engine/core/graphene/object_types.py:532 engine/core/models.py:510 #: engine/core/models.py:605 msgid "brand" msgstr "Thương hiệu" -#: engine/core/graphene/object_types.py:533 engine/core/models.py:103 +#: engine/core/graphene/object_types.py:534 engine/core/models.py:103 msgid "attribute groups" msgstr "Nhóm thuộc tính" -#: engine/core/graphene/object_types.py:535 +#: engine/core/graphene/object_types.py:536 #: engine/core/templates/digital_order_created_email.html:111 #: engine/core/templates/digital_order_delivered_email.html:109 #: engine/core/templates/shipped_order_created_email.html:109 @@ -1444,7 +1452,7 @@ msgstr "Nhóm thuộc tính" msgid "price" msgstr "Giá" -#: engine/core/graphene/object_types.py:536 +#: engine/core/graphene/object_types.py:537 #: engine/core/templates/digital_order_created_email.html:110 #: engine/core/templates/digital_order_delivered_email.html:108 #: engine/core/templates/shipped_order_created_email.html:108 @@ -1452,39 +1460,39 @@ msgstr "Giá" msgid "quantity" msgstr "Số lượng" -#: engine/core/graphene/object_types.py:537 +#: engine/core/graphene/object_types.py:538 msgid "number of feedbacks" msgstr "Số lượng phản hồi" -#: engine/core/graphene/object_types.py:538 +#: engine/core/graphene/object_types.py:539 msgid "only available for personal orders" msgstr "Sản phẩm chỉ dành cho đơn đặt hàng cá nhân." -#: engine/core/graphene/object_types.py:543 +#: engine/core/graphene/object_types.py:544 msgid "discount price" msgstr "Giá khuyến mãi" -#: engine/core/graphene/object_types.py:567 engine/core/models.py:677 +#: engine/core/graphene/object_types.py:568 engine/core/models.py:677 msgid "products" msgstr "Sản phẩm" -#: engine/core/graphene/object_types.py:677 +#: engine/core/graphene/object_types.py:678 msgid "promocodes" msgstr "Mã khuyến mãi" -#: engine/core/graphene/object_types.py:692 +#: engine/core/graphene/object_types.py:693 msgid "products on sale" msgstr "Sản phẩm đang khuyến mãi" -#: engine/core/graphene/object_types.py:700 engine/core/models.py:928 +#: engine/core/graphene/object_types.py:701 engine/core/models.py:928 msgid "promotions" msgstr "Khuyến mãi" -#: engine/core/graphene/object_types.py:704 engine/core/models.py:182 +#: engine/core/graphene/object_types.py:705 engine/core/models.py:182 msgid "vendor" msgstr "Nhà cung cấp" -#: engine/core/graphene/object_types.py:705 engine/core/models.py:676 +#: engine/core/graphene/object_types.py:706 engine/core/models.py:676 #: engine/core/templates/digital_order_created_email.html:109 #: engine/core/templates/digital_order_delivered_email.html:107 #: engine/core/templates/shipped_order_created_email.html:107 @@ -1492,99 +1500,99 @@ msgstr "Nhà cung cấp" msgid "product" msgstr "Sản phẩm" -#: engine/core/graphene/object_types.py:717 engine/core/models.py:951 +#: engine/core/graphene/object_types.py:718 engine/core/models.py:951 msgid "wishlisted products" msgstr "Sản phẩm đã thêm vào danh sách mong muốn" -#: engine/core/graphene/object_types.py:724 engine/core/models.py:968 +#: engine/core/graphene/object_types.py:725 engine/core/models.py:968 msgid "wishlists" msgstr "Danh sách mong muốn" -#: engine/core/graphene/object_types.py:729 +#: engine/core/graphene/object_types.py:730 msgid "tagged products" msgstr "Sản phẩm được gắn thẻ" -#: engine/core/graphene/object_types.py:737 engine/core/models.py:219 +#: engine/core/graphene/object_types.py:738 engine/core/models.py:219 #: engine/core/models.py:611 msgid "product tags" msgstr "Thẻ sản phẩm" -#: engine/core/graphene/object_types.py:742 +#: engine/core/graphene/object_types.py:743 msgid "tagged categories" msgstr "Các danh mục được gắn thẻ" -#: engine/core/graphene/object_types.py:750 +#: engine/core/graphene/object_types.py:751 msgid "categories tags" msgstr "Thẻ của các danh mục" -#: engine/core/graphene/object_types.py:754 +#: engine/core/graphene/object_types.py:755 msgid "project name" msgstr "Tên dự án" -#: engine/core/graphene/object_types.py:755 +#: engine/core/graphene/object_types.py:756 msgid "company name" msgstr "Tên công ty" -#: engine/core/graphene/object_types.py:756 +#: engine/core/graphene/object_types.py:757 msgid "company address" msgstr "Địa chỉ công ty" -#: engine/core/graphene/object_types.py:757 +#: engine/core/graphene/object_types.py:758 msgid "company phone number" msgstr "Số điện thoại của công ty" -#: engine/core/graphene/object_types.py:760 +#: engine/core/graphene/object_types.py:761 msgid "email from, sometimes it must be used instead of host user value" msgstr "" "'email from', đôi khi phải sử dụng thay cho giá trị người dùng máy chủ." -#: engine/core/graphene/object_types.py:763 +#: engine/core/graphene/object_types.py:764 msgid "email host user" msgstr "Người dùng máy chủ email" -#: engine/core/graphene/object_types.py:764 +#: engine/core/graphene/object_types.py:765 msgid "maximum amount for payment" msgstr "Số tiền tối đa cho thanh toán" -#: engine/core/graphene/object_types.py:765 +#: engine/core/graphene/object_types.py:766 msgid "minimum amount for payment" msgstr "Số tiền tối thiểu để thanh toán" -#: engine/core/graphene/object_types.py:766 +#: engine/core/graphene/object_types.py:767 msgid "analytics data" msgstr "Dữ liệu phân tích" -#: engine/core/graphene/object_types.py:767 +#: engine/core/graphene/object_types.py:768 msgid "advertisement data" msgstr "Dữ liệu quảng cáo" -#: engine/core/graphene/object_types.py:770 +#: engine/core/graphene/object_types.py:771 msgid "company configuration" msgstr "Cấu hình" -#: engine/core/graphene/object_types.py:774 +#: engine/core/graphene/object_types.py:775 msgid "language code" msgstr "Mã ngôn ngữ" -#: engine/core/graphene/object_types.py:775 +#: engine/core/graphene/object_types.py:776 msgid "language name" msgstr "Tên ngôn ngữ" -#: engine/core/graphene/object_types.py:776 +#: engine/core/graphene/object_types.py:777 msgid "language flag, if exists :)" msgstr "Cờ ngôn ngữ, nếu có :)" -#: engine/core/graphene/object_types.py:779 +#: engine/core/graphene/object_types.py:780 msgid "supported languages" msgstr "Xem danh sách các ngôn ngữ được hỗ trợ" -#: engine/core/graphene/object_types.py:811 -#: engine/core/graphene/object_types.py:814 -#: engine/core/graphene/object_types.py:817 +#: engine/core/graphene/object_types.py:812 +#: engine/core/graphene/object_types.py:815 +#: engine/core/graphene/object_types.py:818 msgid "products search results" msgstr "Kết quả tìm kiếm sản phẩm" -#: engine/core/graphene/object_types.py:819 +#: engine/core/graphene/object_types.py:820 msgid "posts search results" msgstr "Kết quả tìm kiếm sản phẩm" @@ -1597,9 +1605,9 @@ msgid "" msgstr "" "Đại diện cho một nhóm các thuộc tính, có thể có cấu trúc phân cấp. Lớp này " "được sử dụng để quản lý và tổ chức các nhóm thuộc tính. Một nhóm thuộc tính " -"có thể có nhóm cha, tạo thành cấu trúc phân cấp. Điều này có thể hữu ích cho" -" việc phân loại và quản lý các thuộc tính một cách hiệu quả hơn trong một hệ" -" thống phức tạp." +"có thể có nhóm cha, tạo thành cấu trúc phân cấp. Điều này có thể hữu ích cho " +"việc phân loại và quản lý các thuộc tính một cách hiệu quả hơn trong một hệ " +"thống phức tạp." #: engine/core/models.py:88 msgid "parent of this group" @@ -1632,8 +1640,8 @@ msgstr "" "dụng để định nghĩa và quản lý thông tin liên quan đến một nhà cung cấp bên " "ngoài. Nó lưu trữ tên của nhà cung cấp, thông tin xác thực cần thiết cho " "việc giao tiếp và tỷ lệ phần trăm chênh lệch giá áp dụng cho các sản phẩm " -"được lấy từ nhà cung cấp. Mô hình này cũng duy trì các metadata và ràng buộc" -" bổ sung, khiến nó phù hợp để sử dụng trong các hệ thống tương tác với các " +"được lấy từ nhà cung cấp. Mô hình này cũng duy trì các metadata và ràng buộc " +"bổ sung, khiến nó phù hợp để sử dụng trong các hệ thống tương tác với các " "nhà cung cấp bên thứ ba." #: engine/core/models.py:122 @@ -1687,11 +1695,11 @@ msgid "" "display name. It supports operations exported through mixins and provides " "metadata customization for administrative purposes." msgstr "" -"Đại diện cho thẻ sản phẩm được sử dụng để phân loại hoặc nhận dạng sản phẩm." -" Lớp ProductTag được thiết kế để nhận dạng và phân loại sản phẩm một cách " -"duy nhất thông qua sự kết hợp giữa mã định danh thẻ nội bộ và tên hiển thị " -"thân thiện với người dùng. Nó hỗ trợ các thao tác được xuất qua mixins và " -"cung cấp tùy chỉnh metadata cho mục đích quản trị." +"Đại diện cho thẻ sản phẩm được sử dụng để phân loại hoặc nhận dạng sản phẩm. " +"Lớp ProductTag được thiết kế để nhận dạng và phân loại sản phẩm một cách duy " +"nhất thông qua sự kết hợp giữa mã định danh thẻ nội bộ và tên hiển thị thân " +"thiện với người dùng. Nó hỗ trợ các thao tác được xuất qua mixins và cung " +"cấp tùy chỉnh metadata cho mục đích quản trị." #: engine/core/models.py:204 engine/core/models.py:235 msgid "internal tag identifier for the product tag" @@ -1719,8 +1727,8 @@ msgid "" "tag that can be used to associate and classify products. It includes " "attributes for an internal tag identifier and a user-friendly display name." msgstr "" -"Đại diện cho thẻ danh mục được sử dụng cho sản phẩm. Lớp này mô hình hóa một" -" thẻ danh mục có thể được sử dụng để liên kết và phân loại sản phẩm. Nó bao " +"Đại diện cho thẻ danh mục được sử dụng cho sản phẩm. Lớp này mô hình hóa một " +"thẻ danh mục có thể được sử dụng để liên kết và phân loại sản phẩm. Nó bao " "gồm các thuộc tính cho mã định danh thẻ nội bộ và tên hiển thị thân thiện " "với người dùng." @@ -1744,13 +1752,13 @@ msgid "" "hierarchy of categories, as well as assign attributes like images, tags, or " "priority." msgstr "" -"Đại diện cho một thực thể danh mục để tổ chức và nhóm các mục liên quan theo" -" cấu trúc phân cấp. Các danh mục có thể có mối quan hệ phân cấp với các danh" -" mục khác, hỗ trợ mối quan hệ cha-con. Lớp này bao gồm các trường cho " +"Đại diện cho một thực thể danh mục để tổ chức và nhóm các mục liên quan theo " +"cấu trúc phân cấp. Các danh mục có thể có mối quan hệ phân cấp với các danh " +"mục khác, hỗ trợ mối quan hệ cha-con. Lớp này bao gồm các trường cho " "metadata và biểu diễn trực quan, làm nền tảng cho các tính năng liên quan " "đến danh mục. Lớp này thường được sử dụng để định nghĩa và quản lý các danh " -"mục sản phẩm hoặc các nhóm tương tự khác trong ứng dụng, cho phép người dùng" -" hoặc quản trị viên xác định tên, mô tả và cấu trúc phân cấp của các danh " +"mục sản phẩm hoặc các nhóm tương tự khác trong ứng dụng, cho phép người dùng " +"hoặc quản trị viên xác định tên, mô tả và cấu trúc phân cấp của các danh " "mục, cũng như gán các thuộc tính như hình ảnh, thẻ hoặc ưu tiên." #: engine/core/models.py:269 @@ -1803,11 +1811,10 @@ msgid "" "Represents a Brand object in the system. This class handles information and " "attributes related to a brand, including its name, logos, description, " "associated categories, a unique slug, and priority order. It allows for the " -"organization and representation of brand-related data within the " -"application." +"organization and representation of brand-related data within the application." msgstr "" -"Đại diện cho một đối tượng Thương hiệu trong hệ thống. Lớp này quản lý thông" -" tin và thuộc tính liên quan đến một thương hiệu, bao gồm tên, logo, mô tả, " +"Đại diện cho một đối tượng Thương hiệu trong hệ thống. Lớp này quản lý thông " +"tin và thuộc tính liên quan đến một thương hiệu, bao gồm tên, logo, mô tả, " "các danh mục liên quan, một slug duy nhất và thứ tự ưu tiên. Nó cho phép tổ " "chức và hiển thị dữ liệu liên quan đến thương hiệu trong ứng dụng." @@ -1853,8 +1860,8 @@ msgstr "Các danh mục" #: engine/core/models.py:516 msgid "" -"Represents the stock of a product managed in the system. This class provides" -" details about the relationship between vendors, products, and their stock " +"Represents the stock of a product managed in the system. This class provides " +"details about the relationship between vendors, products, and their stock " "information, as well as inventory-related properties like price, purchase " "price, quantity, SKU, and digital assets. It is part of the inventory " "management system to allow tracking and evaluation of products available " @@ -1944,14 +1951,14 @@ msgid "" "product data and its associated information within an application." msgstr "" "Đại diện cho một sản phẩm có các thuộc tính như danh mục, thương hiệu, thẻ, " -"trạng thái kỹ thuật số, tên, mô tả, số phần và slug. Cung cấp các thuộc tính" -" tiện ích liên quan để truy xuất đánh giá, số lượng phản hồi, giá, số lượng " +"trạng thái kỹ thuật số, tên, mô tả, số phần và slug. Cung cấp các thuộc tính " +"tiện ích liên quan để truy xuất đánh giá, số lượng phản hồi, giá, số lượng " "và tổng số đơn hàng. Được thiết kế để sử dụng trong hệ thống quản lý thương " "mại điện tử hoặc quản lý kho hàng. Lớp này tương tác với các mô hình liên " "quan (như Danh mục, Thương hiệu và Thẻ Sản phẩm) và quản lý bộ nhớ đệm cho " -"các thuộc tính được truy cập thường xuyên để cải thiện hiệu suất. Nó được sử" -" dụng để định nghĩa và thao tác dữ liệu sản phẩm và thông tin liên quan " -"trong ứng dụng." +"các thuộc tính được truy cập thường xuyên để cải thiện hiệu suất. Nó được sử " +"dụng để định nghĩa và thao tác dữ liệu sản phẩm và thông tin liên quan trong " +"ứng dụng." #: engine/core/models.py:595 msgid "category this product belongs to" @@ -2016,16 +2023,16 @@ msgid "" "Represents an attribute in the system. This class is used to define and " "manage attributes, which are customizable pieces of data that can be " "associated with other entities. Attributes have associated categories, " -"groups, value types, and names. The model supports multiple types of values," -" including string, integer, float, boolean, array, and object. This allows " +"groups, value types, and names. The model supports multiple types of values, " +"including string, integer, float, boolean, array, and object. This allows " "for dynamic and flexible data structuring." msgstr "" "Đại diện cho một thuộc tính trong hệ thống. Lớp này được sử dụng để định " -"nghĩa và quản lý các thuộc tính, là các phần dữ liệu có thể tùy chỉnh có thể" -" được liên kết với các thực thể khác. Các thuộc tính có các danh mục, nhóm, " +"nghĩa và quản lý các thuộc tính, là các phần dữ liệu có thể tùy chỉnh có thể " +"được liên kết với các thực thể khác. Các thuộc tính có các danh mục, nhóm, " "loại giá trị và tên liên quan. Mô hình hỗ trợ nhiều loại giá trị, bao gồm " -"chuỗi, số nguyên, số thực, boolean, mảng và đối tượng. Điều này cho phép cấu" -" trúc dữ liệu động và linh hoạt." +"chuỗi, số nguyên, số thực, boolean, mảng và đối tượng. Điều này cho phép cấu " +"trúc dữ liệu động và linh hoạt." #: engine/core/models.py:755 msgid "group of this attribute" @@ -2086,13 +2093,13 @@ msgstr "Thuộc tính" #: engine/core/models.py:801 msgid "" -"Represents a specific value for an attribute that is linked to a product. It" -" links the 'attribute' to a unique 'value', allowing better organization and" -" dynamic representation of product characteristics." +"Represents a specific value for an attribute that is linked to a product. It " +"links the 'attribute' to a unique 'value', allowing better organization and " +"dynamic representation of product characteristics." msgstr "" -"Đại diện cho một giá trị cụ thể của một thuộc tính được liên kết với một sản" -" phẩm. Nó liên kết 'thuộc tính' với một 'giá trị' duy nhất, cho phép tổ chức" -" tốt hơn và thể hiện động các đặc điểm của sản phẩm." +"Đại diện cho một giá trị cụ thể của một thuộc tính được liên kết với một sản " +"phẩm. Nó liên kết 'thuộc tính' với một 'giá trị' duy nhất, cho phép tổ chức " +"tốt hơn và thể hiện động các đặc điểm của sản phẩm." #: engine/core/models.py:812 msgid "attribute of this value" @@ -2109,8 +2116,8 @@ msgstr "Giá trị cụ thể cho thuộc tính này" #: engine/core/models.py:839 msgid "" "Represents a product image associated with a product in the system. This " -"class is designed to manage images for products, including functionality for" -" uploading image files, associating them with specific products, and " +"class is designed to manage images for products, including functionality for " +"uploading image files, associating them with specific products, and " "determining their display order. It also includes an accessibility feature " "with alternative text for the images." msgstr "" @@ -2158,11 +2165,11 @@ msgid "" "is used to define and manage promotional campaigns that offer a percentage-" "based discount for products. The class includes attributes for setting the " "discount rate, providing details about the promotion, and linking it to the " -"applicable products. It integrates with the product catalog to determine the" -" affected items in the campaign." +"applicable products. It integrates with the product catalog to determine the " +"affected items in the campaign." msgstr "" -"Đại diện cho một chiến dịch khuyến mãi cho các sản phẩm có giảm giá. Lớp này" -" được sử dụng để định nghĩa và quản lý các chiến dịch khuyến mãi cung cấp " +"Đại diện cho một chiến dịch khuyến mãi cho các sản phẩm có giảm giá. Lớp này " +"được sử dụng để định nghĩa và quản lý các chiến dịch khuyến mãi cung cấp " "giảm giá theo tỷ lệ phần trăm cho các sản phẩm. Lớp này bao gồm các thuộc " "tính để thiết lập tỷ lệ giảm giá, cung cấp chi tiết về chương trình khuyến " "mãi và liên kết nó với các sản phẩm áp dụng. Nó tích hợp với danh mục sản " @@ -2208,9 +2215,9 @@ msgid "" "operations for adding and removing multiple products at once." msgstr "" "Đại diện cho danh sách mong muốn của người dùng để lưu trữ và quản lý các " -"sản phẩm mong muốn. Lớp này cung cấp các chức năng để quản lý bộ sưu tập sản" -" phẩm, hỗ trợ các thao tác như thêm và xóa sản phẩm, cũng như hỗ trợ các " -"thao tác thêm và xóa nhiều sản phẩm cùng lúc." +"sản phẩm mong muốn. Lớp này cung cấp các chức năng để quản lý bộ sưu tập sản " +"phẩm, hỗ trợ các thao tác như thêm và xóa sản phẩm, cũng như hỗ trợ các thao " +"tác thêm và xóa nhiều sản phẩm cùng lúc." #: engine/core/models.py:950 msgid "products that the user has marked as wanted" @@ -2234,15 +2241,15 @@ msgid "" "store information about documentaries related to specific products, " "including file uploads and their metadata. It contains methods and " "properties to handle the file type and storage path for the documentary " -"files. It extends functionality from specific mixins and provides additional" -" custom features." +"files. It extends functionality from specific mixins and provides additional " +"custom features." msgstr "" "Đại diện cho một bản ghi tài liệu liên quan đến một sản phẩm. Lớp này được " "sử dụng để lưu trữ thông tin về các tài liệu liên quan đến các sản phẩm cụ " -"thể, bao gồm việc tải lên tệp và metadata của chúng. Nó chứa các phương thức" -" và thuộc tính để xử lý loại tệp và đường dẫn lưu trữ cho các tệp tài liệu. " -"Nó mở rộng chức năng từ các mixin cụ thể và cung cấp các tính năng tùy chỉnh" -" bổ sung." +"thể, bao gồm việc tải lên tệp và metadata của chúng. Nó chứa các phương thức " +"và thuộc tính để xử lý loại tệp và đường dẫn lưu trữ cho các tệp tài liệu. " +"Nó mở rộng chức năng từ các mixin cụ thể và cung cấp các tính năng tùy chỉnh " +"bổ sung." #: engine/core/models.py:1024 msgid "documentary" @@ -2258,14 +2265,14 @@ msgstr "Chưa được giải quyết" #: engine/core/models.py:1040 msgid "" -"Represents an address entity that includes location details and associations" -" with a user. Provides functionality for geographic and address data " -"storage, as well as integration with geocoding services. This class is " -"designed to store detailed address information including components like " -"street, city, region, country, and geolocation (longitude and latitude). It " -"supports integration with geocoding APIs, enabling the storage of raw API " -"responses for further processing or inspection. The class also allows " -"associating an address with a user, facilitating personalized data handling." +"Represents an address entity that includes location details and associations " +"with a user. Provides functionality for geographic and address data storage, " +"as well as integration with geocoding services. This class is designed to " +"store detailed address information including components like street, city, " +"region, country, and geolocation (longitude and latitude). It supports " +"integration with geocoding APIs, enabling the storage of raw API responses " +"for further processing or inspection. The class also allows associating an " +"address with a user, facilitating personalized data handling." msgstr "" "Đại diện cho một thực thể địa chỉ bao gồm thông tin vị trí và mối quan hệ " "với người dùng. Cung cấp chức năng lưu trữ dữ liệu địa lý và địa chỉ, cũng " @@ -2337,12 +2344,12 @@ msgid "" "any), and status of its usage. It includes functionality to validate and " "apply the promo code to an order while ensuring constraints are met." msgstr "" -"Đại diện cho một mã khuyến mãi có thể được sử dụng để giảm giá, quản lý thời" -" hạn hiệu lực, loại giảm giá và cách áp dụng. Lớp PromoCode lưu trữ thông " -"tin chi tiết về mã khuyến mãi, bao gồm mã định danh duy nhất, thuộc tính " -"giảm giá (số tiền hoặc phần trăm), thời hạn hiệu lực, người dùng liên kết " -"(nếu có) và trạng thái sử dụng. Nó bao gồm chức năng để xác thực và áp dụng " -"mã khuyến mãi vào đơn hàng đồng thời đảm bảo các điều kiện được đáp ứng." +"Đại diện cho một mã khuyến mãi có thể được sử dụng để giảm giá, quản lý thời " +"hạn hiệu lực, loại giảm giá và cách áp dụng. Lớp PromoCode lưu trữ thông tin " +"chi tiết về mã khuyến mãi, bao gồm mã định danh duy nhất, thuộc tính giảm " +"giá (số tiền hoặc phần trăm), thời hạn hiệu lực, người dùng liên kết (nếu " +"có) và trạng thái sử dụng. Nó bao gồm chức năng để xác thực và áp dụng mã " +"khuyến mãi vào đơn hàng đồng thời đảm bảo các điều kiện được đáp ứng." #: engine/core/models.py:1119 msgid "unique code used by a user to redeem a discount" @@ -2430,15 +2437,15 @@ msgstr "Loại giảm giá không hợp lệ cho mã khuyến mãi {self.uuid}!" msgid "" "Represents an order placed by a user. This class models an order within the " "application, including its various attributes such as billing and shipping " -"information, status, associated user, notifications, and related operations." -" Orders can have associated products, promotions can be applied, addresses " +"information, status, associated user, notifications, and related operations. " +"Orders can have associated products, promotions can be applied, addresses " "set, and shipping or billing details updated. Equally, functionality " "supports managing the products in the order lifecycle." msgstr "" "Đại diện cho một đơn hàng được đặt bởi người dùng. Lớp này mô hình hóa một " "đơn hàng trong ứng dụng, bao gồm các thuộc tính khác nhau như thông tin " -"thanh toán và vận chuyển, trạng thái, người dùng liên quan, thông báo và các" -" thao tác liên quan. Đơn hàng có thể có các sản phẩm liên quan, áp dụng " +"thanh toán và vận chuyển, trạng thái, người dùng liên quan, thông báo và các " +"thao tác liên quan. Đơn hàng có thể có các sản phẩm liên quan, áp dụng " "khuyến mãi, thiết lập địa chỉ và cập nhật chi tiết vận chuyển hoặc thanh " "toán. Đồng thời, chức năng hỗ trợ quản lý các sản phẩm trong chu kỳ đời của " "đơn hàng." @@ -2532,8 +2539,8 @@ msgstr "Bạn không thể thêm nhiều sản phẩm hơn số lượng hiện #: engine/core/models.py:1488 msgid "you cannot remove products from an order that is not a pending one" msgstr "" -"Bạn không thể xóa sản phẩm khỏi một đơn hàng không phải là đơn hàng đang chờ" -" xử lý." +"Bạn không thể xóa sản phẩm khỏi một đơn hàng không phải là đơn hàng đang chờ " +"xử lý." #: engine/core/models.py:1473 #, python-brace-format @@ -2603,11 +2610,11 @@ msgid "" "fields to effectively model and manage feedback data." msgstr "" "Quản lý phản hồi của người dùng về sản phẩm. Lớp này được thiết kế để thu " -"thập và lưu trữ phản hồi của người dùng về các sản phẩm cụ thể mà họ đã mua." -" Nó bao gồm các thuộc tính để lưu trữ bình luận của người dùng, tham chiếu " -"đến sản phẩm liên quan trong đơn hàng và đánh giá do người dùng gán. Lớp này" -" sử dụng các trường cơ sở dữ liệu để mô hình hóa và quản lý dữ liệu phản hồi" -" một cách hiệu quả." +"thập và lưu trữ phản hồi của người dùng về các sản phẩm cụ thể mà họ đã mua. " +"Nó bao gồm các thuộc tính để lưu trữ bình luận của người dùng, tham chiếu " +"đến sản phẩm liên quan trong đơn hàng và đánh giá do người dùng gán. Lớp này " +"sử dụng các trường cơ sở dữ liệu để mô hình hóa và quản lý dữ liệu phản hồi " +"một cách hiệu quả." #: engine/core/models.py:1818 msgid "user-provided comments about their experience with the product" @@ -2619,8 +2626,7 @@ msgid "feedback comments" msgstr "Phản hồi" #: engine/core/models.py:1827 -msgid "" -"references the specific product in an order that this feedback is about" +msgid "references the specific product in an order that this feedback is about" msgstr "" "Tham chiếu đến sản phẩm cụ thể trong đơn hàng mà phản hồi này đề cập đến." @@ -2764,16 +2770,16 @@ msgid "" "Represents the downloading functionality for digital assets associated with " "orders. The DigitalAssetDownload class provides the ability to manage and " "access downloads related to order products. It maintains information about " -"the associated order product, the number of downloads, and whether the asset" -" is publicly visible. It includes a method to generate a URL for downloading" -" the asset when the associated order is in a completed status." +"the associated order product, the number of downloads, and whether the asset " +"is publicly visible. It includes a method to generate a URL for downloading " +"the asset when the associated order is in a completed status." msgstr "" "Đại diện cho chức năng tải xuống các tài sản kỹ thuật số liên quan đến đơn " -"hàng. Lớp DigitalAssetDownload cung cấp khả năng quản lý và truy cập các tệp" -" tải xuống liên quan đến sản phẩm trong đơn hàng. Nó lưu trữ thông tin về " -"sản phẩm trong đơn hàng liên quan, số lần tải xuống và liệu tài sản có hiển " -"thị công khai hay không. Nó bao gồm một phương thức để tạo URL tải xuống tài" -" sản khi đơn hàng liên quan ở trạng thái đã hoàn thành." +"hàng. Lớp DigitalAssetDownload cung cấp khả năng quản lý và truy cập các tệp " +"tải xuống liên quan đến sản phẩm trong đơn hàng. Nó lưu trữ thông tin về sản " +"phẩm trong đơn hàng liên quan, số lần tải xuống và liệu tài sản có hiển thị " +"công khai hay không. Nó bao gồm một phương thức để tạo URL tải xuống tài sản " +"khi đơn hàng liên quan ở trạng thái đã hoàn thành." #: engine/core/models.py:2092 msgid "download" @@ -2981,7 +2987,8 @@ msgstr "Xin chào %(order.user.first_name)s," #, python-format msgid "" "thank you for your order #%(order.pk)s! we are pleased to inform you that\n" -" we have taken your order into work. below are the details of your\n" +" we have taken your order into work. below are " +"the details of your\n" " order:" msgstr "" "Cảm ơn quý khách đã đặt hàng #%(order.pk)s! Chúng tôi vui mừng thông báo " @@ -3010,8 +3017,8 @@ msgid "" "if you have any questions, feel free to contact our support at\n" " %(config.EMAIL_HOST_USER)s." msgstr "" -"Nếu bạn có bất kỳ câu hỏi nào, vui lòng liên hệ với bộ phận hỗ trợ của chúng" -" tôi tại %(config.EMAIL_HOST_USER)s." +"Nếu bạn có bất kỳ câu hỏi nào, vui lòng liên hệ với bộ phận hỗ trợ của chúng " +"tôi tại %(config.EMAIL_HOST_USER)s." #: engine/core/templates/digital_order_created_email.html:133 #, python-format @@ -3061,8 +3068,8 @@ msgid "" "if you have any questions, feel free to contact our support at\n" " %(contact_email)s." msgstr "" -"Nếu bạn có bất kỳ câu hỏi nào, vui lòng liên hệ với bộ phận hỗ trợ của chúng" -" tôi tại %(contact_email)s." +"Nếu bạn có bất kỳ câu hỏi nào, vui lòng liên hệ với bộ phận hỗ trợ của chúng " +"tôi tại %(contact_email)s." #: engine/core/templates/digital_order_delivered_email.html:165 #: engine/core/templates/promocode_granted_email.html:108 @@ -3088,13 +3095,14 @@ msgid "" "Thank you for staying with us! We have granted you with a promocode\n" " for " msgstr "" -"Cảm ơn quý khách đã đồng hành cùng chúng tôi! Chúng tôi đã cấp cho quý khách" -" một mã khuyến mãi cho" +"Cảm ơn quý khách đã đồng hành cùng chúng tôi! Chúng tôi đã cấp cho quý khách " +"một mã khuyến mãi cho" #: engine/core/templates/shipped_order_created_email.html:101 #: engine/core/templates/shipped_order_delivered_email.html:101 msgid "" -"thank you for your order! we are pleased to confirm your purchase. below are\n" +"thank you for your order! we are pleased to confirm your purchase. below " +"are\n" " the details of your order:" msgstr "" "Cảm ơn quý khách đã đặt hàng! Chúng tôi rất vui được xác nhận đơn hàng của " @@ -3220,18 +3228,20 @@ msgstr "Xử lý các truy vấn tìm kiếm toàn cầu." #: engine/core/views.py:289 msgid "Handles the logic of buying as a business without registration." msgstr "" -"Xử lý logic của việc mua hàng như một hoạt động kinh doanh mà không cần đăng" -" ký." +"Xử lý logic của việc mua hàng như một hoạt động kinh doanh mà không cần đăng " +"ký." #: engine/core/views.py:337 msgid "" "Handles the downloading of a digital asset associated with an order.\n" -"This function attempts to serve the digital asset file located in the storage directory of the project. If the file is not found, an HTTP 404 error is raised to indicate the resource is unavailable." +"This function attempts to serve the digital asset file located in the " +"storage directory of the project. If the file is not found, an HTTP 404 " +"error is raised to indicate the resource is unavailable." msgstr "" "Xử lý việc tải xuống tài sản kỹ thuật số liên quan đến một đơn hàng. Chức " -"năng này cố gắng cung cấp tệp tài sản kỹ thuật số được lưu trữ trong thư mục" -" lưu trữ của dự án. Nếu tệp không được tìm thấy, một lỗi HTTP 404 sẽ được " -"trả về để thông báo rằng tài nguyên không khả dụng." +"năng này cố gắng cung cấp tệp tài sản kỹ thuật số được lưu trữ trong thư mục " +"lưu trữ của dự án. Nếu tệp không được tìm thấy, một lỗi HTTP 404 sẽ được trả " +"về để thông báo rằng tài nguyên không khả dụng." #: engine/core/views.py:348 msgid "order_product_uuid is required" @@ -3247,8 +3257,7 @@ msgstr "Bạn chỉ có thể tải xuống tài sản kỹ thuật số một l #: engine/core/views.py:362 msgid "the order must be paid before downloading the digital asset" -msgstr "" -"Đơn hàng phải được thanh toán trước khi tải xuống tài sản kỹ thuật số." +msgstr "Đơn hàng phải được thanh toán trước khi tải xuống tài sản kỹ thuật số." #: engine/core/views.py:369 msgid "the order product does not have a product" @@ -3261,23 +3270,24 @@ msgstr "Biểu tượng trang web không tìm thấy" #: engine/core/views.py:418 msgid "" "Handles requests for the favicon of a website.\n" -"This function attempts to serve the favicon file located in the static directory of the project. If the favicon file is not found, an HTTP 404 error is raised to indicate the resource is unavailable." +"This function attempts to serve the favicon file located in the static " +"directory of the project. If the favicon file is not found, an HTTP 404 " +"error is raised to indicate the resource is unavailable." msgstr "" -"Xử lý yêu cầu về biểu tượng favicon của một trang web. Chức năng này cố gắng" -" cung cấp tệp favicon nằm trong thư mục tĩnh của dự án. Nếu tệp favicon " -"không được tìm thấy, một lỗi HTTP 404 sẽ được trả về để thông báo rằng tài " -"nguyên không khả dụng." +"Xử lý yêu cầu về biểu tượng favicon của một trang web. Chức năng này cố gắng " +"cung cấp tệp favicon nằm trong thư mục tĩnh của dự án. Nếu tệp favicon không " +"được tìm thấy, một lỗi HTTP 404 sẽ được trả về để thông báo rằng tài nguyên " +"không khả dụng." #: engine/core/views.py:432 msgid "" -"Redirects the request to the admin index page. The function handles incoming" -" HTTP requests and redirects them to the Django admin interface index page. " +"Redirects the request to the admin index page. The function handles incoming " +"HTTP requests and redirects them to the Django admin interface index page. " "It uses Django's `redirect` function for handling the HTTP redirection." msgstr "" -"Chuyển hướng yêu cầu đến trang chỉ mục quản trị. Chức năng này xử lý các yêu" -" cầu HTTP đến và chuyển hướng chúng đến trang chỉ mục giao diện quản trị " -"Django. Nó sử dụng hàm `redirect` của Django để xử lý việc chuyển hướng " -"HTTP." +"Chuyển hướng yêu cầu đến trang chỉ mục quản trị. Chức năng này xử lý các yêu " +"cầu HTTP đến và chuyển hướng chúng đến trang chỉ mục giao diện quản trị " +"Django. Nó sử dụng hàm `redirect` của Django để xử lý việc chuyển hướng HTTP." #: engine/core/views.py:445 msgid "Returns current version of the eVibes. " @@ -3308,17 +3318,16 @@ msgstr "" #: engine/core/viewsets.py:160 msgid "" -"Represents a viewset for managing AttributeGroup objects. Handles operations" -" related to AttributeGroup, including filtering, serialization, and " -"retrieval of data. This class is part of the application's API layer and " -"provides a standardized way to process requests and responses for " -"AttributeGroup data." +"Represents a viewset for managing AttributeGroup objects. Handles operations " +"related to AttributeGroup, including filtering, serialization, and retrieval " +"of data. This class is part of the application's API layer and provides a " +"standardized way to process requests and responses for AttributeGroup data." msgstr "" "Đại diện cho một tập hợp các đối tượng để quản lý các đối tượng " "AttributeGroup. Xử lý các thao tác liên quan đến AttributeGroup, bao gồm " -"lọc, serialization và truy xuất dữ liệu. Lớp này là một phần của lớp API của" -" ứng dụng và cung cấp một cách chuẩn hóa để xử lý yêu cầu và phản hồi cho dữ" -" liệu AttributeGroup." +"lọc, serialization và truy xuất dữ liệu. Lớp này là một phần của lớp API của " +"ứng dụng và cung cấp một cách chuẩn hóa để xử lý yêu cầu và phản hồi cho dữ " +"liệu AttributeGroup." #: engine/core/viewsets.py:179 msgid "" @@ -3332,17 +3341,17 @@ msgstr "" "Quản lý các thao tác liên quan đến các đối tượng thuộc tính (Attribute) " "trong ứng dụng. Cung cấp một bộ các điểm cuối API để tương tác với dữ liệu " "thuộc tính. Lớp này quản lý việc truy vấn, lọc và serialization của các đối " -"tượng thuộc tính, cho phép kiểm soát động đối với dữ liệu được trả về, chẳng" -" hạn như lọc theo các trường cụ thể hoặc lấy thông tin chi tiết so với thông" -" tin đơn giản tùy thuộc vào yêu cầu." +"tượng thuộc tính, cho phép kiểm soát động đối với dữ liệu được trả về, chẳng " +"hạn như lọc theo các trường cụ thể hoặc lấy thông tin chi tiết so với thông " +"tin đơn giản tùy thuộc vào yêu cầu." #: engine/core/viewsets.py:198 msgid "" "A viewset for managing AttributeValue objects. This viewset provides " "functionality for listing, retrieving, creating, updating, and deleting " "AttributeValue objects. It integrates with Django REST Framework's viewset " -"mechanisms and uses appropriate serializers for different actions. Filtering" -" capabilities are provided through the DjangoFilterBackend." +"mechanisms and uses appropriate serializers for different actions. Filtering " +"capabilities are provided through the DjangoFilterBackend." msgstr "" "Bộ xem (viewset) để quản lý các đối tượng AttributeValue. Bộ xem này cung " "cấp các chức năng để liệt kê, truy xuất, tạo, cập nhật và xóa các đối tượng " @@ -3414,8 +3423,8 @@ msgid "" "Representation of a view set handling Feedback objects. This class manages " "operations related to Feedback objects, including listing, filtering, and " "retrieving details. The purpose of this view set is to provide different " -"serializers for different actions and implement permission-based handling of" -" accessible Feedback objects. It extends the base `EvibesViewSet` and makes " +"serializers for different actions and implement permission-based handling of " +"accessible Feedback objects. It extends the base `EvibesViewSet` and makes " "use of Django's filtering system for querying data." msgstr "" "Đại diện cho tập hợp các đối tượng Feedback. Lớp này quản lý các thao tác " @@ -3430,13 +3439,13 @@ msgid "" "ViewSet for managing orders and related operations. This class provides " "functionality to retrieve, modify, and manage order objects. It includes " "various endpoints for handling order operations such as adding or removing " -"products, performing purchases for registered as well as unregistered users," -" and retrieving the current authenticated user's pending orders. The ViewSet" -" uses multiple serializers based on the specific action being performed and " +"products, performing purchases for registered as well as unregistered users, " +"and retrieving the current authenticated user's pending orders. The ViewSet " +"uses multiple serializers based on the specific action being performed and " "enforces permissions accordingly while interacting with order data." msgstr "" -"ViewSet để quản lý đơn hàng và các hoạt động liên quan. Lớp này cung cấp các" -" chức năng để truy xuất, sửa đổi và quản lý các đối tượng đơn hàng. Nó bao " +"ViewSet để quản lý đơn hàng và các hoạt động liên quan. Lớp này cung cấp các " +"chức năng để truy xuất, sửa đổi và quản lý các đối tượng đơn hàng. Nó bao " "gồm các điểm cuối (endpoint) khác nhau để xử lý các hoạt động liên quan đến " "đơn hàng như thêm hoặc xóa sản phẩm, thực hiện giao dịch mua hàng cho cả " "người dùng đã đăng ký và chưa đăng ký, cũng như truy xuất các đơn hàng đang " @@ -3448,8 +3457,8 @@ msgstr "" msgid "" "Provides a viewset for managing OrderProduct entities. This viewset enables " "CRUD operations and custom actions specific to the OrderProduct model. It " -"includes filtering, permission checks, and serializer switching based on the" -" requested action. Additionally, it provides a detailed action for handling " +"includes filtering, permission checks, and serializer switching based on the " +"requested action. Additionally, it provides a detailed action for handling " "feedback on OrderProduct instances" msgstr "" "Cung cấp một bộ xem (viewset) để quản lý các thực thể OrderProduct. Bộ xem " @@ -3483,8 +3492,8 @@ msgstr "Quản lý các hoạt động liên quan đến dữ liệu kho trong h msgid "" "ViewSet for managing Wishlist operations. The WishlistViewSet provides " "endpoints for interacting with a user's wish list, allowing for the " -"retrieval, modification, and customization of products within the wish list." -" This ViewSet facilitates functionality such as adding, removing, and bulk " +"retrieval, modification, and customization of products within the wish list. " +"This ViewSet facilitates functionality such as adding, removing, and bulk " "actions for wishlist products. Permission checks are integrated to ensure " "that users can only manage their own wishlists unless explicit permissions " "are granted." @@ -3492,10 +3501,10 @@ msgstr "" "Bộ công cụ ViewSet để quản lý các thao tác liên quan đến Danh sách mong " "muốn. Bộ công cụ WishlistViewSet cung cấp các điểm cuối để tương tác với " "danh sách mong muốn của người dùng, cho phép truy xuất, chỉnh sửa và tùy " -"chỉnh các sản phẩm trong danh sách mong muốn. Bộ công cụ này hỗ trợ các chức" -" năng như thêm, xóa và thực hiện các thao tác hàng loạt đối với các sản phẩm" -" trong danh sách mong muốn. Các kiểm tra quyền truy cập được tích hợp để đảm" -" bảo rằng người dùng chỉ có thể quản lý danh sách mong muốn của chính mình " +"chỉnh các sản phẩm trong danh sách mong muốn. Bộ công cụ này hỗ trợ các chức " +"năng như thêm, xóa và thực hiện các thao tác hàng loạt đối với các sản phẩm " +"trong danh sách mong muốn. Các kiểm tra quyền truy cập được tích hợp để đảm " +"bảo rằng người dùng chỉ có thể quản lý danh sách mong muốn của chính mình " "trừ khi được cấp quyền rõ ràng." #: engine/core/viewsets.py:1183 @@ -3507,8 +3516,8 @@ msgid "" "on the request context." msgstr "" "Lớp này cung cấp chức năng viewset để quản lý các đối tượng `Address`. Lớp " -"AddressViewSet cho phép thực hiện các thao tác CRUD, lọc dữ liệu và các hành" -" động tùy chỉnh liên quan đến các thực thể địa chỉ. Nó bao gồm các hành vi " +"AddressViewSet cho phép thực hiện các thao tác CRUD, lọc dữ liệu và các hành " +"động tùy chỉnh liên quan đến các thực thể địa chỉ. Nó bao gồm các hành vi " "chuyên biệt cho các phương thức HTTP khác nhau, các tùy chỉnh serializer và " "xử lý quyền truy cập dựa trên bối cảnh yêu cầu." @@ -3525,8 +3534,8 @@ msgid "" "using the specified filter backend and dynamically uses different " "serializers based on the action being performed." msgstr "" -"Xử lý các tác vụ liên quan đến Thẻ Sản phẩm trong ứng dụng. Lớp này cung cấp" -" chức năng để truy xuất, lọc và serialize các đối tượng Thẻ Sản phẩm. Nó hỗ " +"Xử lý các tác vụ liên quan đến Thẻ Sản phẩm trong ứng dụng. Lớp này cung cấp " +"chức năng để truy xuất, lọc và serialize các đối tượng Thẻ Sản phẩm. Nó hỗ " "trợ lọc linh hoạt trên các thuộc tính cụ thể bằng cách sử dụng backend lọc " "được chỉ định và động sử dụng các serializer khác nhau tùy thuộc vào hành " "động đang thực hiện." diff --git a/engine/core/locale/zh_Hans/LC_MESSAGES/django.mo b/engine/core/locale/zh_Hans/LC_MESSAGES/django.mo index 7cdb0f3e455035cbac0ca0e67ae80c65d02b1dbb..61304a55a6978c371bb106005c0f8380ae934afb 100644 GIT binary patch delta 18 acmccC#ColXbwkuKW-~p*&9TRRRsjG_wFqng delta 18 acmccC#ColXbwkuKW>Y\n" "Language-Team: BRITISH ENGLISH \n" @@ -89,8 +89,8 @@ msgstr "停用选定的 %(verbose_name_plural)s" msgid "selected items have been deactivated." msgstr "选定项目已停用!" -#: engine/core/admin.py:196 engine/core/graphene/object_types.py:652 -#: engine/core/graphene/object_types.py:659 engine/core/models.py:825 +#: engine/core/admin.py:196 engine/core/graphene/object_types.py:653 +#: engine/core/graphene/object_types.py:660 engine/core/models.py:825 #: engine/core/models.py:833 msgid "attribute value" msgstr "属性值" @@ -104,7 +104,7 @@ msgstr "属性值" msgid "image" msgstr "图片" -#: engine/core/admin.py:209 engine/core/graphene/object_types.py:529 +#: engine/core/admin.py:209 engine/core/graphene/object_types.py:530 msgid "images" msgstr "图片" @@ -112,7 +112,7 @@ msgstr "图片" msgid "stock" msgstr "库存" -#: engine/core/admin.py:221 engine/core/graphene/object_types.py:712 +#: engine/core/admin.py:221 engine/core/graphene/object_types.py:713 msgid "stocks" msgstr "股票" @@ -120,7 +120,7 @@ msgstr "股票" msgid "order product" msgstr "订购产品" -#: engine/core/admin.py:233 engine/core/graphene/object_types.py:440 +#: engine/core/admin.py:233 engine/core/graphene/object_types.py:441 #: engine/core/models.py:1932 msgid "order products" msgstr "订购产品" @@ -348,8 +348,8 @@ msgstr "重写现有类别的某些字段,保存不可编辑内容" #: engine/core/docs/drf/viewsets.py:280 engine/core/docs/drf/viewsets.py:757 #: engine/core/docs/drf/viewsets.py:1046 #: engine/core/graphene/object_types.py:119 -#: engine/core/graphene/object_types.py:238 -#: engine/core/graphene/object_types.py:539 +#: engine/core/graphene/object_types.py:239 +#: engine/core/graphene/object_types.py:540 msgid "SEO Meta snapshot" msgstr "搜索引擎优化元快照" @@ -1178,8 +1178,8 @@ msgid "elasticsearch - works like a charm" msgstr "ElasticSearch - 工作起来得心应手" #: engine/core/graphene/object_types.py:84 -#: engine/core/graphene/object_types.py:419 -#: engine/core/graphene/object_types.py:470 engine/core/models.py:796 +#: engine/core/graphene/object_types.py:420 +#: engine/core/graphene/object_types.py:471 engine/core/models.py:796 #: engine/core/models.py:1290 engine/core/models.py:2022 msgid "attributes" msgstr "属性" @@ -1193,8 +1193,8 @@ msgid "groups of attributes" msgstr "属性组" #: engine/core/graphene/object_types.py:118 -#: engine/core/graphene/object_types.py:216 -#: engine/core/graphene/object_types.py:254 engine/core/models.py:440 +#: engine/core/graphene/object_types.py:217 +#: engine/core/graphene/object_types.py:255 engine/core/models.py:440 msgid "categories" msgstr "类别" @@ -1202,131 +1202,131 @@ msgstr "类别" msgid "brands" msgstr "品牌" -#: engine/core/graphene/object_types.py:218 +#: engine/core/graphene/object_types.py:219 msgid "category image url" msgstr "类别" -#: engine/core/graphene/object_types.py:219 -#: engine/core/graphene/object_types.py:364 engine/core/models.py:278 +#: engine/core/graphene/object_types.py:220 +#: engine/core/graphene/object_types.py:365 engine/core/models.py:278 msgid "markup percentage" msgstr "加价百分比" -#: engine/core/graphene/object_types.py:223 +#: engine/core/graphene/object_types.py:224 msgid "which attributes and values can be used for filtering this category." msgstr "哪些属性和值可用于筛选该类别。" -#: engine/core/graphene/object_types.py:229 +#: engine/core/graphene/object_types.py:230 msgid "" "minimum and maximum prices for products in this category, if available." msgstr "该类别产品的最低和最高价格(如有)。" -#: engine/core/graphene/object_types.py:233 +#: engine/core/graphene/object_types.py:234 msgid "tags for this category" msgstr "此类别的标签" -#: engine/core/graphene/object_types.py:236 +#: engine/core/graphene/object_types.py:237 msgid "products in this category" msgstr "该类别中的产品" -#: engine/core/graphene/object_types.py:371 engine/core/models.py:183 +#: engine/core/graphene/object_types.py:372 engine/core/models.py:183 msgid "vendors" msgstr "供应商" -#: engine/core/graphene/object_types.py:375 +#: engine/core/graphene/object_types.py:376 msgid "Latitude (Y coordinate)" msgstr "纬度(Y 坐标)" -#: engine/core/graphene/object_types.py:376 +#: engine/core/graphene/object_types.py:377 msgid "Longitude (X coordinate)" msgstr "经度(X 坐标)" -#: engine/core/graphene/object_types.py:405 +#: engine/core/graphene/object_types.py:406 msgid "comment" msgstr "如何" -#: engine/core/graphene/object_types.py:407 -#: engine/core/graphene/object_types.py:541 +#: engine/core/graphene/object_types.py:408 +#: engine/core/graphene/object_types.py:542 msgid "rating value from 1 to 10, inclusive, or 0 if not set." msgstr "评级值从 1 到 10(包括 10),如果未设置,则为 0。" -#: engine/core/graphene/object_types.py:415 +#: engine/core/graphene/object_types.py:416 msgid "represents feedback from a user." msgstr "代表用户的反馈意见。" -#: engine/core/graphene/object_types.py:420 -#: engine/core/graphene/object_types.py:471 engine/core/models.py:1284 +#: engine/core/graphene/object_types.py:421 +#: engine/core/graphene/object_types.py:472 engine/core/models.py:1284 msgid "notifications" msgstr "通知" -#: engine/core/graphene/object_types.py:422 +#: engine/core/graphene/object_types.py:423 msgid "download url for this order product if applicable" msgstr "此订单产品的下载网址(如适用" -#: engine/core/graphene/object_types.py:424 engine/core/models.py:1849 +#: engine/core/graphene/object_types.py:425 engine/core/models.py:1849 msgid "feedback" msgstr "反馈意见" -#: engine/core/graphene/object_types.py:458 +#: engine/core/graphene/object_types.py:459 msgid "a list of order products in this order" msgstr "该订单中的订单产品列表" -#: engine/core/graphene/object_types.py:460 engine/core/models.py:1254 +#: engine/core/graphene/object_types.py:461 engine/core/models.py:1254 msgid "billing address" msgstr "账单地址" -#: engine/core/graphene/object_types.py:464 +#: engine/core/graphene/object_types.py:465 msgid "" "shipping address for this order, leave blank if same as billing address or " "if not applicable" msgstr "此订单的送货地址,如果与账单地址相同或不适用,请留空" -#: engine/core/graphene/object_types.py:467 +#: engine/core/graphene/object_types.py:468 msgid "total price of this order" msgstr "订单总价" -#: engine/core/graphene/object_types.py:468 +#: engine/core/graphene/object_types.py:469 msgid "total quantity of products in order" msgstr "订单中产品的总数量" -#: engine/core/graphene/object_types.py:469 +#: engine/core/graphene/object_types.py:470 msgid "are all products in the order digital" msgstr "订单中的所有产品都是数字产品吗?" -#: engine/core/graphene/object_types.py:473 +#: engine/core/graphene/object_types.py:474 msgid "transactions for this order" msgstr "此订单的交易" -#: engine/core/graphene/object_types.py:493 engine/core/models.py:1318 +#: engine/core/graphene/object_types.py:494 engine/core/models.py:1318 msgid "orders" msgstr "订单" -#: engine/core/graphene/object_types.py:514 +#: engine/core/graphene/object_types.py:515 msgid "image url" msgstr "图片 URL" -#: engine/core/graphene/object_types.py:521 +#: engine/core/graphene/object_types.py:522 msgid "product's images" msgstr "产品图片" -#: engine/core/graphene/object_types.py:528 engine/core/models.py:439 +#: engine/core/graphene/object_types.py:529 engine/core/models.py:439 #: engine/core/models.py:596 msgid "category" msgstr "类别" -#: engine/core/graphene/object_types.py:530 engine/core/models.py:1850 +#: engine/core/graphene/object_types.py:531 engine/core/models.py:1850 msgid "feedbacks" msgstr "反馈意见" -#: engine/core/graphene/object_types.py:531 engine/core/models.py:510 +#: engine/core/graphene/object_types.py:532 engine/core/models.py:510 #: engine/core/models.py:605 msgid "brand" msgstr "品牌" -#: engine/core/graphene/object_types.py:533 engine/core/models.py:103 +#: engine/core/graphene/object_types.py:534 engine/core/models.py:103 msgid "attribute groups" msgstr "属性组" -#: engine/core/graphene/object_types.py:535 +#: engine/core/graphene/object_types.py:536 #: engine/core/templates/digital_order_created_email.html:111 #: engine/core/templates/digital_order_delivered_email.html:109 #: engine/core/templates/shipped_order_created_email.html:109 @@ -1334,7 +1334,7 @@ msgstr "属性组" msgid "price" msgstr "价格" -#: engine/core/graphene/object_types.py:536 +#: engine/core/graphene/object_types.py:537 #: engine/core/templates/digital_order_created_email.html:110 #: engine/core/templates/digital_order_delivered_email.html:108 #: engine/core/templates/shipped_order_created_email.html:108 @@ -1342,39 +1342,39 @@ msgstr "价格" msgid "quantity" msgstr "数量" -#: engine/core/graphene/object_types.py:537 +#: engine/core/graphene/object_types.py:538 msgid "number of feedbacks" msgstr "反馈数量" -#: engine/core/graphene/object_types.py:538 +#: engine/core/graphene/object_types.py:539 msgid "only available for personal orders" msgstr "仅限个人订购的产品" -#: engine/core/graphene/object_types.py:543 +#: engine/core/graphene/object_types.py:544 msgid "discount price" msgstr "折扣价" -#: engine/core/graphene/object_types.py:567 engine/core/models.py:677 +#: engine/core/graphene/object_types.py:568 engine/core/models.py:677 msgid "products" msgstr "产品" -#: engine/core/graphene/object_types.py:677 +#: engine/core/graphene/object_types.py:678 msgid "promocodes" msgstr "促销代码" -#: engine/core/graphene/object_types.py:692 +#: engine/core/graphene/object_types.py:693 msgid "products on sale" msgstr "销售产品" -#: engine/core/graphene/object_types.py:700 engine/core/models.py:928 +#: engine/core/graphene/object_types.py:701 engine/core/models.py:928 msgid "promotions" msgstr "促销活动" -#: engine/core/graphene/object_types.py:704 engine/core/models.py:182 +#: engine/core/graphene/object_types.py:705 engine/core/models.py:182 msgid "vendor" msgstr "供应商" -#: engine/core/graphene/object_types.py:705 engine/core/models.py:676 +#: engine/core/graphene/object_types.py:706 engine/core/models.py:676 #: engine/core/templates/digital_order_created_email.html:109 #: engine/core/templates/digital_order_delivered_email.html:107 #: engine/core/templates/shipped_order_created_email.html:107 @@ -1382,98 +1382,98 @@ msgstr "供应商" msgid "product" msgstr "产品" -#: engine/core/graphene/object_types.py:717 engine/core/models.py:951 +#: engine/core/graphene/object_types.py:718 engine/core/models.py:951 msgid "wishlisted products" msgstr "心愿单上的产品" -#: engine/core/graphene/object_types.py:724 engine/core/models.py:968 +#: engine/core/graphene/object_types.py:725 engine/core/models.py:968 msgid "wishlists" msgstr "愿望清单" -#: engine/core/graphene/object_types.py:729 +#: engine/core/graphene/object_types.py:730 msgid "tagged products" msgstr "标签产品" -#: engine/core/graphene/object_types.py:737 engine/core/models.py:219 +#: engine/core/graphene/object_types.py:738 engine/core/models.py:219 #: engine/core/models.py:611 msgid "product tags" msgstr "产品标签" -#: engine/core/graphene/object_types.py:742 +#: engine/core/graphene/object_types.py:743 msgid "tagged categories" msgstr "标签类别" -#: engine/core/graphene/object_types.py:750 +#: engine/core/graphene/object_types.py:751 msgid "categories tags" msgstr "类别标签" -#: engine/core/graphene/object_types.py:754 +#: engine/core/graphene/object_types.py:755 msgid "project name" msgstr "项目名称" -#: engine/core/graphene/object_types.py:755 +#: engine/core/graphene/object_types.py:756 msgid "company name" msgstr "公司名称" -#: engine/core/graphene/object_types.py:756 +#: engine/core/graphene/object_types.py:757 msgid "company address" msgstr "公司地址" -#: engine/core/graphene/object_types.py:757 +#: engine/core/graphene/object_types.py:758 msgid "company phone number" msgstr "公司电话号码" -#: engine/core/graphene/object_types.py:760 +#: engine/core/graphene/object_types.py:761 msgid "email from, sometimes it must be used instead of host user value" msgstr "电子邮件来自\",有时必须使用它来代替主机用户值" -#: engine/core/graphene/object_types.py:763 +#: engine/core/graphene/object_types.py:764 msgid "email host user" msgstr "电子邮件主机用户" -#: engine/core/graphene/object_types.py:764 +#: engine/core/graphene/object_types.py:765 msgid "maximum amount for payment" msgstr "最高付款额" -#: engine/core/graphene/object_types.py:765 +#: engine/core/graphene/object_types.py:766 msgid "minimum amount for payment" msgstr "最低付款额" -#: engine/core/graphene/object_types.py:766 +#: engine/core/graphene/object_types.py:767 msgid "analytics data" msgstr "分析数据" -#: engine/core/graphene/object_types.py:767 +#: engine/core/graphene/object_types.py:768 msgid "advertisement data" msgstr "广告数据" -#: engine/core/graphene/object_types.py:770 +#: engine/core/graphene/object_types.py:771 msgid "company configuration" msgstr "配置" -#: engine/core/graphene/object_types.py:774 +#: engine/core/graphene/object_types.py:775 msgid "language code" msgstr "语言代码" -#: engine/core/graphene/object_types.py:775 +#: engine/core/graphene/object_types.py:776 msgid "language name" msgstr "语言名称" -#: engine/core/graphene/object_types.py:776 +#: engine/core/graphene/object_types.py:777 msgid "language flag, if exists :)" msgstr "语言标志(如果有):)" -#: engine/core/graphene/object_types.py:779 +#: engine/core/graphene/object_types.py:780 msgid "supported languages" msgstr "获取支持的语言列表" -#: engine/core/graphene/object_types.py:811 -#: engine/core/graphene/object_types.py:814 -#: engine/core/graphene/object_types.py:817 +#: engine/core/graphene/object_types.py:812 +#: engine/core/graphene/object_types.py:815 +#: engine/core/graphene/object_types.py:818 msgid "products search results" msgstr "产品搜索结果" -#: engine/core/graphene/object_types.py:819 +#: engine/core/graphene/object_types.py:820 msgid "posts search results" msgstr "产品搜索结果" diff --git a/engine/core/management/commands/check_translated.py b/engine/core/management/commands/check_translated.py index d496c2f2..2258f7b6 100644 --- a/engine/core/management/commands/check_translated.py +++ b/engine/core/management/commands/check_translated.py @@ -117,7 +117,12 @@ class Command(BaseCommand): app_issues: list[str] = [] for lang in langs: + # Convert "ar-ar" to "ar_AR", "de-de" to "de_DE", "pt-br" to "pt_BR", etc. loc = lang.replace("-", "_") + if "_" in loc: + lang_part, country_part = loc.split("_", 1) + loc = f"{lang_part.lower()}_{country_part.upper()}" + po_path = os.path.join( app_conf.path, "locale", loc, "LC_MESSAGES", "django.po" ) diff --git a/engine/core/management/commands/deepl_translate.py b/engine/core/management/commands/deepl_translate.py index 416ba8b2..dfef27b1 100644 --- a/engine/core/management/commands/deepl_translate.py +++ b/engine/core/management/commands/deepl_translate.py @@ -201,10 +201,16 @@ class Command(BaseCommand): entries = [e for e in en_po if e.msgid and not e.obsolete] source_map = {e.msgid: e.msgstr for e in entries} + # Convert "ar-ar" to "ar_AR", "de-de" to "de_DE", "pt-br" to "pt_BR", etc. + locale_dir = target_lang.replace("-", "_") + if "_" in locale_dir: + lang, country = locale_dir.split("_", 1) + locale_dir = f"{lang.lower()}_{country.upper() if 'hans' not in country.lower() else 'Hans'}" + tgt_dir = os.path.join( app_conf.path, "locale", - target_lang.replace("-", "_"), + locale_dir, "LC_MESSAGES", ) os.makedirs(tgt_dir, exist_ok=True) diff --git a/engine/payments/locale/ar_AR/LC_MESSAGES/django.mo b/engine/payments/locale/ar_AR/LC_MESSAGES/django.mo index e0ec89caba9ad6084e9e555f51784208c230a439..d992cc605959e77291e2ecb8f08a331d75fc848d 100644 GIT binary patch delta 16 Xcmca;bJ1plDIc?$p5bN-K1l%pGcN?l delta 16 Xcmca;bJ1plDIc?`p2=nlK1l%pGdTpx diff --git a/engine/payments/locale/ar_AR/LC_MESSAGES/django.po b/engine/payments/locale/ar_AR/LC_MESSAGES/django.po index 68ec93a7..197e386c 100644 --- a/engine/payments/locale/ar_AR/LC_MESSAGES/django.po +++ b/engine/payments/locale/ar_AR/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:38+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" diff --git a/engine/payments/locale/cs_CZ/LC_MESSAGES/django.mo b/engine/payments/locale/cs_CZ/LC_MESSAGES/django.mo index 20188ba7d32621e4dbebf7e7a7e9ce7934d4baad..1e660dccb319c13a527711bc89701d3ed1b6bc91 100644 GIT binary patch delta 16 XcmdmJve9INDIc?$p5bN-zMtFxFiHhe delta 16 XcmdmJve9INDIc?`p2=nlzMtFxFjNIq diff --git a/engine/payments/locale/cs_CZ/LC_MESSAGES/django.po b/engine/payments/locale/cs_CZ/LC_MESSAGES/django.po index de54e64c..b928084b 100644 --- a/engine/payments/locale/cs_CZ/LC_MESSAGES/django.po +++ b/engine/payments/locale/cs_CZ/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:38+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" diff --git a/engine/payments/locale/da_DK/LC_MESSAGES/django.mo b/engine/payments/locale/da_DK/LC_MESSAGES/django.mo index 628af975b5535598b3f737922bdd0662a8a35a67..8dd26ab7ef78ffc11e8df70df40a8df9b44d2a0a 100644 GIT binary patch delta 16 XcmbPfGSg&(DIc?$p5bN-zK7fZElLFo delta 16 XcmbPfGSg&(DIc?`p2=nlzK7fZEmQ>! diff --git a/engine/payments/locale/da_DK/LC_MESSAGES/django.po b/engine/payments/locale/da_DK/LC_MESSAGES/django.po index 60f56114..99d64984 100644 --- a/engine/payments/locale/da_DK/LC_MESSAGES/django.po +++ b/engine/payments/locale/da_DK/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:38+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" diff --git a/engine/payments/locale/de_DE/LC_MESSAGES/django.mo b/engine/payments/locale/de_DE/LC_MESSAGES/django.mo index db544b472a79f1b10d33cbb205008ade967cb590..fdbdb52de7cfa1d0ee24f6eba4e1028a49795346 100644 GIT binary patch delta 16 XcmeA->o?nA%ExS`XSmsd?>Y|vEJFnH delta 16 XcmeA->o?nA%ExS~XR_IX?>Y|vEKLOT diff --git a/engine/payments/locale/de_DE/LC_MESSAGES/django.po b/engine/payments/locale/de_DE/LC_MESSAGES/django.po index 7c83ca80..125a9e25 100644 --- a/engine/payments/locale/de_DE/LC_MESSAGES/django.po +++ b/engine/payments/locale/de_DE/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:38+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" diff --git a/engine/payments/locale/en_GB/LC_MESSAGES/django.mo b/engine/payments/locale/en_GB/LC_MESSAGES/django.mo index fc9c3ce83c01df251df4cd55c4d5ecb23e396429..72852c679e6e0e92c50e9eab13513eeb7a52d1e8 100644 GIT binary patch delta 16 XcmdmFw8?0LDIc?$p5bN-zF%AbFfj#D delta 16 XcmdmFw8?0LDIc?`p2=nlzF%AbFgpcP diff --git a/engine/payments/locale/en_GB/LC_MESSAGES/django.po b/engine/payments/locale/en_GB/LC_MESSAGES/django.po index a34bffcf..0d4bcb0f 100644 --- a/engine/payments/locale/en_GB/LC_MESSAGES/django.po +++ b/engine/payments/locale/en_GB/LC_MESSAGES/django.po @@ -5,7 +5,7 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:38+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" diff --git a/engine/payments/locale/en_US/LC_MESSAGES/django.mo b/engine/payments/locale/en_US/LC_MESSAGES/django.mo index f5c0574e52f199c46982aba104ecfcb40815a549..b7263d76496338606f704c0b93db26f49d6feed3 100644 GIT binary patch delta 16 XcmZ2xw9IIODIc?$p5bN-zIR*zF0lnI delta 16 XcmZ2xw9IIODIc?`p2=nlzIR*zF1rOU diff --git a/engine/payments/locale/en_US/LC_MESSAGES/django.po b/engine/payments/locale/en_US/LC_MESSAGES/django.po index adc82922..451a4779 100644 --- a/engine/payments/locale/en_US/LC_MESSAGES/django.po +++ b/engine/payments/locale/en_US/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:38+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" diff --git a/engine/payments/locale/es_ES/LC_MESSAGES/django.mo b/engine/payments/locale/es_ES/LC_MESSAGES/django.mo index 3700eded4c476f0966273d720f3a8c63f1656822..075c29345cbda02ac8ef42edb4b914531344f9a7 100644 GIT binary patch delta 16 XcmZoOYctzm%ExS`XSmsd?;H;RDvz diff --git a/engine/payments/locale/id_ID/LC_MESSAGES/django.po b/engine/payments/locale/id_ID/LC_MESSAGES/django.po index 0070c758..a5fab24f 100644 --- a/engine/payments/locale/id_ID/LC_MESSAGES/django.po +++ b/engine/payments/locale/id_ID/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:38+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" diff --git a/engine/payments/locale/it_IT/LC_MESSAGES/django.mo b/engine/payments/locale/it_IT/LC_MESSAGES/django.mo index 448ba1869cb132c8779ce8bd878d8d4abaa8845f..f34f93cd51d34e24225c95dfa27f139eecbae9a6 100644 GIT binary patch delta 16 XcmZ2&y4rMuDIc?$p5bN-zG5B#E~f;< delta 16 XcmZ2&y4rMuDIc?`p2=nlzG5B#F0lm0 diff --git a/engine/payments/locale/it_IT/LC_MESSAGES/django.po b/engine/payments/locale/it_IT/LC_MESSAGES/django.po index 4c842607..1186c6c3 100644 --- a/engine/payments/locale/it_IT/LC_MESSAGES/django.po +++ b/engine/payments/locale/it_IT/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:38+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" diff --git a/engine/payments/locale/ja_JP/LC_MESSAGES/django.mo b/engine/payments/locale/ja_JP/LC_MESSAGES/django.mo index 9fadada51f84ed572f15bcda34f1be045cb9906b..bf301a3408e244978fd505edc29a76da7f62c765 100644 GIT binary patch delta 16 XcmaE5@ycR@DIc?$p5bN-J|jK=HQfaX delta 16 XcmaE5@ycR@DIc?`p2=nlJ|jK=HRlBj diff --git a/engine/payments/locale/ja_JP/LC_MESSAGES/django.po b/engine/payments/locale/ja_JP/LC_MESSAGES/django.po index 415d7e22..1b985535 100644 --- a/engine/payments/locale/ja_JP/LC_MESSAGES/django.po +++ b/engine/payments/locale/ja_JP/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:38+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" diff --git a/engine/payments/locale/kk_KZ/LC_MESSAGES/django.mo b/engine/payments/locale/kk_KZ/LC_MESSAGES/django.mo index 7640ce0078328b8d3c57147021d7d1b23f128abd..9964f0bf6f21a7376a5f3b631dd55508538e3d72 100644 GIT binary patch delta 14 VcmaFP^qgrzIJ23a;l?OlMgS-41Zw~Q delta 14 VcmaFP^qgrzIJ2pq$;K#NMgS-C1Z@BS diff --git a/engine/payments/locale/kk_KZ/LC_MESSAGES/django.po b/engine/payments/locale/kk_KZ/LC_MESSAGES/django.po index 0f5ecea4..e7190169 100644 --- a/engine/payments/locale/kk_KZ/LC_MESSAGES/django.po +++ b/engine/payments/locale/kk_KZ/LC_MESSAGES/django.po @@ -5,7 +5,7 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:38+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" diff --git a/engine/payments/locale/ko_KR/LC_MESSAGES/django.mo b/engine/payments/locale/ko_KR/LC_MESSAGES/django.mo index a46491ded132e5844b92c0839e7995396d084d84..b8330561c240454be37eb52c28958128323d59bf 100644 GIT binary patch delta 16 XcmbPeHqmT@DIc?$p5bN-zMDJ%EQ192 delta 16 XcmbPeHqmT@DIc?`p2=nlzMDJ%ER6*E diff --git a/engine/payments/locale/ko_KR/LC_MESSAGES/django.po b/engine/payments/locale/ko_KR/LC_MESSAGES/django.po index 098bb4a9..f85e7c01 100644 --- a/engine/payments/locale/ko_KR/LC_MESSAGES/django.po +++ b/engine/payments/locale/ko_KR/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:38+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" diff --git a/engine/payments/locale/nl_NL/LC_MESSAGES/django.mo b/engine/payments/locale/nl_NL/LC_MESSAGES/django.mo index d8375f10ccd034dfce254abe2ea3b541d03954d8..7c69a7098e47f160175cbbd1ed01ec2265bc278f 100644 GIT binary patch delta 16 XcmZ2zve0CMDIc?$p5bN-zL(qpE=mO> delta 16 XcmZ2zve0CMDIc?`p2=nlzL(qpE>s02 diff --git a/engine/payments/locale/nl_NL/LC_MESSAGES/django.po b/engine/payments/locale/nl_NL/LC_MESSAGES/django.po index b70a61cb..cb0a9d88 100644 --- a/engine/payments/locale/nl_NL/LC_MESSAGES/django.po +++ b/engine/payments/locale/nl_NL/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:38+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" diff --git a/engine/payments/locale/no_NO/LC_MESSAGES/django.mo b/engine/payments/locale/no_NO/LC_MESSAGES/django.mo index ab410eb92f2cc20aeea77484144650e6eb7d20f6..a99e14baa7d57a544dc3b1dea76dffc9363f5dc5 100644 GIT binary patch delta 16 Xcmexk{Kt5MDIc?$p5bN-z9ZZKIF1Ff delta 16 Xcmexk{Kt5MDIc?`p2=nlz9ZZKIG6>r diff --git a/engine/payments/locale/no_NO/LC_MESSAGES/django.po b/engine/payments/locale/no_NO/LC_MESSAGES/django.po index 3865c0ec..c6460b48 100644 --- a/engine/payments/locale/no_NO/LC_MESSAGES/django.po +++ b/engine/payments/locale/no_NO/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:38+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" diff --git a/engine/payments/locale/pl_PL/LC_MESSAGES/django.mo b/engine/payments/locale/pl_PL/LC_MESSAGES/django.mo index c0e65b084962576c65471e4c9034d15e1d0eed1c..3a7dd23db29ab0ecd99a6f347512f90f262a6138 100644 GIT binary patch delta 16 XcmX?Za@=HtDIc?$p5bN-K7JkmF$)Bi delta 16 XcmX?Za@=HtDIc?`p2=nlK7JkmF%<-u diff --git a/engine/payments/locale/pl_PL/LC_MESSAGES/django.po b/engine/payments/locale/pl_PL/LC_MESSAGES/django.po index de952c7e..9286382d 100644 --- a/engine/payments/locale/pl_PL/LC_MESSAGES/django.po +++ b/engine/payments/locale/pl_PL/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:38+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" diff --git a/engine/payments/locale/pt_BR/LC_MESSAGES/django.mo b/engine/payments/locale/pt_BR/LC_MESSAGES/django.mo index 10e52b42a4a626a8fd593d9edc4b5d8fc75bc9fa..08993ac4b2cd16360df0ee1f39e19c46e259b819 100644 GIT binary patch delta 16 XcmX?QddhTzDIc?$p5bN-zDYa)GKU2r delta 16 XcmX?QddhTzDIc?`p2=nlzDYa)GLZ!% diff --git a/engine/payments/locale/pt_BR/LC_MESSAGES/django.po b/engine/payments/locale/pt_BR/LC_MESSAGES/django.po index e3a50ce7..5a214174 100644 --- a/engine/payments/locale/pt_BR/LC_MESSAGES/django.po +++ b/engine/payments/locale/pt_BR/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:38+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" diff --git a/engine/payments/locale/ro_RO/LC_MESSAGES/django.mo b/engine/payments/locale/ro_RO/LC_MESSAGES/django.mo index 8dfd523a089264f4e78b72fb868df76ebab3fbb7..b49eb1bea46beaa05fd43e59c80bc9c354616b6f 100644 GIT binary patch delta 16 XcmbPdI?r^2DIc?$p5bN-zBC>HEe8ah delta 16 XcmbPdI?r^2DIc?`p2=nlzBC>HEfEBt diff --git a/engine/payments/locale/ro_RO/LC_MESSAGES/django.po b/engine/payments/locale/ro_RO/LC_MESSAGES/django.po index a3a0baf9..2f2d2566 100644 --- a/engine/payments/locale/ro_RO/LC_MESSAGES/django.po +++ b/engine/payments/locale/ro_RO/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:38+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" diff --git a/engine/payments/locale/ru_RU/LC_MESSAGES/django.mo b/engine/payments/locale/ru_RU/LC_MESSAGES/django.mo index d0753975d1bfd9015c321f49ffa611e94f904dfd..7cecbf17ac53a81dcbc546e2e48a19e2052fa3b0 100644 GIT binary patch delta 16 XcmX@*e9C!)DIc?$p5bN-zDdFWG!_L! delta 16 XcmX@*e9C!)DIc?`p2=nlzDdFWG#~{= diff --git a/engine/payments/locale/ru_RU/LC_MESSAGES/django.po b/engine/payments/locale/ru_RU/LC_MESSAGES/django.po index ded185bf..ee4c1962 100644 --- a/engine/payments/locale/ru_RU/LC_MESSAGES/django.po +++ b/engine/payments/locale/ru_RU/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:38+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" diff --git a/engine/payments/locale/sv_SE/LC_MESSAGES/django.mo b/engine/payments/locale/sv_SE/LC_MESSAGES/django.mo index 0af63c62abcf9184bd825768ddfed20e790dfc48..8e425615b2e5d05bc55127e9ba181f8fe6753d65 100644 GIT binary patch delta 16 Xcmca-a?fOgDIc?$p5bN-J~bWyGwTG~ delta 16 Xcmca-a?fOgDIc?`p2=nlJ~bWyGxY@B diff --git a/engine/payments/locale/sv_SE/LC_MESSAGES/django.po b/engine/payments/locale/sv_SE/LC_MESSAGES/django.po index 200632cb..0aedf8ab 100644 --- a/engine/payments/locale/sv_SE/LC_MESSAGES/django.po +++ b/engine/payments/locale/sv_SE/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:38+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" diff --git a/engine/payments/locale/th_TH/LC_MESSAGES/django.mo b/engine/payments/locale/th_TH/LC_MESSAGES/django.mo index d6067573cb1316878dc9a09254d7f828f1486502..b65d34e9ae6f519e02b4da3d1bb4e17297044eba 100644 GIT binary patch delta 16 Xcmdn)zukX>DIc?$p5bN-zIsUjGYkbO delta 16 Xcmdn)zukX>DIc?`p2=nlzIsUjGZqCa diff --git a/engine/payments/locale/th_TH/LC_MESSAGES/django.po b/engine/payments/locale/th_TH/LC_MESSAGES/django.po index 4d5bfc8f..f75e801e 100644 --- a/engine/payments/locale/th_TH/LC_MESSAGES/django.po +++ b/engine/payments/locale/th_TH/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:38+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" diff --git a/engine/payments/locale/tr_TR/LC_MESSAGES/django.mo b/engine/payments/locale/tr_TR/LC_MESSAGES/django.mo index c64bf0d764aaca7cc8e06fb5a4130e6fbc8339ec..a7382d45e47e7e4adf68cc9780d408b6adf9d8b3 100644 GIT binary patch delta 16 XcmdmEvd3hDDIc?$p5bN-J{BGTFRKJ~ delta 16 XcmdmEvd3hDDIc?`p2=nlJ{BGTFSP`B diff --git a/engine/payments/locale/tr_TR/LC_MESSAGES/django.po b/engine/payments/locale/tr_TR/LC_MESSAGES/django.po index 6b41fac2..47f57781 100644 --- a/engine/payments/locale/tr_TR/LC_MESSAGES/django.po +++ b/engine/payments/locale/tr_TR/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:38+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" diff --git a/engine/payments/locale/vi_VN/LC_MESSAGES/django.mo b/engine/payments/locale/vi_VN/LC_MESSAGES/django.mo index 57c2d944244dcd07361e3df7864f32249357bbd9..df9a4ee6ce021dd84c9d2874e6c6b9a7dc7a5dba 100644 GIT binary patch delta 16 Xcmca)dC78vDIc?$p5bN-zFB+#Gx-HW delta 16 Xcmca)dC78vDIc?`p2=nlzFB+#Gy?@i diff --git a/engine/payments/locale/vi_VN/LC_MESSAGES/django.po b/engine/payments/locale/vi_VN/LC_MESSAGES/django.po index 46f91079..9a0787ef 100644 --- a/engine/payments/locale/vi_VN/LC_MESSAGES/django.po +++ b/engine/payments/locale/vi_VN/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:38+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" diff --git a/engine/payments/locale/zh_Hans/LC_MESSAGES/django.mo b/engine/payments/locale/zh_Hans/LC_MESSAGES/django.mo index 9bb62a54e382d0bc0811f7119918b006abae8a0c..172e2f2d70d8b198f43a66524d853c6877575dba 100644 GIT binary patch delta 16 XcmeyP_eXDoDIc?$p5bN-J{L{^Hvk1D delta 16 XcmeyP_eXDoDIc?`p2=nlJ{L{^HwpzP diff --git a/engine/payments/locale/zh_Hans/LC_MESSAGES/django.po b/engine/payments/locale/zh_Hans/LC_MESSAGES/django.po index 8eb1c6f4..5989cf9d 100644 --- a/engine/payments/locale/zh_Hans/LC_MESSAGES/django.po +++ b/engine/payments/locale/zh_Hans/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:38+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" diff --git a/engine/vibes_auth/locale/ar_AR/LC_MESSAGES/django.mo b/engine/vibes_auth/locale/ar_AR/LC_MESSAGES/django.mo index 77b55b1c900aa47158bc5ac404ac0f030e84e503..9e100142c40e66b49d3c4e9a11b261d48817be66 100644 GIT binary patch delta 18 ZcmX@m!FZs9aYLLuvzeaZ=0y4XDgZ)U295v# delta 18 ZcmX@m!FZs9aYLLuv#FlR=0y4XDgZ)e29N*% diff --git a/engine/vibes_auth/locale/ar_AR/LC_MESSAGES/django.po b/engine/vibes_auth/locale/ar_AR/LC_MESSAGES/django.po index 96ae1260..cd90dc73 100644 --- a/engine/vibes_auth/locale/ar_AR/LC_MESSAGES/django.po +++ b/engine/vibes_auth/locale/ar_AR/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:38+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" diff --git a/engine/vibes_auth/locale/cs_CZ/LC_MESSAGES/django.mo b/engine/vibes_auth/locale/cs_CZ/LC_MESSAGES/django.mo index f20c68db7531650592e3df0927e75da7c4e8760e..273ef0f20ec2fc07cd4fcdd1cb44b4e2f296f260 100644 GIT binary patch delta 16 XcmexV@Tp)!oIJCcp5f+1c|l14Kl%md delta 16 XcmexV@Tp)!oIJCsp2_A!c|l14Km-Np diff --git a/engine/vibes_auth/locale/cs_CZ/LC_MESSAGES/django.po b/engine/vibes_auth/locale/cs_CZ/LC_MESSAGES/django.po index e196f1ca..76aa4594 100644 --- a/engine/vibes_auth/locale/cs_CZ/LC_MESSAGES/django.po +++ b/engine/vibes_auth/locale/cs_CZ/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:38+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" diff --git a/engine/vibes_auth/locale/da_DK/LC_MESSAGES/django.mo b/engine/vibes_auth/locale/da_DK/LC_MESSAGES/django.mo index 16d05c9a9d683a6206f9c42db3a382a2b65d6368..18405011c832f29a789e0de013e67add975b43dd 100644 GIT binary patch delta 16 Xcmdm(w=r)+oIJCcp5f+1`3vFzIiLm} delta 16 Xcmdm(w=r)+oIJCsp2_A!`3vFzIjROA diff --git a/engine/vibes_auth/locale/da_DK/LC_MESSAGES/django.po b/engine/vibes_auth/locale/da_DK/LC_MESSAGES/django.po index 15f4f39c..de359fb0 100644 --- a/engine/vibes_auth/locale/da_DK/LC_MESSAGES/django.po +++ b/engine/vibes_auth/locale/da_DK/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:38+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" diff --git a/engine/vibes_auth/locale/de_DE/LC_MESSAGES/django.mo b/engine/vibes_auth/locale/de_DE/LC_MESSAGES/django.mo index 24f7f77432217d783bef66c03297878b26484cba..f0c2223e25b9517dfd3506230482aeab3c60a678 100644 GIT binary patch delta 15 WcmaD@_ONV2oIJCcp5fv|c^LpWo&~c2 delta 15 WcmaD@_ONV2oIJCsp2^}wc^LpWrUkVC diff --git a/engine/vibes_auth/locale/de_DE/LC_MESSAGES/django.po b/engine/vibes_auth/locale/de_DE/LC_MESSAGES/django.po index 51e94bee..0854830a 100644 --- a/engine/vibes_auth/locale/de_DE/LC_MESSAGES/django.po +++ b/engine/vibes_auth/locale/de_DE/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:38+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" diff --git a/engine/vibes_auth/locale/en_GB/LC_MESSAGES/django.mo b/engine/vibes_auth/locale/en_GB/LC_MESSAGES/django.mo index 0988a8663d75aacc354bb62d242868f63d20f832..024468cc0d8a0619c0232e13c7f17536f1b44b18 100644 GIT binary patch delta 16 Xcmdm$wJU2woIJCcp5f+1`J18uI!*>J delta 16 Xcmdm$wJU2woIJCsp2_A!`J18uI#>oV diff --git a/engine/vibes_auth/locale/en_GB/LC_MESSAGES/django.po b/engine/vibes_auth/locale/en_GB/LC_MESSAGES/django.po index 87bde598..80e26e52 100644 --- a/engine/vibes_auth/locale/en_GB/LC_MESSAGES/django.po +++ b/engine/vibes_auth/locale/en_GB/LC_MESSAGES/django.po @@ -5,7 +5,7 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:38+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" diff --git a/engine/vibes_auth/locale/en_US/LC_MESSAGES/django.mo b/engine/vibes_auth/locale/en_US/LC_MESSAGES/django.mo index 9da8a0475719b42f426c38c021ca7684c86ea990..3b16d8ddf1d9b4e9f59bcccacabf2e52a67919a1 100644 GIT binary patch delta 16 XcmZ3VwLWV@oIJCcp5f+1`E#NGIPL}x delta 16 XcmZ3VwLWV@oIJCsp2_A!`E#NGIQRw- diff --git a/engine/vibes_auth/locale/en_US/LC_MESSAGES/django.po b/engine/vibes_auth/locale/en_US/LC_MESSAGES/django.po index cdf36277..54bb23f7 100644 --- a/engine/vibes_auth/locale/en_US/LC_MESSAGES/django.po +++ b/engine/vibes_auth/locale/en_US/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:38+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" diff --git a/engine/vibes_auth/locale/es_ES/LC_MESSAGES/django.mo b/engine/vibes_auth/locale/es_ES/LC_MESSAGES/django.mo index ed20e7941b4126b83e8d5aa8d5c158a693cceb36..80b6428999e59164092646fc0753cbbe139b6f18 100644 GIT binary patch delta 16 Xcmcama-n2HoIJCcp5f+1`S(%)J}U-_ delta 16 Xcmcama-n2HoIJCsp2_A!`S(%)J~al6 diff --git a/engine/vibes_auth/locale/es_ES/LC_MESSAGES/django.po b/engine/vibes_auth/locale/es_ES/LC_MESSAGES/django.po index f9937e75..7d7e8b7a 100644 --- a/engine/vibes_auth/locale/es_ES/LC_MESSAGES/django.po +++ b/engine/vibes_auth/locale/es_ES/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:38+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" diff --git a/engine/vibes_auth/locale/fa_IR/LC_MESSAGES/django.mo b/engine/vibes_auth/locale/fa_IR/LC_MESSAGES/django.mo index 6c5906d1cd061dff54de8b533942893de34efc9e..f7b56b65f23ddd46f0761a3fd031f6e6afd9436e 100644 GIT binary patch delta 28 jcmcb}be?H~3Zv*mRSjO(Fi$7fULqJr)LU delta 16 XcmX?9b*O4XoIJCsp2_A!`G>LqJs<{g diff --git a/engine/vibes_auth/locale/he_IL/LC_MESSAGES/django.po b/engine/vibes_auth/locale/he_IL/LC_MESSAGES/django.po index 7ff2944e..75772612 100644 --- a/engine/vibes_auth/locale/he_IL/LC_MESSAGES/django.po +++ b/engine/vibes_auth/locale/he_IL/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:38+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" diff --git a/engine/vibes_auth/locale/hi_IN/LC_MESSAGES/django.mo b/engine/vibes_auth/locale/hi_IN/LC_MESSAGES/django.mo index 7640ce0078328b8d3c57147021d7d1b23f128abd..9964f0bf6f21a7376a5f3b631dd55508538e3d72 100644 GIT binary patch delta 14 VcmaFP^qgrzIJ23a;l?OlMgS-41Zw~Q delta 14 VcmaFP^qgrzIJ2pq$;K#NMgS-C1Z@BS diff --git a/engine/vibes_auth/locale/hi_IN/LC_MESSAGES/django.po b/engine/vibes_auth/locale/hi_IN/LC_MESSAGES/django.po index e7e68622..34a17a46 100644 --- a/engine/vibes_auth/locale/hi_IN/LC_MESSAGES/django.po +++ b/engine/vibes_auth/locale/hi_IN/LC_MESSAGES/django.po @@ -5,7 +5,7 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:38+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" diff --git a/engine/vibes_auth/locale/hr_HR/LC_MESSAGES/django.mo b/engine/vibes_auth/locale/hr_HR/LC_MESSAGES/django.mo index 6c5906d1cd061dff54de8b533942893de34efc9e..f7b56b65f23ddd46f0761a3fd031f6e6afd9436e 100644 GIT binary patch delta 28 jcmcb}be?H~3Zv*mRSjO(Fi$7fUKUoH+ delta 16 XcmcaxaJOJXoIJCsp2_A!`9Bf>KVt@| diff --git a/engine/vibes_auth/locale/sv_SE/LC_MESSAGES/django.po b/engine/vibes_auth/locale/sv_SE/LC_MESSAGES/django.po index 57ca50d6..814432f5 100644 --- a/engine/vibes_auth/locale/sv_SE/LC_MESSAGES/django.po +++ b/engine/vibes_auth/locale/sv_SE/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:38+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" diff --git a/engine/vibes_auth/locale/th_TH/LC_MESSAGES/django.mo b/engine/vibes_auth/locale/th_TH/LC_MESSAGES/django.mo index 8dc4f1f48e169a365fcfb34c95a68d202ad12ba6..ec00bc976d581276e9c0507f743886e2baa4de53 100644 GIT binary patch delta 18 acmX@Ij`7Gk#tm`u%w~Fqn-k?9n*#txl?M3$ delta 18 acmX@Ij`7Gk#tm`u%%*xKn-k?9n*#txp9cE? diff --git a/engine/vibes_auth/locale/th_TH/LC_MESSAGES/django.po b/engine/vibes_auth/locale/th_TH/LC_MESSAGES/django.po index 0de889be..b88fdf63 100644 --- a/engine/vibes_auth/locale/th_TH/LC_MESSAGES/django.po +++ b/engine/vibes_auth/locale/th_TH/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:38+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" diff --git a/engine/vibes_auth/locale/tr_TR/LC_MESSAGES/django.mo b/engine/vibes_auth/locale/tr_TR/LC_MESSAGES/django.mo index c955ff879ca53c87a913b7578f7056a19d357375..9893de2fceed5991d6f994fb5a7f7865ff1c6dfe 100644 GIT binary patch delta 16 Xcmca!e7$%>oIJCcp5f+1`7$X0J?{n` delta 16 Xcmca!e7$%>oIJCsp2_A!`7$X0J^2P7 diff --git a/engine/vibes_auth/locale/tr_TR/LC_MESSAGES/django.po b/engine/vibes_auth/locale/tr_TR/LC_MESSAGES/django.po index 3e382edc..8c42e28d 100644 --- a/engine/vibes_auth/locale/tr_TR/LC_MESSAGES/django.po +++ b/engine/vibes_auth/locale/tr_TR/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:38+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" diff --git a/engine/vibes_auth/locale/vi_VN/LC_MESSAGES/django.mo b/engine/vibes_auth/locale/vi_VN/LC_MESSAGES/django.mo index d5420647f2b9a09cdedcae0b49b6e8b09d1f3d7d..46a7c4824c4ca630152ea2d41fd9e071ff80a0e9 100644 GIT binary patch delta 16 XcmaD=`>J+BoIJCcp5f+1`A&HNL2L$Z delta 16 XcmaD=`>J+BoIJCsp2_A!`A&HNL3Rdl diff --git a/engine/vibes_auth/locale/vi_VN/LC_MESSAGES/django.po b/engine/vibes_auth/locale/vi_VN/LC_MESSAGES/django.po index fc09d9e3..325c9209 100644 --- a/engine/vibes_auth/locale/vi_VN/LC_MESSAGES/django.po +++ b/engine/vibes_auth/locale/vi_VN/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:38+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" diff --git a/engine/vibes_auth/locale/zh_Hans/LC_MESSAGES/django.mo b/engine/vibes_auth/locale/zh_Hans/LC_MESSAGES/django.mo index 3c5d3ff102a99b73d76368124371f745b7bebdb5..a1d2a4a6b7423adaaf7acc5131443e8a63a28d82 100644 GIT binary patch delta 16 XcmX?=b}DT{oIJCcp5f+1`Io`~JKP3U delta 16 XcmX?=b}DT{oIJCsp2_A!`Io`~JLU#g diff --git a/engine/vibes_auth/locale/zh_Hans/LC_MESSAGES/django.po b/engine/vibes_auth/locale/zh_Hans/LC_MESSAGES/django.po index d96cfce8..c21cbc39 100644 --- a/engine/vibes_auth/locale/zh_Hans/LC_MESSAGES/django.po +++ b/engine/vibes_auth/locale/zh_Hans/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: EVIBES 2025.4\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:38+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" diff --git a/evibes/locale/ar_AR/LC_MESSAGES/django.mo b/evibes/locale/ar_AR/LC_MESSAGES/django.mo index d5875e2cc7499fbe18c1daece58797729b22755a..7bf70b544a1570b77497737951c30a4de7955822 100644 GIT binary patch delta 424 zcmXZYKTE?<6o&CPI4H#w8?`Dr)YhsIscFGF3V{^FA%pk_Cr1@@)kU(4IJ$LHIut>y zh_j2}qWB?-Zmurkb4=lKfA<{1x$n(Gd>`LkJ4xh7jhy6Xr3+6Qm-JYWLVUw9^rod{ zTJs&=s`rV;sg^tm856;0;=!U$pz&aw1J}@XP578fZzkaS4ymf;2IY z?Oy$i_NU&_27jRi3}@2-w>Uxlgf{O3FYy!YfhTjR=K~x@Xf!*1Up4DSTWevoQK$vA MdZpSq$gSu90K)b#)c^nh delta 426 zcmXZYJ4?f06vpwVbWy3jXj&~g)N0hy;tdo!My*u}#tV1>Cl|#$lNRwE2hbUj z=CRcA5NGJGa1viJi9bjwnwMheB5O5=Y4niNF2@vJ>GI?{kmLk zORMAtM!17Vc#d{~C$s~`X!WmnhHq#uu)UERmsr?Dr<0%<)~ZSWI8J))XgAvHgp*6} Gul^5gDJ}H? delta 426 zcmXZYze_?<7{>8OA~Gc}WjrNm0}ioqS(cV09j-}PJjFa- z;tsZP6MM*2y<-}`Foi!jhhv<_U!27$Polh%$fGQ;74$uYDsVW76W3@3ZqW+d#c>xa z#E)3TPt2iHoHXd+4DkWFSVe2FiOi-8T*nqJU?=|mR1Bq65`7ZZ;Sg=25n7>dv_{5g zoB2b#m!jGt=5YhJu#QJ)1Kgu+@BwWzFL;F!I+!a>^c)WM!*;Yg?YrsV{J0*RmCF0& L%AOzHWIo(~+4n1M delta 426 zcmXZYJxfAy6vy$OBxRb{tn7i(D>YX;1{| z9Rz|~5VQ-v0LP%g@4*X~`}v=9|MzgtY31Ab_Ito91*D_6)SQ-TbJDD&+?q6xCz!xn z%-|z#;2UyPUl_$-jNkyLaEM|2!$}M#CCV#;JWB9d#+{@*t#GLNi956c9$JAXKYqb1 zaUJ*Y8y7H~8aL=-ka!mz+(&D$jLfEMbnyXau;zbnq&#VrM2m!V*h8D>2dz*at&t(x zX8zIcMX46UC0xf%JiueL0iMw|_=>if54^!o4B=vWtQ+EBKV&*v6WdPgyl_}4l#1!A O;>Bh8?6h+q?>Zxj_bmGW diff --git a/evibes/locale/da_DK/LC_MESSAGES/django.po b/evibes/locale/da_DK/LC_MESSAGES/django.po index fef4186a..3827df7a 100644 --- a/evibes/locale/da_DK/LC_MESSAGES/django.po +++ b/evibes/locale/da_DK/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: PACKAGE VERSION\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:51+0300\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" diff --git a/evibes/locale/de_DE/LC_MESSAGES/django.mo b/evibes/locale/de_DE/LC_MESSAGES/django.mo index 902a92d99790f6da470b568179bd4be483a478d7..d048452cd3eeee6fb3d0fe231ec04f59b4d6528b 100644 GIT binary patch delta 424 zcmXZXyGz4R6vy#jklI$;nzkq?w8l|HvGK9Fw8YmY0dWunx8myHA^`^{!P0J>MHdI9 zgOi}Me}alQI4VxX(eKdo=;In@aR&!+ABV7smUrmxPca~F;RxPVmHZ8ObcrvR=Hd&jLEq_3N-M-U zT*pncAMKzuy22FRVIJ>s6rZqw@5rNXUODswX$&htA~8dYe8^yoRtcx47~>mS{le70b+o!IJjOk=1z(*X84fo1vo}3ZE99f?jd~OZ;e5C}SL-#4 G=l(BBtS>bH delta 426 zcmXZXyGz4R6vy#jDb?0T`Va*Rws913P*5j_5^F6L6@v~Af*?4EtAij}Iyfm5-5ecs z5h0UPL1+I26>;dOI7mmoM=ykY?#VrmoS&c@++Qc6T0&aNOR0Y8tRM|Zx)_s2@dk_d zh?Dq&QRr6~ue=#OYJN9{#T@w;rtmkfNRu4Anf|~jv<4wsgEd!gVTrne zn|O}a;00~b4#w~k6WBxh$T#}M_jf^iBrgN=CEOCMFk{c61yoYtDhjl+XM%P)EV D*$gVV diff --git a/evibes/locale/en_GB/LC_MESSAGES/django.po b/evibes/locale/en_GB/LC_MESSAGES/django.po index 9361a477..6dd34312 100644 --- a/evibes/locale/en_GB/LC_MESSAGES/django.po +++ b/evibes/locale/en_GB/LC_MESSAGES/django.po @@ -5,7 +5,7 @@ # msgid "" msgstr "" -"Project-Id-Version: PACKAGE VERSION\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:51+0300\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" diff --git a/evibes/locale/en_US/LC_MESSAGES/django.mo b/evibes/locale/en_US/LC_MESSAGES/django.mo index 7f4b0aa393735a4f0cd525732c9b4a94cefea085..f773c94f94b312ad27ae5a5b5bcd65cc2589077e 100644 GIT binary patch delta 424 zcmXZXzb`{!6vpwVDOJ^8T0atTU8Dw@RQ0A2rkjv^6SLH4XR%pCuB0QeFp#c|nbcelIc(q>Cb){H zIEi;y#2#{8&zQqkEa1TP@9z8)=gGgZgnzzL%~IqRhYNkQ0d=$iE!RibqEB!e&(Q|F zpgnYeBlv-1_=Wb7AN24SmoOU)=U374T98T$6gvcYY~utTIZx1jc80d_()Bm4zsD8w zN8H0Vv&o;eMe7L_GA1sHP;nqg8e_Rf|e+{cD AFaQ7m delta 426 zcmXZXu}eZx6vy$OnE5JuYLO7x%OIg35F;XJkcXH?P@z<7TT4q@i#!M#jh2FHjc5!W zw6!_4G}X`){SggKeGlI0bI$K_&$;)uc3*pbNJPzqw3(N>BhuxBG$|=llyX?Y0#rBk%@!2U?w4^ND`@8z&Ynk+BDjv1l2t#u7uL7KW}|e_Xm_@DcjDvx GivJJ2N-Mnp diff --git a/evibes/locale/en_US/LC_MESSAGES/django.po b/evibes/locale/en_US/LC_MESSAGES/django.po index 80875866..04410821 100644 --- a/evibes/locale/en_US/LC_MESSAGES/django.po +++ b/evibes/locale/en_US/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: PACKAGE VERSION\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:51+0300\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" diff --git a/evibes/locale/es_ES/LC_MESSAGES/django.mo b/evibes/locale/es_ES/LC_MESSAGES/django.mo index 87c001aac53719d45de1b6edfc6faef29ffc0ec3..334abe07cd130304f211facc2a1a1e03e8792a33 100644 GIT binary patch delta 424 zcmXZXF-t;G7{>8OLc6AhrbLn5ZVgh9qL+x48sgrdp&^2xA!u!DatdzH(2!1II61Y1 zgMm0UxHN}DpP;3tz%S7M#irlk;hg8ZZzp&PUY}!87?X~2QYs}i7No4C&Z?Bh7hJ+O ztl%eZW89TW=wlHtFo|_c;2lz@2b{weT5lIU?Bg1KxQevG;g?_;)1+2VLVH-oIPT#- z9$5b_t5eo z+Gg*#h-2KrZ#+eJeLBbu+5mO5_m6mqZM5FWzjFB9Ce94DW@_`9@cj5NJoEgjzgwvd Iu59(qBISER76qTP7PrYN#GO&N!KnBWIv!KTwL6poVp-1G?bGTO%81l z6%LIJEzRN3U(ixh;NJJ8rqAKwoael6+rRc7ZzEw4k+w5ZA|YLlNoh$pbJ958;S|2$ zDt_P!Mm=c>^EitqID&N?#s*TSbBtpPt+#^?pKu=EJ%yU#@Ix?-Nm47wqCL#v5U%3} zZlaH;XoauH?CPQ2`@|T2;{^867KuAL(ZeVP$gV26P+H_rA+Qb3(2AQliXF849xZ=H z+w2V|v4?s5!UJ>*e}mM}2B@RGzrZqHq4oCv9fobrY)l2P}&3?1Q#KJ+DSx*4ld&0W*5OJUm&=2&<~*C z%OYfVaT6Wg9J&cEg1ayOL$ci8;au*y&%Nhi96ns-q97-Qj&w66#U-gCX{{L9Qn8%7MjiZZ<(+ZBEk2AP|%eakpzV9j$wFWE;n4k@K#Yuca8!*H@ z{JrtA>r(p+sSinPE#6DV(82Kb! zpbfZ1dwGH$K4TYu&>qlfqycs^kMM;48QT6QPUCkzEB+eE>PV|t2=+T$!EViKdF#z~ Ia_n3?|8Hn8-T(jq delta 427 zcmXZYJ4*vW6o%n%QPg-z*r*9wm|Yb?D=!2aL4st1tTzl=h=q-$719V6`v<~y7FsI^ zDhMIHjh$#|XOT{@5$yFn>^AcZXEGEl^R^pSCz$384$4%cuFx6t~VB}LY&OO^@jpbdD(LHs})(8UA% z!XsSwl7QE#kJwB783*tMNAV4_*u`1=K?_>o_A&JQC`nYNV2#H(f~Po%O|&2}@=3Zv z8*q>I@(wQJD~9-o_JD9Y2~baM;2HG`wDWHq#@|f3ac0^JJ&W1gUS%V!)T-WLb-%v3 KyVGvCx9&f(LojUs diff --git a/evibes/locale/fr_FR/LC_MESSAGES/django.po b/evibes/locale/fr_FR/LC_MESSAGES/django.po index 1b38ebf5..344b8545 100644 --- a/evibes/locale/fr_FR/LC_MESSAGES/django.po +++ b/evibes/locale/fr_FR/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: PACKAGE VERSION\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:51+0300\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" diff --git a/evibes/locale/he_IL/LC_MESSAGES/django.mo b/evibes/locale/he_IL/LC_MESSAGES/django.mo index 95796a31c617ffb1921534944e93b507d974e5e1..cb8840e78f545214b8e832d8a3058b5a31781342 100644 GIT binary patch delta 424 zcmXZYu}eZx6vy$OxJ2~Smxhv*FUuhcNx`-XiWdnEfz{a5Qd56GaBFX9a19qXm%x^2 zYmCUTC4#1wXsjiu@4-8L&bgQSJNMp;=HJduFX7^Zv>i(46Vm0Rl$R8gMpkf&ehrtf z?R7Xy-^VOIqMds~V)Ts}Oh(c;=FoCVSj7fT<54811q#Q)4EE3h9*{d}==*ovqyNHP z+?pc{J7|M%(FQ$X8ehC0SfKww8=NVR@;A`twaQMaP@MRUD=gAqV-D{yz-P4JSMR6a z|HWn2!+B{R*U>K0LCfi){m?z0;SlX%EnaONj!~p2P6vz0S}KSSnwxPus;|^ntF^&# HSjheZYydF% delta 426 zcmXZYJxc>Y6ougvL=e%e$*Kv8x`~R2B3N1KB5Mr78vLrQw6RJZSoaTDSfrJJ*a=vQ$8 z_nj$D(qE&Gk7(!KkQjaA5cURAKaQg1lyC`Ga14(EC7Pi~S(v~pw15ZXPU^V+9rx(J zu!d1dVuqS%gKyCWJ)ws$&JQfo|DX-dm%I5P+Pt`&NV60tZsQ!s=`U~??{E;G(Sl!{ zpKkvb7g_hG`5jzCyGRo)r-k-I_t?M=+QVXAZ65YfWGU+H`JUyhR}0s-!b%hzL_53H K?YMoMEBgN`XflQX diff --git a/evibes/locale/he_IL/LC_MESSAGES/django.po b/evibes/locale/he_IL/LC_MESSAGES/django.po index 0e5aa9a3..404984f7 100644 --- a/evibes/locale/he_IL/LC_MESSAGES/django.po +++ b/evibes/locale/he_IL/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: PACKAGE VERSION\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:51+0300\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" diff --git a/evibes/locale/hi_IN/LC_MESSAGES/django.mo b/evibes/locale/hi_IN/LC_MESSAGES/django.mo index 6c5906d1cd061dff54de8b533942893de34efc9e..f7b56b65f23ddd46f0761a3fd031f6e6afd9436e 100644 GIT binary patch delta 28 jcmcb}be?H~3Zv*mRSjO(Fi$7fUWmSIq5W<<0^3jLuajV^E#3L%K58XDW&uBEM^xyd2-M1r8H zr3PteilfQNy}6<9gYWcte$UlQ#${|GpVNb{P;(S**LcM^`5kSrhvWE-TiC}c z=JLY>PH};Jfi`#J`nNbmzQ<{7;SzQ*fnS)$C?87m6ayM|Lwn0MNuX_zMZ18HcHo-J zJIK#c6<6>C_pymK_ky;-oAVRT$&t&uh2itVB!vysyXzw*FC8>$2f=ZnyjkAfD0Qzg GzurIB$1Pp} delta 426 zcmXZYIZFdk6o%n1#wBr?n7E@^TvDX8uuudugd|8nB|;E{l;#JdOEX|&XJKs>1Y2Q> zfM8{#g;-dHDXnb%0pfeet)BCpnRDl!8J45+(?cw%$D~?XT9}q@Gt#1@{)R+L1Lr$# zks~bPAFkj|R`T!=XR(13c!3FQ;|z9i61%vGJ>+w`&nnOo#iMJy;5hjWZSVt=IK(~t zMjzL5qXRB+oqUBhckTK&m?GcdJoYh02{KPgna`~VzdR|LV*g!KZ#dp2bnO|x6^=hG2ZJr;W Ko`jwBulEm(Q7-EM diff --git a/evibes/locale/id_ID/LC_MESSAGES/django.po b/evibes/locale/id_ID/LC_MESSAGES/django.po index be12ee27..a13c4366 100644 --- a/evibes/locale/id_ID/LC_MESSAGES/django.po +++ b/evibes/locale/id_ID/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: PACKAGE VERSION\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:51+0300\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" diff --git a/evibes/locale/it_IT/LC_MESSAGES/django.mo b/evibes/locale/it_IT/LC_MESSAGES/django.mo index e520e7fbed98c20a68354c5332504e73f62c16c5..1a43d99a9485c706d7aca45e9a8172b50824d487 100644 GIT binary patch delta 424 zcmXZYu}cDB7{~FS6=lWAS&>6%CpaWQ7Aur(` zHqjd2ppW-Bh0i#TuV{-5k=-=H68@s~_XAhY1+hd;WeRC*pncdxYt%;D>_M^if+zhK5m3}9C G;{O9L2rfea delta 426 zcmXZYKTE@46ov6qELxTR6)Fy`5k!+La0#+Ds6Fa78DdGUCrVo(y?w%795KO z9UQt@TwK)2+0joRg3l%Il3&gxIk|7%gU_IMmx#iIw2_y7C!}^knv!%?ioL}m`2kn) z6|1PS#G_hqhB!{%$5A|R`4}_gbC)l1k=%Ckr?MjJ(hHYq{6;JIL-tW}HqKdGCl}Gj z7Fux!bJ)csKH?-kqa9?3oK0Uik3VSr1uve@c#*_R6$UA+qrKQdD>_0u*%_ws0&THt zv=8541@CbaKhSzgbMYTqz%lX~o}!Poc+WXVabp|3^_NDLGud4~sQY2f+p9I2TRYqR I!~99^A9=Gb(EtDd diff --git a/evibes/locale/it_IT/LC_MESSAGES/django.po b/evibes/locale/it_IT/LC_MESSAGES/django.po index e6207edb..9933aec6 100644 --- a/evibes/locale/it_IT/LC_MESSAGES/django.po +++ b/evibes/locale/it_IT/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: PACKAGE VERSION\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:51+0300\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" diff --git a/evibes/locale/ja_JP/LC_MESSAGES/django.mo b/evibes/locale/ja_JP/LC_MESSAGES/django.mo index 5b876074eec05df5cc61b21568e69536438fea91..c72acfd5b2611424c5fccdca55d24794ffee739a 100644 GIT binary patch delta 424 zcmXZYu}eZx6vy$O2vVS#TA)PrUJj8%JcW#=pn8cA5fp`EAc1qcZ*eH}Z)kFppm21K z8u|lTT$;kMKfwAPz03XFbMCq4T<&viPlI;`u-p-G{pk0dy152v+vCdF3=j>;WFN10y}tsT|CD( zw1z88w+ED1?A{sLLmIePPd@t%v1 z(SGIzukZnFz!=wXg4QQdl$uyTJ8z@qy9+MyG~9`omr~(%{V2TjDnX^XTOPJDC)s}r C>Mpqe delta 426 zcmXZYKTASU7{~G7Es%oBGz>-1YYq`KluI~?=kdxj)D#$(IUH_7yA7rcS~dx@ZG#a2@Y3g?+5!03&=u z>)+&dd%!M>or};Oa)HZui~n(q=QTe#D|i*}V7EHCO1-W9 E0VB#RLI3~& delta 426 zcmXZYze_?<6u|NGh@u})O(o=o`V0rDO)y$ov|b`YiAB)bP&BoK2n}y}qlja)NYEMv zHuxVze}e69(Hyz-J>5Hf?z!ild(SNrdfduLn zxYf|!*c$E5HAGwA0~a3ebI&>V@_zS?8^gx)Qz-C5QY$X~M5Ina;!!&*Eo09)#wzt2 zR`3^>u$YsgSVxX)59jb07xBc^mu`NA8Tz+w{*Y6kG>rj`7{1^=W$*(|jPY)*mlBm|>S~SVar4iPo>71>AA{ zLrhYi;s##hK0c!Tk#DC8QkdGqb4;Vn+s9(jIt=N_CX({In)p>xfFI61$0d3y)-o#kghi?08(QG`}ciX$JQp(gzwS%4N KUjH;%4E_O;?Jp?+ diff --git a/evibes/locale/nl_NL/LC_MESSAGES/django.po b/evibes/locale/nl_NL/LC_MESSAGES/django.po index e5ee1895..815c86ae 100644 --- a/evibes/locale/nl_NL/LC_MESSAGES/django.po +++ b/evibes/locale/nl_NL/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: PACKAGE VERSION\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:51+0300\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" diff --git a/evibes/locale/no_NO/LC_MESSAGES/django.mo b/evibes/locale/no_NO/LC_MESSAGES/django.mo index 41c094738c81c0ad5fe1a85ba9f2d462599df14d..141df521999dab34feafdb15a960adc6155e967f 100644 GIT binary patch delta 424 zcmXZYJxjt-6vy$ORHl-anmzgiB~(MGLlj!K_F={6?CC7mUuX}m&Gy1^Cf z;1a%I27fV(p_DX%a~Q&$XWnxg1LVt?#wuFhi@#1uNNqPXYv1aN1iPDMZ3f?Qq{Y&KC2<&Gka> IJUWd00my|dKmY&$ delta 426 zcmXZYJ4-@w7{~G7p`_DA&90znLO}&BHAIV~h&LoFg_?xGp*3iz?U1e!^ag721q4E4 zLo}322(6AuNbjM(51rxgdHxUo=kh;;^mqEP?RW)8%15Nnap`tOnw8X8lIHLdN$CdH z@c~!x4VUo;gE$rE!zfPRn(wx63SII=OyCh(-}AUUMG0CY7V#d(@CmKaGY0S-cku&L z=+b2Y^Ei)n9K{Q?L01^YYqUXkXbZQ|7JWr~XfNSOF@i4=`~W%JvcgH6#u!?D6RmK^ zKWEYI?c*xeaSxkl4|qWv+(oPFV*`h13s#cJuS`v diff --git a/evibes/locale/no_NO/LC_MESSAGES/django.po b/evibes/locale/no_NO/LC_MESSAGES/django.po index 103b3b4b..cbde92f2 100644 --- a/evibes/locale/no_NO/LC_MESSAGES/django.po +++ b/evibes/locale/no_NO/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: PACKAGE VERSION\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:51+0300\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" diff --git a/evibes/locale/pl_PL/LC_MESSAGES/django.mo b/evibes/locale/pl_PL/LC_MESSAGES/django.mo index ef071ace7bd65885d666178abef58ebb4b59760b..deae1dfa4acbf3462dc74df181e4f464128bd761 100644 GIT binary patch delta 424 zcmXZYze@sf7{~FCRH*r*vmz}>uO+BKP7zy=_eI=nrshtFfu~gI_p!-Sgr2@H{u}ymTf>DvnZ8w9&wN9*}UTksDDnB9{qc#U@OLxvaoMWgA#QlnUi`n}`m%x?zGcD*sZDjj+M DI^--w delta 426 zcmXZYy-PxI6vpvKD$=a$3#ApL)>I%-5!I+(RHVo#h=zuUAcWdm5f=TJ}$NtJ~3F($Q=(xjxLIVpvg=-~}6 zV;fiS9cS?eXVA+?5nRL(Tyygljx(2#YSocPr!K$FC{UW9MKFOKw1QV;C%xe)eqsT8 zSi!06p!gVV!3GZF6-Ke?yuJ=)?Omw&mupA7~V{}P1xAd-_}m_)m1!I?)Z-f(jX zZSfsk$1|+q16ofXt>+tU!9P5~=)5$I7ib6HhIz4H)b1_~t$MM&qQ70NmUD;Y{exP4 Kw|k!0jQ<1foh{J- diff --git a/evibes/locale/pl_PL/LC_MESSAGES/django.po b/evibes/locale/pl_PL/LC_MESSAGES/django.po index ee374e75..16e48b03 100644 --- a/evibes/locale/pl_PL/LC_MESSAGES/django.po +++ b/evibes/locale/pl_PL/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: PACKAGE VERSION\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:51+0300\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" diff --git a/evibes/locale/pt_BR/LC_MESSAGES/django.mo b/evibes/locale/pt_BR/LC_MESSAGES/django.mo index a6995505d4e95cdd9b0432fcb2917a3e1fe8b350..062d4a6c051a7fa15c0ffe6e239c8948bb5ba447 100644 GIT binary patch delta 424 zcmXZYJxGF46vpvKlCr?BKBOgmiy9L8@Esz8LX=mKprvRk5Q3nkt+sflnu1ztXwI!6 zkftW5MBJh=ni5yXAi@8EJN@oChkKvH{V9K!U!Nmk5Rocr>2E^1os^Q2Zsw#Je8g#d z!8L5+3ifdpb6F{co5)pFaTJe`=X8PzJa_XeT%^8t^;=e*r?jN%8zu;b=mn4$i~CH%)RT=1kR%zL3kmUd{^#bdOMPtgJ{a2&7E z7P@mjq5V)D^Z1Ut*hLHQ*~$X8kk8c~*06?_({#3D94z3ou{=^p#Dl|XDcJY?b$?^E J&^Sw9riQw^FW>+G delta 426 zcmXZYKS)AR6vy$O6lM+T>mM%Z6Kp7o5Sqe3d6>uplLE(zAZl!?@r^YFxzx}oxJBU5 z)Z|n|TQo(Z((2SweGlB}bI&>4`#apv;466O#G+bE+VZ5IDd}ojN=dq0kmm3fXYn4_ zu#c-a!VKoKQW`gqs|qoWd&qM-!X%!$d4vV(wyPhrij<@ALc@Z-(H{6idmzrxY7aLt zgJo=?Eqa4_?BX~+V*=mY`~&By2e^p8IDrLUn!y!6lE_k-hF#o8+xP@6;2bCM0&Ssd z=N;M)b#WP=FvKBRz&cx5KneL=HSqus(Q^9E*8~R(c<(KZ6_crEB?v3Es^6;a?AEs% Jy<_hz{SS3LF>L?< diff --git a/evibes/locale/pt_BR/LC_MESSAGES/django.po b/evibes/locale/pt_BR/LC_MESSAGES/django.po index 95ca568a..c45ad2b6 100644 --- a/evibes/locale/pt_BR/LC_MESSAGES/django.po +++ b/evibes/locale/pt_BR/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: PACKAGE VERSION\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:51+0300\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" diff --git a/evibes/locale/ro_RO/LC_MESSAGES/django.mo b/evibes/locale/ro_RO/LC_MESSAGES/django.mo index cee87241d2fb2b8e562836737c9ae9586cc1bd33..9d21414bc94a90eb728cd9d4362329a682e732a7 100644 GIT binary patch delta 424 zcmXZXuS-K=6vpvqh(9;y-KH~$^IlD&$bNuY987k_B?ZA?F^SmB3SKa188*Qz1F;O@ zHq$Wp2UrXin?Xz_gW&gg-}HIUc{%TM-uvcV^P!W9!j!a;lY+F=&PxSJ-DznYpU~=8 zT)|IV#JN&(zl{^r2gtZiaR4uI7_VIa2D8*1wD}l`(tAmfW;lG)n8X6bATHnt)|_=* zrEcLGo+CS}hqmYo_TvZIB41dygm1wUgA-*5}Zg5;fjv>zU#1)bnAw$a}Ib!LWUlYpsszORxU4R>4X;f`M|SC^M6 J@lmel{Q-*!F1i2! delta 426 zcmXZXKQBXJ6vy#jBmP#d-cqL4t;Qf>5D^xMrvE|{l}bz&Q)BZ2$Tb*P8k@x25Zg@} zn?c0T7ho}1Yz8rPGVnd_Gku& K>~vfHQ|b>wt1w3Z diff --git a/evibes/locale/ro_RO/LC_MESSAGES/django.po b/evibes/locale/ro_RO/LC_MESSAGES/django.po index 6df82dba..30834bdd 100644 --- a/evibes/locale/ro_RO/LC_MESSAGES/django.po +++ b/evibes/locale/ro_RO/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: PACKAGE VERSION\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:51+0300\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" diff --git a/evibes/locale/ru_RU/LC_MESSAGES/django.mo b/evibes/locale/ru_RU/LC_MESSAGES/django.mo index 46e77dfc1f128c263e46e671e892df2ff8e76735..eda67f2d293f41ea5164256d5778981af5a65ac8 100644 GIT binary patch delta 424 zcmXZYJ4*vW6o%n1SR{opHw_wvtf(;;m0Uz{!NS10h>ajF*k~Or1i{84i`ZC*jo4TV zYA2-8Mxv$v!op4@Wy-vVSPajZ;c(`g=>>nm%R?meBGOh$x@BFbr720yyflX{PU9i^ zc#gaHi4Dvw4EubXVSkLHc!iA89ZupC=J5lo_>HTWE+|x)!Y@dRc#1aQ9?7FeOyV1! z;1^z^OY<_mV-9~YhS8#wz$DJ1gBfh1-4meAzrYgS6hmo=;*|qS{Db!5K4x*8t~gfE z0c%MSi}pLEk=j_?3$~lyo>Q;Z M*H&tsRw|ks07uI&Gynhq delta 426 zcmXZYu}eZx6vy$OG-ObjmQog!R;Hy;)YgM|lsz7yNx>^<$tfD5C1?p=;MNd9LrY_e zO@Ui2QH}l=4sFuh)c0V+<#X=kaPIHkZtxSlJVin;B5lW|d)942nvj&8lV;JuNjydm zuds$+xQfa7UZ0Os?9XrzZ;(-Xz;S%WY5c@x?BE)X!p}(yc!4(H5y_(_j^G=f zV;dXj&|JcIOk)?LIFOfOn7|BXaTK@E?m0x8-@pRi*ASM_ z0BH&gs{C^{0oB?}eo8r1Te&+OrZ(ttBaiU9|j+c^u*j zeq#nxt`x=fz#2N_9h}1bAfI4@e1b7C$hKzi9iNtUsz~ky#!=Kn3$%4t zXfJbvtJuL^e8mZLa-#yGXa%`=gljmB*MaRY9s9xEAU{@$$GqdcE$=W_E|x2W(%?L~ Gk@yF2LoDS0 delta 426 zcmXZYu}cDB7{~FSWTjbmSs55zCj@~*NUaHR$Ym0gShO_N($drvG#mttN@F+$CN%~| ztI*=VkXw6GZ7tFF!Go9kyuZ8WeeZeSPS6cr9urYDA?;+PzqHhvlNf3)OY``EmS3@m z16;*#%wx`zrm+-T#tCu_r?4L96LiUE$j~K^MZEJAX^F`bFLL;fllXzQ!6({=U$~7w z7~zbIv4$j~+&f*(#HVx3nAv*Yrwm#)YqmDejask>xJ5h*M*g$LKG|m@j zb=PP&bBk+ukGt5%aZD9P4LE2G`FMoun8BOamKE9$+P&h~hU3$YT$!loE$~b{7v;u9UyPnbZeW4Znb^>XWVVKWN<6&eI$H`YX zf{&QNmne5}iX7qrX8283uz_}AuPaSs4sGuae&R94aohWMzmLHh9d+_O?m*n%-CFf4 PlU~tVblgrYk<9)95&<=? delta 426 zcmXZYze_?<7{>8O8fvJ-OGT7cQV=)Gv}{a}P?N%b2t^G|LQ+j_MRXxrb!?L$8XJT= zHMO?1wiUDl{Rwd+`o47GazE!e!+V}{zUx7~b06`_5vdfD9*3lsBP~i=b)|W{zzja% zF23OjF3m`My5l#8FPOvt8KFc<8paITekIJuxJACkX?#t|Q=Y{y8#!E_m7;ixBY1^2 zu#HXZ;4S7k)r!7{I%%nwTtX{W!!f)>E6_%|>j`b%7h1uew8w2(407F3JP19AI#J-vCu5+v7+Q` ztZb!}4`9VgvZbu}-<@amd#>l@zVCBd^|Sizg%<{%w2+a$d!*)oG$iSGT*~4(rtt=6 z@WJ_oJke+&b{hN1bC|$o?8OaC;Wpa+1GG8~9K^eVLgiUJvN4Qr*oD8yJn|;uf_*qo z&fyBKp%uJB8}J@G@CmK)3tHn>v__v;#6Ndl^y3dK`Jpt%L5+=W+`=60q7^=L`4p4n zOB}%n?cOt1@g0{iKPh$M4%#2wM|*dKn|R{#hw~@F!X|BxrrOG>WU#(i3s(KgY^7Q% JM|+v;^gp5pFO&cP delta 426 zcmXZXKTE?<6o&CP6l+yXTmMz5)+jCx7F}Gmm|CQuK|$%}A_WI0_Y@IFQA($-f)0X0 zb#ZbPLGS}O=_KMN2rfQ{Wcr===H7Eontsc_y>P;cBdunopI+&7KpK&BJRuEY8#8!= zbNCqhjXcqKA+m^R@-n6{z&@;@i+gDI57GLZ;1J#w6l#p(iGv)zV>kXG`zSFPHFR-_ zoWlTj&>CK$E%<<4_>4CA6>abv+Mq9-M#qc3&!GL_ycbG&3ZH`>+{IzsM{C@O^EvjD zFL4y_(eAzAB7R^M^HWk1>u3WG(B2(k4bS5I8T*@}uuYSl*~EgI4oWN4Ql;!|mp8Z8 LHr6}!>~-cJrz$Wa diff --git a/evibes/locale/tr_TR/LC_MESSAGES/django.po b/evibes/locale/tr_TR/LC_MESSAGES/django.po index b53769ee..129e2522 100644 --- a/evibes/locale/tr_TR/LC_MESSAGES/django.po +++ b/evibes/locale/tr_TR/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: PACKAGE VERSION\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:51+0300\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" diff --git a/evibes/locale/vi_VN/LC_MESSAGES/django.mo b/evibes/locale/vi_VN/LC_MESSAGES/django.mo index 82d0c3b0a6167ddde9f7ce8c5698186353cf47af..60a4df4ebd276093258bb9e41304363ef1eb34d9 100644 GIT binary patch delta 424 zcmXZYze_@46vpvKDu_zE{t7{=n@Q0kdIuqb2;qh;E{AxZA5>c3t4%5=^l604m3X;ZaQVwG*;shJ$ ztvlPeO58=Of5jF2z-9cNI>ANaS>K&|xJA5;T&b3?NbGgaVi$FA4j*s<`^a1x;t9Uv z8D=+J{Wa!^@6qZ8XoJ6C636J_CkFU~Hc+ADzAu*|X_LeO32ShHHrW+gqg%8;>P_>H zXbs-*|D|w`IL1>f(#!_GK|7Byi#_b%6I#DY*||T@CPkt(+L@`PlHu`DBW(LYHKDrwRUTVv5mwIbn$_%j&{yZ~aoX&S2-rAwDG7^KNf zOzhokHjys8gFE{kPnYNOob#M}o^zkC`ggtCNrbh8w4ISkN$Jj$W+n9&q-pHqJjPf- zZ_#;#IpPPj`d6I64@~3Fz!=AgM|^kgVS%`aT&ciUDE2yMv5T5GjBOmlM`SK_@dV%T z46{qF{u;By_h@xbXoE*MfjykWPh7`ew1MXG?)ySMl$J?UNLYglw8^f}8r`D(QEQNY zMr-hf|1X6b#C<%)9L;R-8?^HVPGJih_=47Nb;Y?k$|gl3h>AmNsdP}@+AY_r{&Dr- MaA$uny3EAhA3tI;PXGV_ diff --git a/evibes/locale/vi_VN/LC_MESSAGES/django.po b/evibes/locale/vi_VN/LC_MESSAGES/django.po index b547a817..8d971774 100644 --- a/evibes/locale/vi_VN/LC_MESSAGES/django.po +++ b/evibes/locale/vi_VN/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: PACKAGE VERSION\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:51+0300\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" diff --git a/evibes/locale/zh_Hans/LC_MESSAGES/django.mo b/evibes/locale/zh_Hans/LC_MESSAGES/django.mo index abbd27ac39fc3b9851251e436133297643491ec8..d83d8bb456db93884e55b491e781e179ec00c59a 100644 GIT binary patch delta 424 zcmXZYtxH2;6vy%37|5==>14v-?y6vLiZ6SCnO25VoJmBZ!Dh9HL2s~_Hmu5;X&?v- zf_cp%77?TV0~WL2!#!}}bI)_0^K$QPv)6ojNX0uTX*)0VGg5a(3M8$D(i}E$5)Y9_ zC+-za5#OQZ2ktYD5s%zg_Z_Y8Co)3c?q8@_%vMlJ8ii;L%2>b+kGF7*cn|A%fj0ON zXYmEC?#<6X+#j_5zc`QSD7m+YR=*O($wr%==y+lui(ELy2|RbN-5%yRzsCv=&=&kc xTO{E3*??)ZFORT;OE`{a?q!A-E4Udhr>nVa`)Ie-K3J$#YK`^k@HAh}{sXQ{Dm(xH delta 426 zcmXZYJxfAy6vy$OL}J}k6obHSwged!iAxO*5-RpgLahx!Z=fX_Zc9r`x##967&ryZ zZ7tCv(O7SwrLphf9=Pzi=YRg^;okdNxAxReMD2vs%t^hJ^pKaPB&`>v1>D3LJVhRz zyEm96eniU;+-FP@zq)Vk2U_1xWQ4xmzoH^BTfuzXC`4Z|~Myjm4A3ai@KFFuKSsr~d(7Co9PS diff --git a/evibes/locale/zh_Hans/LC_MESSAGES/django.po b/evibes/locale/zh_Hans/LC_MESSAGES/django.po index b46c3f85..b8c0506f 100644 --- a/evibes/locale/zh_Hans/LC_MESSAGES/django.po +++ b/evibes/locale/zh_Hans/LC_MESSAGES/django.po @@ -1,7 +1,7 @@ # msgid "" msgstr "" -"Project-Id-Version: PACKAGE VERSION\n" +"Project-Id-Version: EVIBES 2026.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2025-12-21 00:51+0300\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" diff --git a/evibes/settings/base.py b/evibes/settings/base.py index 34980f64..01cb7cfa 100644 --- a/evibes/settings/base.py +++ b/evibes/settings/base.py @@ -6,8 +6,8 @@ from typing import Any from django.core.exceptions import ImproperlyConfigured -EVIBES_VERSION = "2025.4" -RELEASE_DATE = datetime(2025, 12, 5) +EVIBES_VERSION = "2026.1" +RELEASE_DATE = datetime(2026, 1, 5) PROJECT_NAME = getenv("EVIBES_PROJECT_NAME", "eVibes") TASKBOARD_URL = getenv( diff --git a/evibes/settings/celery.py b/evibes/settings/celery.py index 17d3bd93..a57a85c5 100644 --- a/evibes/settings/celery.py +++ b/evibes/settings/celery.py @@ -60,9 +60,7 @@ CELERY_WORKER_HIJACK_ROOT_LOGGER = False CELERY_WORKER_PREFETCH_MULTIPLIER = 4 -CELERY_WORKER_MAX_TASKS_PER_CHILD = ( - 1000 -) +CELERY_WORKER_MAX_TASKS_PER_CHILD = 1000 CELERY_WORKER_DISABLE_RATE_LIMITS = False CELERY_TASK_ROUTES = { diff --git a/lessy.py b/lessy.py index 09733189..b7a63d1b 100755 --- a/lessy.py +++ b/lessy.py @@ -21,7 +21,11 @@ def run_script(script_name: str, *args) -> int: script_path = get_script_path(script_name) if not script_path.exists(): - click.secho(f"Error: Script '{script_name}' not found at {script_path}", fg="red", err=True) + click.secho( + f"Error: Script '{script_name}' not found at {script_path}", + fg="red", + err=True, + ) return 1 if OS == "windows": @@ -36,7 +40,11 @@ def run_script(script_name: str, *args) -> int: return result.returncode except FileNotFoundError: shell_name = "PowerShell" if OS == "windows" else "bash" - click.secho(f"Error: {shell_name} not found. Please ensure it's installed.", fg="red", err=True) + click.secho( + f"Error: {shell_name} not found. Please ensure it's installed.", + fg="red", + err=True, + ) return 127 except KeyboardInterrupt: click.secho("\nOperation cancelled by user.", fg="yellow") @@ -69,7 +77,12 @@ def restart(): @cli.command() -@click.option("-r", "--report", type=click.Choice(["xml", "html"]), help="Generate coverage report (xml or html)") +@click.option( + "-r", + "--report", + type=click.Choice(["xml", "html"]), + help="Generate coverage report (xml or html)", +) def test(report): args = [] if report: @@ -79,7 +92,9 @@ def test(report): @cli.command() def uninstall(): - if click.confirm("This will remove all Docker containers, volumes, and generated files. Continue?"): + if click.confirm( + "This will remove all Docker containers, volumes, and generated files. Continue?" + ): return sys.exit(run_script("uninstall")) else: click.secho("Uninstall cancelled.", fg="yellow") @@ -113,16 +128,16 @@ def compile_messages(): @cli.command() def info(): - click.echo(f"{'='*60}") + click.echo(f"{'=' * 60}") click.secho("lessy - eVibes Project CLI", fg="cyan", bold=True) - click.echo(f"{'='*60}") + click.echo(f"{'=' * 60}") click.echo(f"Operating System: {platform.system()} ({platform.release()})") click.echo(f"Python Version: {platform.python_version()}") click.echo(f"Architecture: {platform.machine()}") click.echo(f"Project Root: {PROJECT_ROOT}") click.echo(f"Scripts Directory: {SCRIPTS_PATH}") click.echo(f"Script Extension: {SCRIPT_EXT}") - click.echo(f"{'='*60}") + click.echo(f"{'=' * 60}") if __name__ == "__main__": diff --git a/pyproject.toml b/pyproject.toml index 399f8f53..df7713f7 100644 --- a/pyproject.toml +++ b/pyproject.toml @@ -1,6 +1,6 @@ [project] name = "eVibes" -version = "2025.4" +version = "2026.1" description = "eVibes — your store without the extra baggage. Everything works out of the box: storefront, product catalog, cart, and orders. Minimal complexity, maximum flexibility — install, adjust to your needs, and start selling." authors = [{ name = "fureunoir", email = "contact@fureunoir.com" }] readme = "README.md" diff --git a/uv.lock b/uv.lock index e57c943f..54adb506 100644 --- a/uv.lock +++ b/uv.lock @@ -1326,7 +1326,7 @@ wheels = [ [[package]] name = "evibes" -version = "2025.4" +version = "2026.1" source = { virtual = "." } dependencies = [ { name = "aiogram" }, From afaab0354eb6b09d224fc93c07837278c6560028 Mon Sep 17 00:00:00 2001 From: fureunoir Date: Sun, 4 Jan 2026 20:55:28 +0300 Subject: [PATCH 4/4] 2026.1 --- uv.lock | 126 ++++++++++++++++++++++++++++---------------------------- 1 file changed, 62 insertions(+), 64 deletions(-) diff --git a/uv.lock b/uv.lock index 54adb506..9b7b9bf9 100644 --- a/uv.lock +++ b/uv.lock @@ -39,7 +39,7 @@ wheels = [ [[package]] name = "aiohttp" -version = "3.13.2" +version = "3.13.3" source = { registry = "https://pypi.org/simple" } dependencies = [ { name = "aiohappyeyeballs" }, @@ -50,42 +50,42 @@ dependencies = [ { name = "propcache" }, { name = "yarl" }, ] -sdist = { url = "https://files.pythonhosted.org/packages/1c/ce/3b83ebba6b3207a7135e5fcaba49706f8a4b6008153b4e30540c982fae26/aiohttp-3.13.2.tar.gz", hash = "sha256:40176a52c186aefef6eb3cad2cdd30cd06e3afbe88fe8ab2af9c0b90f228daca", size = 7837994, upload-time = "2025-10-28T20:59:39.937Z" } +sdist = { url = "https://files.pythonhosted.org/packages/50/42/32cf8e7704ceb4481406eb87161349abb46a57fee3f008ba9cb610968646/aiohttp-3.13.3.tar.gz", hash = "sha256:a949eee43d3782f2daae4f4a2819b2cb9b0c5d3b7f7a927067cc84dafdbb9f88", size = 7844556, upload-time = "2026-01-03T17:33:05.204Z" } wheels = [ - { url = "https://files.pythonhosted.org/packages/29/9b/01f00e9856d0a73260e86dd8ed0c2234a466c5c1712ce1c281548df39777/aiohttp-3.13.2-cp312-cp312-macosx_10_13_universal2.whl", hash = "sha256:b1e56bab2e12b2b9ed300218c351ee2a3d8c8fdab5b1ec6193e11a817767e47b", size = 737623, upload-time = "2025-10-28T20:56:30.797Z" }, - { url = "https://files.pythonhosted.org/packages/5a/1b/4be39c445e2b2bd0aab4ba736deb649fabf14f6757f405f0c9685019b9e9/aiohttp-3.13.2-cp312-cp312-macosx_10_13_x86_64.whl", hash = "sha256:364e25edaabd3d37b1db1f0cbcee8c73c9a3727bfa262b83e5e4cf3489a2a9dc", size = 492664, upload-time = "2025-10-28T20:56:32.708Z" }, - { url = "https://files.pythonhosted.org/packages/28/66/d35dcfea8050e131cdd731dff36434390479b4045a8d0b9d7111b0a968f1/aiohttp-3.13.2-cp312-cp312-macosx_11_0_arm64.whl", hash = "sha256:c5c94825f744694c4b8db20b71dba9a257cd2ba8e010a803042123f3a25d50d7", size = 491808, upload-time = "2025-10-28T20:56:34.57Z" }, - { url = "https://files.pythonhosted.org/packages/00/29/8e4609b93e10a853b65f8291e64985de66d4f5848c5637cddc70e98f01f8/aiohttp-3.13.2-cp312-cp312-manylinux2014_aarch64.manylinux_2_17_aarch64.manylinux_2_28_aarch64.whl", hash = "sha256:ba2715d842ffa787be87cbfce150d5e88c87a98e0b62e0f5aa489169a393dbbb", size = 1738863, upload-time = "2025-10-28T20:56:36.377Z" }, - { url = "https://files.pythonhosted.org/packages/9d/fa/4ebdf4adcc0def75ced1a0d2d227577cd7b1b85beb7edad85fcc87693c75/aiohttp-3.13.2-cp312-cp312-manylinux2014_armv7l.manylinux_2_17_armv7l.manylinux_2_31_armv7l.whl", hash = "sha256:585542825c4bc662221fb257889e011a5aa00f1ae4d75d1d246a5225289183e3", size = 1700586, upload-time = "2025-10-28T20:56:38.034Z" }, - { url = "https://files.pythonhosted.org/packages/da/04/73f5f02ff348a3558763ff6abe99c223381b0bace05cd4530a0258e52597/aiohttp-3.13.2-cp312-cp312-manylinux2014_ppc64le.manylinux_2_17_ppc64le.manylinux_2_28_ppc64le.whl", hash = "sha256:39d02cb6025fe1aabca329c5632f48c9532a3dabccd859e7e2f110668972331f", size = 1768625, upload-time = "2025-10-28T20:56:39.75Z" }, - { url = "https://files.pythonhosted.org/packages/f8/49/a825b79ffec124317265ca7d2344a86bcffeb960743487cb11988ffb3494/aiohttp-3.13.2-cp312-cp312-manylinux2014_s390x.manylinux_2_17_s390x.manylinux_2_28_s390x.whl", hash = "sha256:e67446b19e014d37342f7195f592a2a948141d15a312fe0e700c2fd2f03124f6", size = 1867281, upload-time = "2025-10-28T20:56:41.471Z" }, - { url = "https://files.pythonhosted.org/packages/b9/48/adf56e05f81eac31edcfae45c90928f4ad50ef2e3ea72cb8376162a368f8/aiohttp-3.13.2-cp312-cp312-manylinux2014_x86_64.manylinux_2_17_x86_64.manylinux_2_28_x86_64.whl", hash = "sha256:4356474ad6333e41ccefd39eae869ba15a6c5299c9c01dfdcfdd5c107be4363e", size = 1752431, upload-time = "2025-10-28T20:56:43.162Z" }, - { url = "https://files.pythonhosted.org/packages/30/ab/593855356eead019a74e862f21523db09c27f12fd24af72dbc3555b9bfd9/aiohttp-3.13.2-cp312-cp312-manylinux_2_31_riscv64.manylinux_2_39_riscv64.whl", hash = "sha256:eeacf451c99b4525f700f078becff32c32ec327b10dcf31306a8a52d78166de7", size = 1562846, upload-time = "2025-10-28T20:56:44.85Z" }, - { url = "https://files.pythonhosted.org/packages/39/0f/9f3d32271aa8dc35036e9668e31870a9d3b9542dd6b3e2c8a30931cb27ae/aiohttp-3.13.2-cp312-cp312-musllinux_1_2_aarch64.whl", hash = "sha256:d8a9b889aeabd7a4e9af0b7f4ab5ad94d42e7ff679aaec6d0db21e3b639ad58d", size = 1699606, upload-time = "2025-10-28T20:56:46.519Z" }, - { url = "https://files.pythonhosted.org/packages/2c/3c/52d2658c5699b6ef7692a3f7128b2d2d4d9775f2a68093f74bca06cf01e1/aiohttp-3.13.2-cp312-cp312-musllinux_1_2_armv7l.whl", hash = "sha256:fa89cb11bc71a63b69568d5b8a25c3ca25b6d54c15f907ca1c130d72f320b76b", size = 1720663, upload-time = "2025-10-28T20:56:48.528Z" }, - { url = "https://files.pythonhosted.org/packages/9b/d4/8f8f3ff1fb7fb9e3f04fcad4e89d8a1cd8fc7d05de67e3de5b15b33008ff/aiohttp-3.13.2-cp312-cp312-musllinux_1_2_ppc64le.whl", hash = "sha256:8aa7c807df234f693fed0ecd507192fc97692e61fee5702cdc11155d2e5cadc8", size = 1737939, upload-time = "2025-10-28T20:56:50.77Z" }, - { url = "https://files.pythonhosted.org/packages/03/d3/ddd348f8a27a634daae39a1b8e291ff19c77867af438af844bf8b7e3231b/aiohttp-3.13.2-cp312-cp312-musllinux_1_2_riscv64.whl", hash = "sha256:9eb3e33fdbe43f88c3c75fa608c25e7c47bbd80f48d012763cb67c47f39a7e16", size = 1555132, upload-time = "2025-10-28T20:56:52.568Z" }, - { url = "https://files.pythonhosted.org/packages/39/b8/46790692dc46218406f94374903ba47552f2f9f90dad554eed61bfb7b64c/aiohttp-3.13.2-cp312-cp312-musllinux_1_2_s390x.whl", hash = "sha256:9434bc0d80076138ea986833156c5a48c9c7a8abb0c96039ddbb4afc93184169", size = 1764802, upload-time = "2025-10-28T20:56:54.292Z" }, - { url = "https://files.pythonhosted.org/packages/ba/e4/19ce547b58ab2a385e5f0b8aa3db38674785085abcf79b6e0edd1632b12f/aiohttp-3.13.2-cp312-cp312-musllinux_1_2_x86_64.whl", hash = "sha256:ff15c147b2ad66da1f2cbb0622313f2242d8e6e8f9b79b5206c84523a4473248", size = 1719512, upload-time = "2025-10-28T20:56:56.428Z" }, - { url = "https://files.pythonhosted.org/packages/70/30/6355a737fed29dcb6dfdd48682d5790cb5eab050f7b4e01f49b121d3acad/aiohttp-3.13.2-cp312-cp312-win32.whl", hash = "sha256:27e569eb9d9e95dbd55c0fc3ec3a9335defbf1d8bc1d20171a49f3c4c607b93e", size = 426690, upload-time = "2025-10-28T20:56:58.736Z" }, - { url = "https://files.pythonhosted.org/packages/0a/0d/b10ac09069973d112de6ef980c1f6bb31cb7dcd0bc363acbdad58f927873/aiohttp-3.13.2-cp312-cp312-win_amd64.whl", hash = "sha256:8709a0f05d59a71f33fd05c17fc11fcb8c30140506e13c2f5e8ee1b8964e1b45", size = 453465, upload-time = "2025-10-28T20:57:00.795Z" }, - { url = "https://files.pythonhosted.org/packages/bf/78/7e90ca79e5aa39f9694dcfd74f4720782d3c6828113bb1f3197f7e7c4a56/aiohttp-3.13.2-cp313-cp313-macosx_10_13_universal2.whl", hash = "sha256:7519bdc7dfc1940d201651b52bf5e03f5503bda45ad6eacf64dda98be5b2b6be", size = 732139, upload-time = "2025-10-28T20:57:02.455Z" }, - { url = "https://files.pythonhosted.org/packages/db/ed/1f59215ab6853fbaa5c8495fa6cbc39edfc93553426152b75d82a5f32b76/aiohttp-3.13.2-cp313-cp313-macosx_10_13_x86_64.whl", hash = "sha256:088912a78b4d4f547a1f19c099d5a506df17eacec3c6f4375e2831ec1d995742", size = 490082, upload-time = "2025-10-28T20:57:04.784Z" }, - { url = "https://files.pythonhosted.org/packages/68/7b/fe0fe0f5e05e13629d893c760465173a15ad0039c0a5b0d0040995c8075e/aiohttp-3.13.2-cp313-cp313-macosx_11_0_arm64.whl", hash = "sha256:5276807b9de9092af38ed23ce120539ab0ac955547b38563a9ba4f5b07b95293", size = 489035, upload-time = "2025-10-28T20:57:06.894Z" }, - { url = "https://files.pythonhosted.org/packages/d2/04/db5279e38471b7ac801d7d36a57d1230feeee130bbe2a74f72731b23c2b1/aiohttp-3.13.2-cp313-cp313-manylinux2014_aarch64.manylinux_2_17_aarch64.manylinux_2_28_aarch64.whl", hash = "sha256:1237c1375eaef0db4dcd7c2559f42e8af7b87ea7d295b118c60c36a6e61cb811", size = 1720387, upload-time = "2025-10-28T20:57:08.685Z" }, - { url = "https://files.pythonhosted.org/packages/31/07/8ea4326bd7dae2bd59828f69d7fdc6e04523caa55e4a70f4a8725a7e4ed2/aiohttp-3.13.2-cp313-cp313-manylinux2014_armv7l.manylinux_2_17_armv7l.manylinux_2_31_armv7l.whl", hash = "sha256:96581619c57419c3d7d78703d5b78c1e5e5fc0172d60f555bdebaced82ded19a", size = 1688314, upload-time = "2025-10-28T20:57:10.693Z" }, - { url = "https://files.pythonhosted.org/packages/48/ab/3d98007b5b87ffd519d065225438cc3b668b2f245572a8cb53da5dd2b1bc/aiohttp-3.13.2-cp313-cp313-manylinux2014_ppc64le.manylinux_2_17_ppc64le.manylinux_2_28_ppc64le.whl", hash = "sha256:a2713a95b47374169409d18103366de1050fe0ea73db358fc7a7acb2880422d4", size = 1756317, upload-time = "2025-10-28T20:57:12.563Z" }, - { url = "https://files.pythonhosted.org/packages/97/3d/801ca172b3d857fafb7b50c7c03f91b72b867a13abca982ed6b3081774ef/aiohttp-3.13.2-cp313-cp313-manylinux2014_s390x.manylinux_2_17_s390x.manylinux_2_28_s390x.whl", hash = "sha256:228a1cd556b3caca590e9511a89444925da87d35219a49ab5da0c36d2d943a6a", size = 1858539, upload-time = "2025-10-28T20:57:14.623Z" }, - { url = "https://files.pythonhosted.org/packages/f7/0d/4764669bdf47bd472899b3d3db91fffbe925c8e3038ec591a2fd2ad6a14d/aiohttp-3.13.2-cp313-cp313-manylinux2014_x86_64.manylinux_2_17_x86_64.manylinux_2_28_x86_64.whl", hash = "sha256:ac6cde5fba8d7d8c6ac963dbb0256a9854e9fafff52fbcc58fdf819357892c3e", size = 1739597, upload-time = "2025-10-28T20:57:16.399Z" }, - { url = "https://files.pythonhosted.org/packages/c4/52/7bd3c6693da58ba16e657eb904a5b6decfc48ecd06e9ac098591653b1566/aiohttp-3.13.2-cp313-cp313-manylinux_2_31_riscv64.manylinux_2_39_riscv64.whl", hash = "sha256:f2bef8237544f4e42878c61cef4e2839fee6346dc60f5739f876a9c50be7fcdb", size = 1555006, upload-time = "2025-10-28T20:57:18.288Z" }, - { url = "https://files.pythonhosted.org/packages/48/30/9586667acec5993b6f41d2ebcf96e97a1255a85f62f3c653110a5de4d346/aiohttp-3.13.2-cp313-cp313-musllinux_1_2_aarch64.whl", hash = "sha256:16f15a4eac3bc2d76c45f7ebdd48a65d41b242eb6c31c2245463b40b34584ded", size = 1683220, upload-time = "2025-10-28T20:57:20.241Z" }, - { url = "https://files.pythonhosted.org/packages/71/01/3afe4c96854cfd7b30d78333852e8e851dceaec1c40fd00fec90c6402dd2/aiohttp-3.13.2-cp313-cp313-musllinux_1_2_armv7l.whl", hash = "sha256:bb7fb776645af5cc58ab804c58d7eba545a97e047254a52ce89c157b5af6cd0b", size = 1712570, upload-time = "2025-10-28T20:57:22.253Z" }, - { url = "https://files.pythonhosted.org/packages/11/2c/22799d8e720f4697a9e66fd9c02479e40a49de3de2f0bbe7f9f78a987808/aiohttp-3.13.2-cp313-cp313-musllinux_1_2_ppc64le.whl", hash = "sha256:e1b4951125ec10c70802f2cb09736c895861cd39fd9dcb35107b4dc8ae6220b8", size = 1733407, upload-time = "2025-10-28T20:57:24.37Z" }, - { url = "https://files.pythonhosted.org/packages/34/cb/90f15dd029f07cebbd91f8238a8b363978b530cd128488085b5703683594/aiohttp-3.13.2-cp313-cp313-musllinux_1_2_riscv64.whl", hash = "sha256:550bf765101ae721ee1d37d8095f47b1f220650f85fe1af37a90ce75bab89d04", size = 1550093, upload-time = "2025-10-28T20:57:26.257Z" }, - { url = "https://files.pythonhosted.org/packages/69/46/12dce9be9d3303ecbf4d30ad45a7683dc63d90733c2d9fe512be6716cd40/aiohttp-3.13.2-cp313-cp313-musllinux_1_2_s390x.whl", hash = "sha256:fe91b87fc295973096251e2d25a811388e7d8adf3bd2b97ef6ae78bc4ac6c476", size = 1758084, upload-time = "2025-10-28T20:57:28.349Z" }, - { url = "https://files.pythonhosted.org/packages/f9/c8/0932b558da0c302ffd639fc6362a313b98fdf235dc417bc2493da8394df7/aiohttp-3.13.2-cp313-cp313-musllinux_1_2_x86_64.whl", hash = "sha256:e0c8e31cfcc4592cb200160344b2fb6ae0f9e4effe06c644b5a125d4ae5ebe23", size = 1716987, upload-time = "2025-10-28T20:57:30.233Z" }, - { url = "https://files.pythonhosted.org/packages/5d/8b/f5bd1a75003daed099baec373aed678f2e9b34f2ad40d85baa1368556396/aiohttp-3.13.2-cp313-cp313-win32.whl", hash = "sha256:0740f31a60848d6edb296a0df827473eede90c689b8f9f2a4cdde74889eb2254", size = 425859, upload-time = "2025-10-28T20:57:32.105Z" }, - { url = "https://files.pythonhosted.org/packages/5d/28/a8a9fc6957b2cee8902414e41816b5ab5536ecf43c3b1843c10e82c559b2/aiohttp-3.13.2-cp313-cp313-win_amd64.whl", hash = "sha256:a88d13e7ca367394908f8a276b89d04a3652044612b9a408a0bb22a5ed976a1a", size = 452192, upload-time = "2025-10-28T20:57:34.166Z" }, + { url = "https://files.pythonhosted.org/packages/a0/be/4fc11f202955a69e0db803a12a062b8379c970c7c84f4882b6da17337cc1/aiohttp-3.13.3-cp312-cp312-macosx_10_13_universal2.whl", hash = "sha256:b903a4dfee7d347e2d87697d0713be59e0b87925be030c9178c5faa58ea58d5c", size = 739732, upload-time = "2026-01-03T17:30:14.23Z" }, + { url = "https://files.pythonhosted.org/packages/97/2c/621d5b851f94fa0bb7430d6089b3aa970a9d9b75196bc93bb624b0db237a/aiohttp-3.13.3-cp312-cp312-macosx_10_13_x86_64.whl", hash = "sha256:a45530014d7a1e09f4a55f4f43097ba0fd155089372e105e4bff4ca76cb1b168", size = 494293, upload-time = "2026-01-03T17:30:15.96Z" }, + { url = "https://files.pythonhosted.org/packages/5d/43/4be01406b78e1be8320bb8316dc9c42dbab553d281c40364e0f862d5661c/aiohttp-3.13.3-cp312-cp312-macosx_11_0_arm64.whl", hash = "sha256:27234ef6d85c914f9efeb77ff616dbf4ad2380be0cda40b4db086ffc7ddd1b7d", size = 493533, upload-time = "2026-01-03T17:30:17.431Z" }, + { url = "https://files.pythonhosted.org/packages/8d/a8/5a35dc56a06a2c90d4742cbf35294396907027f80eea696637945a106f25/aiohttp-3.13.3-cp312-cp312-manylinux2014_aarch64.manylinux_2_17_aarch64.manylinux_2_28_aarch64.whl", hash = "sha256:d32764c6c9aafb7fb55366a224756387cd50bfa720f32b88e0e6fa45b27dcf29", size = 1737839, upload-time = "2026-01-03T17:30:19.422Z" }, + { url = "https://files.pythonhosted.org/packages/bf/62/4b9eeb331da56530bf2e198a297e5303e1c1ebdceeb00fe9b568a65c5a0c/aiohttp-3.13.3-cp312-cp312-manylinux2014_armv7l.manylinux_2_17_armv7l.manylinux_2_31_armv7l.whl", hash = "sha256:b1a6102b4d3ebc07dad44fbf07b45bb600300f15b552ddf1851b5390202ea2e3", size = 1703932, upload-time = "2026-01-03T17:30:21.756Z" }, + { url = "https://files.pythonhosted.org/packages/7c/f6/af16887b5d419e6a367095994c0b1332d154f647e7dc2bd50e61876e8e3d/aiohttp-3.13.3-cp312-cp312-manylinux2014_ppc64le.manylinux_2_17_ppc64le.manylinux_2_28_ppc64le.whl", hash = "sha256:c014c7ea7fb775dd015b2d3137378b7be0249a448a1612268b5a90c2d81de04d", size = 1771906, upload-time = "2026-01-03T17:30:23.932Z" }, + { url = "https://files.pythonhosted.org/packages/ce/83/397c634b1bcc24292fa1e0c7822800f9f6569e32934bdeef09dae7992dfb/aiohttp-3.13.3-cp312-cp312-manylinux2014_s390x.manylinux_2_17_s390x.manylinux_2_28_s390x.whl", hash = "sha256:2b8d8ddba8f95ba17582226f80e2de99c7a7948e66490ef8d947e272a93e9463", size = 1871020, upload-time = "2026-01-03T17:30:26Z" }, + { url = "https://files.pythonhosted.org/packages/86/f6/a62cbbf13f0ac80a70f71b1672feba90fdb21fd7abd8dbf25c0105fb6fa3/aiohttp-3.13.3-cp312-cp312-manylinux2014_x86_64.manylinux_2_17_x86_64.manylinux_2_28_x86_64.whl", hash = "sha256:9ae8dd55c8e6c4257eae3a20fd2c8f41edaea5992ed67156642493b8daf3cecc", size = 1755181, upload-time = "2026-01-03T17:30:27.554Z" }, + { url = "https://files.pythonhosted.org/packages/0a/87/20a35ad487efdd3fba93d5843efdfaa62d2f1479eaafa7453398a44faf13/aiohttp-3.13.3-cp312-cp312-manylinux_2_31_riscv64.manylinux_2_39_riscv64.whl", hash = "sha256:01ad2529d4b5035578f5081606a465f3b814c542882804e2e8cda61adf5c71bf", size = 1561794, upload-time = "2026-01-03T17:30:29.254Z" }, + { url = "https://files.pythonhosted.org/packages/de/95/8fd69a66682012f6716e1bc09ef8a1a2a91922c5725cb904689f112309c4/aiohttp-3.13.3-cp312-cp312-musllinux_1_2_aarch64.whl", hash = "sha256:bb4f7475e359992b580559e008c598091c45b5088f28614e855e42d39c2f1033", size = 1697900, upload-time = "2026-01-03T17:30:31.033Z" }, + { url = "https://files.pythonhosted.org/packages/e5/66/7b94b3b5ba70e955ff597672dad1691333080e37f50280178967aff68657/aiohttp-3.13.3-cp312-cp312-musllinux_1_2_armv7l.whl", hash = "sha256:c19b90316ad3b24c69cd78d5c9b4f3aa4497643685901185b65166293d36a00f", size = 1728239, upload-time = "2026-01-03T17:30:32.703Z" }, + { url = "https://files.pythonhosted.org/packages/47/71/6f72f77f9f7d74719692ab65a2a0252584bf8d5f301e2ecb4c0da734530a/aiohttp-3.13.3-cp312-cp312-musllinux_1_2_ppc64le.whl", hash = "sha256:96d604498a7c782cb15a51c406acaea70d8c027ee6b90c569baa6e7b93073679", size = 1740527, upload-time = "2026-01-03T17:30:34.695Z" }, + { url = "https://files.pythonhosted.org/packages/fa/b4/75ec16cbbd5c01bdaf4a05b19e103e78d7ce1ef7c80867eb0ace42ff4488/aiohttp-3.13.3-cp312-cp312-musllinux_1_2_riscv64.whl", hash = "sha256:084911a532763e9d3dd95adf78a78f4096cd5f58cdc18e6fdbc1b58417a45423", size = 1554489, upload-time = "2026-01-03T17:30:36.864Z" }, + { url = "https://files.pythonhosted.org/packages/52/8f/bc518c0eea29f8406dcf7ed1f96c9b48e3bc3995a96159b3fc11f9e08321/aiohttp-3.13.3-cp312-cp312-musllinux_1_2_s390x.whl", hash = "sha256:7a4a94eb787e606d0a09404b9c38c113d3b099d508021faa615d70a0131907ce", size = 1767852, upload-time = "2026-01-03T17:30:39.433Z" }, + { url = "https://files.pythonhosted.org/packages/9d/f2/a07a75173124f31f11ea6f863dc44e6f09afe2bca45dd4e64979490deab1/aiohttp-3.13.3-cp312-cp312-musllinux_1_2_x86_64.whl", hash = "sha256:87797e645d9d8e222e04160ee32aa06bc5c163e8499f24db719e7852ec23093a", size = 1722379, upload-time = "2026-01-03T17:30:41.081Z" }, + { url = "https://files.pythonhosted.org/packages/3c/4a/1a3fee7c21350cac78e5c5cef711bac1b94feca07399f3d406972e2d8fcd/aiohttp-3.13.3-cp312-cp312-win32.whl", hash = "sha256:b04be762396457bef43f3597c991e192ee7da460a4953d7e647ee4b1c28e7046", size = 428253, upload-time = "2026-01-03T17:30:42.644Z" }, + { url = "https://files.pythonhosted.org/packages/d9/b7/76175c7cb4eb73d91ad63c34e29fc4f77c9386bba4a65b53ba8e05ee3c39/aiohttp-3.13.3-cp312-cp312-win_amd64.whl", hash = "sha256:e3531d63d3bdfa7e3ac5e9b27b2dd7ec9df3206a98e0b3445fa906f233264c57", size = 455407, upload-time = "2026-01-03T17:30:44.195Z" }, + { url = "https://files.pythonhosted.org/packages/97/8a/12ca489246ca1faaf5432844adbfce7ff2cc4997733e0af120869345643a/aiohttp-3.13.3-cp313-cp313-macosx_10_13_universal2.whl", hash = "sha256:5dff64413671b0d3e7d5918ea490bdccb97a4ad29b3f311ed423200b2203e01c", size = 734190, upload-time = "2026-01-03T17:30:45.832Z" }, + { url = "https://files.pythonhosted.org/packages/32/08/de43984c74ed1fca5c014808963cc83cb00d7bb06af228f132d33862ca76/aiohttp-3.13.3-cp313-cp313-macosx_10_13_x86_64.whl", hash = "sha256:87b9aab6d6ed88235aa2970294f496ff1a1f9adcd724d800e9b952395a80ffd9", size = 491783, upload-time = "2026-01-03T17:30:47.466Z" }, + { url = "https://files.pythonhosted.org/packages/17/f8/8dd2cf6112a5a76f81f81a5130c57ca829d101ad583ce57f889179accdda/aiohttp-3.13.3-cp313-cp313-macosx_11_0_arm64.whl", hash = "sha256:425c126c0dc43861e22cb1c14ba4c8e45d09516d0a3ae0a3f7494b79f5f233a3", size = 490704, upload-time = "2026-01-03T17:30:49.373Z" }, + { url = "https://files.pythonhosted.org/packages/6d/40/a46b03ca03936f832bc7eaa47cfbb1ad012ba1be4790122ee4f4f8cba074/aiohttp-3.13.3-cp313-cp313-manylinux2014_aarch64.manylinux_2_17_aarch64.manylinux_2_28_aarch64.whl", hash = "sha256:7f9120f7093c2a32d9647abcaf21e6ad275b4fbec5b55969f978b1a97c7c86bf", size = 1720652, upload-time = "2026-01-03T17:30:50.974Z" }, + { url = "https://files.pythonhosted.org/packages/f7/7e/917fe18e3607af92657e4285498f500dca797ff8c918bd7d90b05abf6c2a/aiohttp-3.13.3-cp313-cp313-manylinux2014_armv7l.manylinux_2_17_armv7l.manylinux_2_31_armv7l.whl", hash = "sha256:697753042d57f4bf7122cab985bf15d0cef23c770864580f5af4f52023a56bd6", size = 1692014, upload-time = "2026-01-03T17:30:52.729Z" }, + { url = "https://files.pythonhosted.org/packages/71/b6/cefa4cbc00d315d68973b671cf105b21a609c12b82d52e5d0c9ae61d2a09/aiohttp-3.13.3-cp313-cp313-manylinux2014_ppc64le.manylinux_2_17_ppc64le.manylinux_2_28_ppc64le.whl", hash = "sha256:6de499a1a44e7de70735d0b39f67c8f25eb3d91eb3103be99ca0fa882cdd987d", size = 1759777, upload-time = "2026-01-03T17:30:54.537Z" }, + { url = "https://files.pythonhosted.org/packages/fb/e3/e06ee07b45e59e6d81498b591fc589629be1553abb2a82ce33efe2a7b068/aiohttp-3.13.3-cp313-cp313-manylinux2014_s390x.manylinux_2_17_s390x.manylinux_2_28_s390x.whl", hash = "sha256:37239e9f9a7ea9ac5bf6b92b0260b01f8a22281996da609206a84df860bc1261", size = 1861276, upload-time = "2026-01-03T17:30:56.512Z" }, + { url = "https://files.pythonhosted.org/packages/7c/24/75d274228acf35ceeb2850b8ce04de9dd7355ff7a0b49d607ee60c29c518/aiohttp-3.13.3-cp313-cp313-manylinux2014_x86_64.manylinux_2_17_x86_64.manylinux_2_28_x86_64.whl", hash = "sha256:f76c1e3fe7d7c8afad7ed193f89a292e1999608170dcc9751a7462a87dfd5bc0", size = 1743131, upload-time = "2026-01-03T17:30:58.256Z" }, + { url = "https://files.pythonhosted.org/packages/04/98/3d21dde21889b17ca2eea54fdcff21b27b93f45b7bb94ca029c31ab59dc3/aiohttp-3.13.3-cp313-cp313-manylinux_2_31_riscv64.manylinux_2_39_riscv64.whl", hash = "sha256:fc290605db2a917f6e81b0e1e0796469871f5af381ce15c604a3c5c7e51cb730", size = 1556863, upload-time = "2026-01-03T17:31:00.445Z" }, + { url = "https://files.pythonhosted.org/packages/9e/84/da0c3ab1192eaf64782b03971ab4055b475d0db07b17eff925e8c93b3aa5/aiohttp-3.13.3-cp313-cp313-musllinux_1_2_aarch64.whl", hash = "sha256:4021b51936308aeea0367b8f006dc999ca02bc118a0cc78c303f50a2ff6afb91", size = 1682793, upload-time = "2026-01-03T17:31:03.024Z" }, + { url = "https://files.pythonhosted.org/packages/ff/0f/5802ada182f575afa02cbd0ec5180d7e13a402afb7c2c03a9aa5e5d49060/aiohttp-3.13.3-cp313-cp313-musllinux_1_2_armv7l.whl", hash = "sha256:49a03727c1bba9a97d3e93c9f93ca03a57300f484b6e935463099841261195d3", size = 1716676, upload-time = "2026-01-03T17:31:04.842Z" }, + { url = "https://files.pythonhosted.org/packages/3f/8c/714d53bd8b5a4560667f7bbbb06b20c2382f9c7847d198370ec6526af39c/aiohttp-3.13.3-cp313-cp313-musllinux_1_2_ppc64le.whl", hash = "sha256:3d9908a48eb7416dc1f4524e69f1d32e5d90e3981e4e37eb0aa1cd18f9cfa2a4", size = 1733217, upload-time = "2026-01-03T17:31:06.868Z" }, + { url = "https://files.pythonhosted.org/packages/7d/79/e2176f46d2e963facea939f5be2d26368ce543622be6f00a12844d3c991f/aiohttp-3.13.3-cp313-cp313-musllinux_1_2_riscv64.whl", hash = "sha256:2712039939ec963c237286113c68dbad80a82a4281543f3abf766d9d73228998", size = 1552303, upload-time = "2026-01-03T17:31:08.958Z" }, + { url = "https://files.pythonhosted.org/packages/ab/6a/28ed4dea1759916090587d1fe57087b03e6c784a642b85ef48217b0277ae/aiohttp-3.13.3-cp313-cp313-musllinux_1_2_s390x.whl", hash = "sha256:7bfdc049127717581866fa4708791220970ce291c23e28ccf3922c700740fdc0", size = 1763673, upload-time = "2026-01-03T17:31:10.676Z" }, + { url = "https://files.pythonhosted.org/packages/e8/35/4a3daeb8b9fab49240d21c04d50732313295e4bd813a465d840236dd0ce1/aiohttp-3.13.3-cp313-cp313-musllinux_1_2_x86_64.whl", hash = "sha256:8057c98e0c8472d8846b9c79f56766bcc57e3e8ac7bfd510482332366c56c591", size = 1721120, upload-time = "2026-01-03T17:31:12.575Z" }, + { url = "https://files.pythonhosted.org/packages/bc/9f/d643bb3c5fb99547323e635e251c609fbbc660d983144cfebec529e09264/aiohttp-3.13.3-cp313-cp313-win32.whl", hash = "sha256:1449ceddcdbcf2e0446957863af03ebaaa03f94c090f945411b61269e2cb5daf", size = 427383, upload-time = "2026-01-03T17:31:14.382Z" }, + { url = "https://files.pythonhosted.org/packages/4e/f1/ab0395f8a79933577cdd996dd2f9aa6014af9535f65dddcf88204682fe62/aiohttp-3.13.3-cp313-cp313-win_amd64.whl", hash = "sha256:693781c45a4033d31d4187d2436f5ac701e7bbfe5df40d917736108c1cc7436e", size = 453899, upload-time = "2026-01-03T17:31:15.958Z" }, ] [[package]] @@ -394,11 +394,11 @@ wheels = [ [[package]] name = "certifi" -version = "2025.11.12" +version = "2026.1.4" source = { registry = "https://pypi.org/simple" } -sdist = { url = "https://files.pythonhosted.org/packages/a2/8c/58f469717fa48465e4a50c014a0400602d3c437d7c0c468e17ada824da3a/certifi-2025.11.12.tar.gz", hash = "sha256:d8ab5478f2ecd78af242878415affce761ca6bc54a22a27e026d7c25357c3316", size = 160538, upload-time = "2025-11-12T02:54:51.517Z" } +sdist = { url = "https://files.pythonhosted.org/packages/e0/2d/a891ca51311197f6ad14a7ef42e2399f36cf2f9bd44752b3dc4eab60fdc5/certifi-2026.1.4.tar.gz", hash = "sha256:ac726dd470482006e014ad384921ed6438c457018f4b3d204aea4281258b2120", size = 154268, upload-time = "2026-01-04T02:42:41.825Z" } wheels = [ - { url = "https://files.pythonhosted.org/packages/70/7d/9bc192684cea499815ff478dfcdc13835ddf401365057044fb721ec6bddb/certifi-2025.11.12-py3-none-any.whl", hash = "sha256:97de8790030bbd5c2d96b7ec782fc2f7820ef8dba6db909ccf95449f2d062d4b", size = 159438, upload-time = "2025-11-12T02:54:49.735Z" }, + { url = "https://files.pythonhosted.org/packages/e6/ad/3cc14f097111b4de0040c83a525973216457bbeeb63739ef1ed275c1c021/certifi-2026.1.4-py3-none-any.whl", hash = "sha256:9943707519e4add1115f44c2bc244f782c0249876bf51b6599fee1ffbedd685c", size = 152900, upload-time = "2026-01-04T02:42:40.15Z" }, ] [[package]] @@ -1972,11 +1972,11 @@ wheels = [ [[package]] name = "json5" -version = "0.12.1" +version = "0.13.0" source = { registry = "https://pypi.org/simple" } -sdist = { url = "https://files.pythonhosted.org/packages/12/ae/929aee9619e9eba9015207a9d2c1c54db18311da7eb4dcf6d41ad6f0eb67/json5-0.12.1.tar.gz", hash = "sha256:b2743e77b3242f8d03c143dd975a6ec7c52e2f2afe76ed934e53503dd4ad4990", size = 52191, upload-time = "2025-08-12T19:47:42.583Z" } +sdist = { url = "https://files.pythonhosted.org/packages/77/e8/a3f261a66e4663f22700bc8a17c08cb83e91fbf086726e7a228398968981/json5-0.13.0.tar.gz", hash = "sha256:b1edf8d487721c0bf64d83c28e91280781f6e21f4a797d3261c7c828d4c165bf", size = 52441, upload-time = "2026-01-01T19:42:14.99Z" } wheels = [ - { url = "https://files.pythonhosted.org/packages/85/e2/05328bd2621be49a6fed9e3030b1e51a2d04537d3f816d211b9cc53c5262/json5-0.12.1-py3-none-any.whl", hash = "sha256:d9c9b3bc34a5f54d43c35e11ef7cb87d8bdd098c6ace87117a7b7e83e705c1d5", size = 36119, upload-time = "2025-08-12T19:47:41.131Z" }, + { url = "https://files.pythonhosted.org/packages/d7/9e/038522f50ceb7e74f1f991bf1b699f24b0c2bbe7c390dd36ad69f4582258/json5-0.13.0-py3-none-any.whl", hash = "sha256:9a08e1dd65f6a4d4c6fa82d216cf2477349ec2346a38fd70cc11d2557499fbcc", size = 36163, upload-time = "2026-01-01T19:42:13.962Z" }, ] [[package]] @@ -2228,7 +2228,7 @@ wheels = [ [[package]] name = "kombu" -version = "5.6.1" +version = "5.6.2" source = { registry = "https://pypi.org/simple" } dependencies = [ { name = "amqp" }, @@ -2236,9 +2236,9 @@ dependencies = [ { name = "tzdata" }, { name = "vine" }, ] -sdist = { url = "https://files.pythonhosted.org/packages/ac/05/749ada8e51718445d915af13f1d18bc4333848e8faa0cb234028a3328ec8/kombu-5.6.1.tar.gz", hash = "sha256:90f1febb57ad4f53ca327a87598191b2520e0c793c75ea3b88d98e3b111282e4", size = 471548, upload-time = "2025-11-25T11:07:33.504Z" } +sdist = { url = "https://files.pythonhosted.org/packages/b6/a5/607e533ed6c83ae1a696969b8e1c137dfebd5759a2e9682e26ff1b97740b/kombu-5.6.2.tar.gz", hash = "sha256:8060497058066c6f5aed7c26d7cd0d3b574990b09de842a8c5aaed0b92cc5a55", size = 472594, upload-time = "2025-12-29T20:30:07.779Z" } wheels = [ - { url = "https://files.pythonhosted.org/packages/14/d6/943cf84117cd9ddecf6e1707a3f712a49fc64abdb8ac31b19132871af1dd/kombu-5.6.1-py3-none-any.whl", hash = "sha256:b69e3f5527ec32fc5196028a36376501682973e9620d6175d1c3d4eaf7e95409", size = 214141, upload-time = "2025-11-25T11:07:31.54Z" }, + { url = "https://files.pythonhosted.org/packages/fb/0f/834427d8c03ff1d7e867d3db3d176470c64871753252b21b4f4897d1fa45/kombu-5.6.2-py3-none-any.whl", hash = "sha256:efcfc559da324d41d61ca311b0c64965ea35b4c55cc04ee36e55386145dace93", size = 214219, upload-time = "2025-12-29T20:30:05.74Z" }, ] [[package]] @@ -3179,27 +3179,25 @@ wheels = [ [[package]] name = "pynacl" -version = "1.6.1" +version = "1.6.2" source = { registry = "https://pypi.org/simple" } dependencies = [ { name = "cffi", marker = "platform_python_implementation != 'PyPy'" }, ] -sdist = { url = "https://files.pythonhosted.org/packages/b2/46/aeca065d227e2265125aea590c9c47fbf5786128c9400ee0eb7c88931f06/pynacl-1.6.1.tar.gz", hash = "sha256:8d361dac0309f2b6ad33b349a56cd163c98430d409fa503b10b70b3ad66eaa1d", size = 3506616, upload-time = "2025-11-10T16:02:13.195Z" } +sdist = { url = "https://files.pythonhosted.org/packages/d9/9a/4019b524b03a13438637b11538c82781a5eda427394380381af8f04f467a/pynacl-1.6.2.tar.gz", hash = "sha256:018494d6d696ae03c7e656e5e74cdfd8ea1326962cc401bcf018f1ed8436811c", size = 3511692, upload-time = "2026-01-01T17:48:10.851Z" } wheels = [ - { url = "https://files.pythonhosted.org/packages/49/41/3cfb3b4f3519f6ff62bf71bf1722547644bcfb1b05b8fdbdc300249ba113/pynacl-1.6.1-cp38-abi3-macosx_10_10_universal2.whl", hash = "sha256:a6f9fd6d6639b1e81115c7f8ff16b8dedba1e8098d2756275d63d208b0e32021", size = 387591, upload-time = "2025-11-10T16:01:49.1Z" }, - { url = "https://files.pythonhosted.org/packages/18/21/b8a6563637799f617a3960f659513eccb3fcc655d5fc2be6e9dc6416826f/pynacl-1.6.1-cp38-abi3-manylinux2014_aarch64.manylinux_2_17_aarch64.whl", hash = "sha256:e49a3f3d0da9f79c1bec2aa013261ab9fa651c7da045d376bd306cf7c1792993", size = 798866, upload-time = "2025-11-10T16:01:55.688Z" }, - { url = "https://files.pythonhosted.org/packages/e8/6c/dc38033bc3ea461e05ae8f15a81e0e67ab9a01861d352ae971c99de23e7c/pynacl-1.6.1-cp38-abi3-manylinux2014_x86_64.manylinux_2_17_x86_64.whl", hash = "sha256:7713f8977b5d25f54a811ec9efa2738ac592e846dd6e8a4d3f7578346a841078", size = 1398001, upload-time = "2025-11-10T16:01:57.101Z" }, - { url = "https://files.pythonhosted.org/packages/9f/05/3ec0796a9917100a62c5073b20c4bce7bf0fea49e99b7906d1699cc7b61b/pynacl-1.6.1-cp38-abi3-manylinux_2_26_aarch64.manylinux_2_28_aarch64.whl", hash = "sha256:5a3becafc1ee2e5ea7f9abc642f56b82dcf5be69b961e782a96ea52b55d8a9fc", size = 834024, upload-time = "2025-11-10T16:01:50.228Z" }, - { url = "https://files.pythonhosted.org/packages/f0/b7/ae9982be0f344f58d9c64a1c25d1f0125c79201634efe3c87305ac7cb3e3/pynacl-1.6.1-cp38-abi3-manylinux_2_26_x86_64.manylinux_2_28_x86_64.whl", hash = "sha256:4ce50d19f1566c391fedc8dc2f2f5be265ae214112ebe55315e41d1f36a7f0a9", size = 1436766, upload-time = "2025-11-10T16:01:51.886Z" }, - { url = "https://files.pythonhosted.org/packages/b4/51/b2ccbf89cf3025a02e044dd68a365cad593ebf70f532299f2c047d2b7714/pynacl-1.6.1-cp38-abi3-manylinux_2_34_aarch64.whl", hash = "sha256:543f869140f67d42b9b8d47f922552d7a967e6c116aad028c9bfc5f3f3b3a7b7", size = 817275, upload-time = "2025-11-10T16:01:53.351Z" }, - { url = "https://files.pythonhosted.org/packages/a8/6c/dd9ee8214edf63ac563b08a9b30f98d116942b621d39a751ac3256694536/pynacl-1.6.1-cp38-abi3-manylinux_2_34_x86_64.whl", hash = "sha256:a2bb472458c7ca959aeeff8401b8efef329b0fc44a89d3775cffe8fad3398ad8", size = 1401891, upload-time = "2025-11-10T16:01:54.587Z" }, - { url = "https://files.pythonhosted.org/packages/0f/c1/97d3e1c83772d78ee1db3053fd674bc6c524afbace2bfe8d419fd55d7ed1/pynacl-1.6.1-cp38-abi3-musllinux_1_1_aarch64.whl", hash = "sha256:3206fa98737fdc66d59b8782cecc3d37d30aeec4593d1c8c145825a345bba0f0", size = 772291, upload-time = "2025-11-10T16:01:58.111Z" }, - { url = "https://files.pythonhosted.org/packages/4d/ca/691ff2fe12f3bb3e43e8e8df4b806f6384593d427f635104d337b8e00291/pynacl-1.6.1-cp38-abi3-musllinux_1_1_x86_64.whl", hash = "sha256:53543b4f3d8acb344f75fd4d49f75e6572fce139f4bfb4815a9282296ff9f4c0", size = 1370839, upload-time = "2025-11-10T16:01:59.252Z" }, - { url = "https://files.pythonhosted.org/packages/30/27/06fe5389d30391fce006442246062cc35773c84fbcad0209fbbf5e173734/pynacl-1.6.1-cp38-abi3-musllinux_1_2_aarch64.whl", hash = "sha256:319de653ef84c4f04e045eb250e6101d23132372b0a61a7acf91bac0fda8e58c", size = 791371, upload-time = "2025-11-10T16:02:01.075Z" }, - { url = "https://files.pythonhosted.org/packages/2c/7a/e2bde8c9d39074a5aa046c7d7953401608d1f16f71e237f4bef3fb9d7e49/pynacl-1.6.1-cp38-abi3-musllinux_1_2_x86_64.whl", hash = "sha256:262a8de6bba4aee8a66f5edf62c214b06647461c9b6b641f8cd0cb1e3b3196fe", size = 1363031, upload-time = "2025-11-10T16:02:02.656Z" }, - { url = "https://files.pythonhosted.org/packages/dd/b6/63fd77264dae1087770a1bb414bc604470f58fbc21d83822fc9c76248076/pynacl-1.6.1-cp38-abi3-win32.whl", hash = "sha256:9fd1a4eb03caf8a2fe27b515a998d26923adb9ddb68db78e35ca2875a3830dde", size = 226585, upload-time = "2025-11-10T16:02:07.116Z" }, - { url = "https://files.pythonhosted.org/packages/12/c8/b419180f3fdb72ab4d45e1d88580761c267c7ca6eda9a20dcbcba254efe6/pynacl-1.6.1-cp38-abi3-win_amd64.whl", hash = "sha256:a569a4069a7855f963940040f35e87d8bc084cb2d6347428d5ad20550a0a1a21", size = 238923, upload-time = "2025-11-10T16:02:04.401Z" }, - { url = "https://files.pythonhosted.org/packages/35/76/c34426d532e4dce7ff36e4d92cb20f4cbbd94b619964b93d24e8f5b5510f/pynacl-1.6.1-cp38-abi3-win_arm64.whl", hash = "sha256:5953e8b8cfadb10889a6e7bd0f53041a745d1b3d30111386a1bb37af171e6daf", size = 183970, upload-time = "2025-11-10T16:02:05.786Z" }, + { url = "https://files.pythonhosted.org/packages/be/7b/4845bbf88e94586ec47a432da4e9107e3fc3ce37eb412b1398630a37f7dd/pynacl-1.6.2-cp38-abi3-macosx_10_10_universal2.whl", hash = "sha256:c949ea47e4206af7c8f604b8278093b674f7c79ed0d4719cc836902bf4517465", size = 388458, upload-time = "2026-01-01T17:32:16.829Z" }, + { url = "https://files.pythonhosted.org/packages/1e/b4/e927e0653ba63b02a4ca5b4d852a8d1d678afbf69b3dbf9c4d0785ac905c/pynacl-1.6.2-cp38-abi3-manylinux2014_aarch64.manylinux_2_17_aarch64.whl", hash = "sha256:8845c0631c0be43abdd865511c41eab235e0be69c81dc66a50911594198679b0", size = 800020, upload-time = "2026-01-01T17:32:18.34Z" }, + { url = "https://files.pythonhosted.org/packages/7f/81/d60984052df5c97b1d24365bc1e30024379b42c4edcd79d2436b1b9806f2/pynacl-1.6.2-cp38-abi3-manylinux2014_x86_64.manylinux_2_17_x86_64.whl", hash = "sha256:22de65bb9010a725b0dac248f353bb072969c94fa8d6b1f34b87d7953cf7bbe4", size = 1399174, upload-time = "2026-01-01T17:32:20.239Z" }, + { url = "https://files.pythonhosted.org/packages/68/f7/322f2f9915c4ef27d140101dd0ed26b479f7e6f5f183590fd32dfc48c4d3/pynacl-1.6.2-cp38-abi3-manylinux_2_26_aarch64.manylinux_2_28_aarch64.whl", hash = "sha256:46065496ab748469cdd999246d17e301b2c24ae2fdf739132e580a0e94c94a87", size = 835085, upload-time = "2026-01-01T17:32:22.24Z" }, + { url = "https://files.pythonhosted.org/packages/3e/d0/f301f83ac8dbe53442c5a43f6a39016f94f754d7a9815a875b65e218a307/pynacl-1.6.2-cp38-abi3-manylinux_2_26_x86_64.manylinux_2_28_x86_64.whl", hash = "sha256:8a66d6fb6ae7661c58995f9c6435bda2b1e68b54b598a6a10247bfcdadac996c", size = 1437614, upload-time = "2026-01-01T17:32:23.766Z" }, + { url = "https://files.pythonhosted.org/packages/c4/58/fc6e649762b029315325ace1a8c6be66125e42f67416d3dbd47b69563d61/pynacl-1.6.2-cp38-abi3-manylinux_2_34_aarch64.whl", hash = "sha256:26bfcd00dcf2cf160f122186af731ae30ab120c18e8375684ec2670dccd28130", size = 818251, upload-time = "2026-01-01T17:32:25.69Z" }, + { url = "https://files.pythonhosted.org/packages/c9/a8/b917096b1accc9acd878819a49d3d84875731a41eb665f6ebc826b1af99e/pynacl-1.6.2-cp38-abi3-manylinux_2_34_x86_64.whl", hash = "sha256:c8a231e36ec2cab018c4ad4358c386e36eede0319a0c41fed24f840b1dac59f6", size = 1402859, upload-time = "2026-01-01T17:32:27.215Z" }, + { url = "https://files.pythonhosted.org/packages/85/42/fe60b5f4473e12c72f977548e4028156f4d340b884c635ec6b063fe7e9a5/pynacl-1.6.2-cp38-abi3-musllinux_1_2_aarch64.whl", hash = "sha256:68be3a09455743ff9505491220b64440ced8973fe930f270c8e07ccfa25b1f9e", size = 791926, upload-time = "2026-01-01T17:32:29.314Z" }, + { url = "https://files.pythonhosted.org/packages/fa/f9/e40e318c604259301cc091a2a63f237d9e7b424c4851cafaea4ea7c4834e/pynacl-1.6.2-cp38-abi3-musllinux_1_2_x86_64.whl", hash = "sha256:8b097553b380236d51ed11356c953bf8ce36a29a3e596e934ecabe76c985a577", size = 1363101, upload-time = "2026-01-01T17:32:31.263Z" }, + { url = "https://files.pythonhosted.org/packages/48/47/e761c254f410c023a469284a9bc210933e18588ca87706ae93002c05114c/pynacl-1.6.2-cp38-abi3-win32.whl", hash = "sha256:5811c72b473b2f38f7e2a3dc4f8642e3a3e9b5e7317266e4ced1fba85cae41aa", size = 227421, upload-time = "2026-01-01T17:32:33.076Z" }, + { url = "https://files.pythonhosted.org/packages/41/ad/334600e8cacc7d86587fe5f565480fde569dfb487389c8e1be56ac21d8ac/pynacl-1.6.2-cp38-abi3-win_amd64.whl", hash = "sha256:62985f233210dee6548c223301b6c25440852e13d59a8b81490203c3227c5ba0", size = 239754, upload-time = "2026-01-01T17:32:34.557Z" }, + { url = "https://files.pythonhosted.org/packages/29/7d/5945b5af29534641820d3bd7b00962abbbdfee84ec7e19f0d5b3175f9a31/pynacl-1.6.2-cp38-abi3-win_arm64.whl", hash = "sha256:834a43af110f743a754448463e8fd61259cd4ab5bbedcf70f9dabad1d28a394c", size = 184801, upload-time = "2026-01-01T17:32:36.309Z" }, ] [[package]] @@ -3528,11 +3526,11 @@ wheels = [ [[package]] name = "send2trash" -version = "1.8.3" +version = "2.0.0" source = { registry = "https://pypi.org/simple" } -sdist = { url = "https://files.pythonhosted.org/packages/fd/3a/aec9b02217bb79b87bbc1a21bc6abc51e3d5dcf65c30487ac96c0908c722/Send2Trash-1.8.3.tar.gz", hash = "sha256:b18e7a3966d99871aefeb00cfbcfdced55ce4871194810fc71f4aa484b953abf", size = 17394, upload-time = "2024-04-07T00:01:09.267Z" } +sdist = { url = "https://files.pythonhosted.org/packages/62/6e/421803dec0c0dfbf5a27e66491ebe6643a461e4f90422f00ea4c68ae24aa/send2trash-2.0.0.tar.gz", hash = "sha256:1761421da3f9930bfe51ed7c45343948573383ad4c27e3acebc91be324e7770d", size = 17206, upload-time = "2025-12-31T04:12:48.664Z" } wheels = [ - { url = "https://files.pythonhosted.org/packages/40/b0/4562db6223154aa4e22f939003cb92514c79f3d4dccca3444253fd17f902/Send2Trash-1.8.3-py3-none-any.whl", hash = "sha256:0c31227e0bd08961c7665474a3d1ef7193929fedda4233843689baa056be46c9", size = 18072, upload-time = "2024-04-07T00:01:07.438Z" }, + { url = "https://files.pythonhosted.org/packages/1b/5a/f2f2e5eda25579f754acd83399c522ee03d6acbe001dfe53c8a1ec928b44/send2trash-2.0.0-py3-none-any.whl", hash = "sha256:e70d5ce41dbb890882cc78bc25d137478330b39a391e756fadf82e34da4d85b8", size = 17642, upload-time = "2025-12-31T04:12:45.336Z" }, ] [[package]]