From 73162635be029ad7c4927291a81525e7269c36a3 Mon Sep 17 00:00:00 2001 From: Egor fureunoir Gorbunov Date: Wed, 12 Nov 2025 10:25:33 +0300 Subject: [PATCH 1/5] Fixes: 1) Remove unused fields `small_logo` and `big_logo` from BrandDetailSerializer. Extra: 1) Cleanup related unused methods `get_small_logo` and `get_big_logo`. --- engine/core/serializers/detail.py | 12 ------------ 1 file changed, 12 deletions(-) diff --git a/engine/core/serializers/detail.py b/engine/core/serializers/detail.py index c41df7da..007e22bc 100644 --- a/engine/core/serializers/detail.py +++ b/engine/core/serializers/detail.py @@ -90,8 +90,6 @@ class CategoryDetailSerializer(ModelSerializer): class BrandDetailSerializer(ModelSerializer): categories = CategorySimpleSerializer(many=True) - small_logo = SerializerMethodField() - big_logo = SerializerMethodField() class Meta: model = Brand @@ -105,16 +103,6 @@ class BrandDetailSerializer(ModelSerializer): "small_logo", ] - def get_small_logo(self, obj: Brand) -> str | None: - with suppress(ValueError): - return obj.small_logo.url - return None - - def get_big_logo(self, obj: Brand) -> str | None: - with suppress(ValueError): - return obj.big_logo.url - return None - class BrandProductDetailSerializer(ModelSerializer): class Meta: From 0464c1b11b085495e5c34faf168238b268f92a74 Mon Sep 17 00:00:00 2001 From: Egor fureunoir Gorbunov Date: Wed, 12 Nov 2025 11:23:44 +0300 Subject: [PATCH 2/5] Features: 1) Introduced Telegram forwarder with bot functionality for message forwarding and user support; 2) Added new commands (`/start`, `/unlink`, `/help`) for Telegram bot; 3) Enabled webhook integration and message linking via Telegram. Fixes: 1) Replaced legacy `TELEGRAM_API_TOKEN` configuration with `TELEGRAM_TOKEN`; 2) Incorporated anti-spam checks for user messages to prevent abuse. Extra: Refactored websocket consumers by integrating Telegram support and enhancing thread-assignment workflows; improved logging and API consistency; minor cleanup and deprecations. --- engine/vibes_auth/messaging/consumers.py | 247 +++++++++++++++++- .../messaging/forwarders/__init__.py | 0 .../messaging/forwarders/telegram.py | 198 ++++++++++++++ engine/vibes_auth/messaging/services.py | 9 +- evibes/settings/constance.py | 2 - evibes/settings/extensions.py | 2 + 6 files changed, 445 insertions(+), 13 deletions(-) create mode 100644 engine/vibes_auth/messaging/forwarders/__init__.py create mode 100644 engine/vibes_auth/messaging/forwarders/telegram.py diff --git a/engine/vibes_auth/messaging/consumers.py b/engine/vibes_auth/messaging/consumers.py index 8d4c4488..9021ad32 100644 --- a/engine/vibes_auth/messaging/consumers.py +++ b/engine/vibes_auth/messaging/consumers.py @@ -2,16 +2,77 @@ from __future__ import annotations from typing import Any +from asgiref.sync import sync_to_async from channels.generic.websocket import AsyncJsonWebsocketConsumer from drf_spectacular_websocket.decorators import extend_ws_schema +from django.conf import settings +from django.core.cache import cache +from django.utils import timezone from engine.vibes_auth.docs.drf.messaging import ( STAFF_INBOX_CONSUMER_SCHEMA, THREAD_CONSUMER_SCHEMA, USER_MESSAGE_CONSUMER_SCHEMA, ) +from engine.vibes_auth.messaging.services import ( + STAFF_INBOX_GROUP, + THREAD_GROUP_PREFIX, + claim_thread, + close_thread, + get_or_create_user_thread, + send_message, +) +from engine.vibes_auth.models import ChatThread, User +from engine.vibes_auth.choices import SenderType, ThreadStatus MAX_MESSAGE_LENGTH = 1028 +USER_SUPPORT_GROUP_NAME = "User Support" +ANTISPAM_LIMIT_PER_MIN = getattr(settings, "MESSAGING_ANTISPAM_LIMIT_PER_MIN", 20) + + +def _get_ip(scope) -> str: + client = scope.get("client") + if client and isinstance(client, (list, tuple)) and client: + return str(client[0]) + return "0.0.0.0" + + +async def _is_user_support(user: Any) -> bool: + if not getattr(user, "is_authenticated", False) or not getattr(user, "is_staff", False): + return False + return await sync_to_async(user.groups.filter(name=USER_SUPPORT_GROUP_NAME).exists)() + + +async def _get_or_create_ip_thread(ip: str) -> ChatThread: + def _inner() -> ChatThread: + thread = ChatThread.objects.filter(attributes__ip=ip, status=ThreadStatus.OPEN).order_by("-modified").first() + if thread: + return thread + return ChatThread.objects.create(email="", attributes={"ip": ip}) + + return await sync_to_async(_inner)() + + +async def _get_or_create_active_thread_for(user: User | None, ip: str) -> ChatThread: + if user and getattr(user, "is_authenticated", False) and not getattr(user, "is_staff", False): + + def _inner_user() -> ChatThread: + t = ChatThread.objects.filter(user=user, status=ThreadStatus.OPEN).order_by("-modified").first() + if t: + return t + return get_or_create_user_thread(user) + + return await sync_to_async(_inner_user)() + return await _get_or_create_ip_thread(ip) + + +async def _antispam_check(ip: str) -> bool: + key = f"msg_rate:{ip}:{timezone.now().strftime('%Y%m%d%H%M')}" + cnt = cache.get(key, 0) + if cnt >= ANTISPAM_LIMIT_PER_MIN: + return False + cache.set(key, cnt + 1, timeout=70) + return True class UserMessageConsumer(AsyncJsonWebsocketConsumer): @@ -23,25 +84,139 @@ class UserMessageConsumer(AsyncJsonWebsocketConsumer): action = content.get("action") if action == "ping": await self.send_json({"type": "pong"}) - else: - text = content.get("text", "") - if isinstance(text, str) and len(text) <= MAX_MESSAGE_LENGTH: - await self.send_json({"echo": text}) - else: - await self.send_json({"error": "invalid_payload"}) + return + + text = content.get("text", "") + if not isinstance(text, str) or not (0 < len(text) <= MAX_MESSAGE_LENGTH): + await self.send_json({"error": "invalid_payload"}) + return + + ip = _get_ip(self.scope) + if not await _antispam_check(ip): + await self.send_json({"error": "rate_limited"}) + return + + user: User | None = self.scope.get("user") + thread = await _get_or_create_active_thread_for(user if user and user.is_authenticated else None, ip) + + msg = await sync_to_async(send_message)( + thread, + sender_user=user if user and user.is_authenticated and not user.is_staff else None, + sender_type=SenderType.USER, + text=text, + ) + + await self.send_json( + { + "ok": True, + "thread_id": str(thread.uuid), + "message_id": str(msg.uuid), + } + ) class StaffInboxConsumer(AsyncJsonWebsocketConsumer): async def connect(self) -> None: user = self.scope.get("user") - if not getattr(user, "is_staff", False): + if not await _is_user_support(user): await self.close(code=4403) return + await self.channel_layer.group_add(STAFF_INBOX_GROUP, self.channel_name) await self.accept() + async def disconnect(self, code: int) -> None: + await self.channel_layer.group_discard(STAFF_INBOX_GROUP, self.channel_name) + @extend_ws_schema(**STAFF_INBOX_CONSUMER_SCHEMA) async def receive_json(self, content: dict[str, Any], **kwargs) -> None: - await self.send_json({"ok": True}) + action = content.get("action") + user: User = self.scope.get("user") + + if action == "ping": + await self.send_json({"type": "pong"}) + return + + if action == "list_open": + + def _list(): + qs = ( + ChatThread.objects.filter(status=ThreadStatus.OPEN) + .values("uuid", "user_id", "email", "assigned_to_id", "last_message_at") + .order_by("-modified") + ) + return list(qs) + + data = await sync_to_async(_list)() + await self.send_json({"type": "inbox.list", "threads": data}) + return + + if action == "assign": + thread_id = content.get("thread_id") + if not thread_id: + await self.send_json({"error": "thread_id_required"}) + return + + def _assign(): + thread = ChatThread.objects.get(uuid=thread_id) + return claim_thread(thread, user) + + try: + t = await sync_to_async(_assign)() + await self.send_json({"type": "assigned", "thread_id": str(t.uuid), "user": str(user.uuid)}) + except Exception as e: # noqa: BLE001 + await self.send_json({"error": "assign_failed", "detail": str(e)}) + return + + if action == "reply": + thread_id = content.get("thread_id") + text = content.get("text", "") + if not thread_id or not isinstance(text, str) or not (0 < len(text) <= MAX_MESSAGE_LENGTH): + await self.send_json({"error": "invalid_payload"}) + return + + def _can_reply_and_send(): + thread = ChatThread.objects.get(uuid=thread_id) + if thread.assigned_to_id and thread.assigned_to_id != user.id and not user.is_superuser: + raise PermissionError("not_assigned") + return send_message(thread, sender_user=user, sender_type=SenderType.STAFF, text=text) + + try: + msg = await sync_to_async(_can_reply_and_send)() + await self.send_json({"type": "replied", "message_id": str(msg.uuid)}) + except Exception as e: # noqa: BLE001 + await self.send_json({"error": "reply_failed", "detail": str(e)}) + return + + if action == "close": + thread_id = content.get("thread_id") + if not thread_id: + await self.send_json({"error": "thread_id_required"}) + return + + def _close(): + thread = ChatThread.objects.get(uuid=thread_id) + return close_thread(thread, user) + + try: + t = await sync_to_async(_close)() + await self.send_json({"type": "closed", "thread_id": str(t.uuid)}) + except Exception as e: # noqa: BLE001 + await self.send_json({"error": "close_failed", "detail": str(e)}) + return + + await self.send_json({"error": "unknown_action"}) + + async def staff_thread_created(self, event): + await self.send_json({"type": "staff.thread.created", **{k: v for k, v in event.items() if k != "type"}}) + + async def staff_thread_assigned(self, event): + await self.send_json({"type": "staff.thread.assigned", **{k: v for k, v in event.items() if k != "type"}}) + + async def staff_thread_reassigned(self, event): + await self.send_json({"type": "staff.thread.reassigned", **{k: v for k, v in event.items() if k != "type"}}) + + async def staff_thread_closed(self, event): + await self.send_json({"type": "staff.thread.closed", **{k: v for k, v in event.items() if k != "type"}}) class ThreadConsumer(AsyncJsonWebsocketConsumer): @@ -49,12 +224,66 @@ class ThreadConsumer(AsyncJsonWebsocketConsumer): async def connect(self) -> None: user = self.scope.get("user") - if not getattr(user, "is_staff", False): + if not await _is_user_support(user): await self.close(code=4403) return self.thread_id = self.scope["url_route"]["kwargs"].get("thread_id") + await self.channel_layer.group_add(f"{THREAD_GROUP_PREFIX}{self.thread_id}", self.channel_name) await self.accept() + async def disconnect(self, code: int) -> None: + if self.thread_id: + await self.channel_layer.group_discard(f"{THREAD_GROUP_PREFIX}{self.thread_id}", self.channel_name) + @extend_ws_schema(**THREAD_CONSUMER_SCHEMA) async def receive_json(self, content: dict[str, Any], **kwargs) -> None: + action = content.get("action") + user: User = self.scope.get("user") + + if action == "ping": + await self.send_json({"type": "pong", "thread": getattr(self, "thread_id", None)}) + return + + if action == "reply": + text = content.get("text", "") + if not isinstance(text, str) or not (0 < len(text) <= MAX_MESSAGE_LENGTH): + await self.send_json({"error": "invalid_payload"}) + return + + def _reply(): + thread = ChatThread.objects.get(uuid=self.thread_id) + if thread.assigned_to_id and thread.assigned_to_id != user.id and not user.is_superuser: + raise PermissionError("not_assigned") + return send_message(thread, sender_user=user, sender_type=SenderType.STAFF, text=text) + + try: + msg = await sync_to_async(_reply)() + await self.send_json({"type": "replied", "message_id": str(msg.uuid)}) + except Exception as e: # noqa: BLE001 + await self.send_json({"error": "reply_failed", "detail": str(e)}) + return + + if action == "close": + + def _close(): + thread = ChatThread.objects.get(uuid=self.thread_id) + return close_thread(thread, user) + + try: + t = await sync_to_async(_close)() + await self.send_json({"type": "closed", "thread_id": str(t.uuid)}) + except Exception as e: # noqa: BLE001 + await self.send_json({"error": "close_failed", "detail": str(e)}) + return + await self.send_json({"thread": getattr(self, "thread_id", None), "ok": True}) + + async def thread_message(self, event): + await self.send_json({"type": "thread.message", **{k: v for k, v in event.items() if k != "type"}}) + + async def thread_closed(self, event): + await self.send_json({"type": "thread.closed", **{k: v for k, v in event.items() if k != "type"}}) + + +# TODO: Add functionality so non-staff users may audio call staff-user. The call must fall into the queue where +# staff users may take advantage of answering the call. Many non-staff users may call simultaneously, that's why we need the queue diff --git a/engine/vibes_auth/messaging/forwarders/__init__.py b/engine/vibes_auth/messaging/forwarders/__init__.py new file mode 100644 index 00000000..e69de29b diff --git a/engine/vibes_auth/messaging/forwarders/telegram.py b/engine/vibes_auth/messaging/forwarders/telegram.py new file mode 100644 index 00000000..a24d26e2 --- /dev/null +++ b/engine/vibes_auth/messaging/forwarders/telegram.py @@ -0,0 +1,198 @@ +from __future__ import annotations + +import asyncio +import logging +from contextlib import suppress +from typing import Optional + +from aiogram import Bot, Dispatcher, Router, types +from aiogram.enums import ParseMode +from aiogram.filters import Command +from aiogram.webhook.aiohttp_server import SimpleRequestHandler +from django.conf import settings +from django.contrib.auth import get_user_model +from django.db.models import Q + +from engine.vibes_auth.choices import SenderType +from engine.vibes_auth.messaging.services import send_message as svc_send_message +from engine.vibes_auth.models import ChatThread + +logger = logging.getLogger(__name__) + +USER_SUPPORT_GROUP_NAME = "User Support" + + +def is_telegram_enabled() -> bool: + return bool(settings.TELEGRAM_TOKEN) + + +def _get_bot() -> Optional["Bot"]: + if not is_telegram_enabled(): + logger.warning("Telegram forwarder disabled: missing aiogram or TELEGRAM_TOKEN") + return None + return Bot(token=settings.TELEGRAM_TOKEN, parse_mode=ParseMode.HTML) # type: ignore[arg-type] + + +def build_router() -> Optional["Router"]: + if not is_telegram_enabled(): + return None + + User = get_user_model() + router: Router = Router() + + @router.message(Command("start")) + async def cmd_start(message: types.Message): # type: ignore[valid-type] + parts = (message.text or "").split(maxsplit=1) + if len(parts) < 2: + await message.answer( + "Welcome! To link your account, send: /start ACTIVATION_TOKEN\n" + "You can find your activation token in your profile." + ) + return + token = parts[1].strip() + + def _link(): + try: + retrieved_user = User.objects.get(activation_token=token) + except User.DoesNotExist: # type: ignore[attr-defined] + return None + attrs = dict(retrieved_user.attributes or {}) + attrs["telegram_id"] = message.from_user.id if message.from_user else None # type: ignore[union-attr] + retrieved_user.attributes = attrs + retrieved_user.save(update_fields=["attributes", "modified"]) # type: ignore[attr-defined] + return retrieved_user + + user = await asyncio.to_thread(_link) + if not user: + await message.answer("Invalid activation token.") + return + await message.answer("Your Telegram account has been linked successfully.") + + @router.message(Command("unlink")) + async def cmd_unlink(message: types.Message): # type: ignore[valid-type] + tid = message.from_user.id if message.from_user else None # type: ignore[union-attr] + if not tid: + await message.answer("Cannot unlink: no Telegram user id.") + return + + def _unlink(): + q = Q(attributes__telegram_id=tid) + updated_query = User.objects.filter(q).update(attributes={}) + return updated_query + + updated = await asyncio.to_thread(_unlink) + if updated: + await message.answer("Unlinked successfully.") + else: + await message.answer("No linked account found.") + + @router.message(Command("help")) + async def cmd_help(message: types.Message): # type: ignore[valid-type] + await message.answer( + "Commands:\n" + "/start — link your account\n" + "/unlink — unlink your account\n" + "As staff, you may use: reply THREAD_UUID your message to respond." + ) + + @router.message() + async def any_message(message: types.Message): # type: ignore[valid-type] + if not message.from_user or not message.text: + return + tid = message.from_user.id + + def _resolve_staff_and_command(): + try: + staff_user = User.objects.get(attributes__telegram_id=tid, is_staff=True, is_active=True) + except User.DoesNotExist: # type: ignore[attr-defined] + return None, None, None + # group check + if not staff_user.groups.filter(name=USER_SUPPORT_GROUP_NAME).exists(): + return None, None, None + text = message.text.strip() + if text.lower().startswith("reply "): + parts = text.split(maxsplit=2) + if len(parts) < 3: + return staff_user, None, "Usage: reply " + thread_id, message_body = parts[1], parts[2] + try: + thread = ChatThread.objects.get(uuid=thread_id) + except ChatThread.DoesNotExist: + return staff_user, None, "Thread not found." + return staff_user, (thread, message_body), None + return staff_user, None, "Unknown command. Send /help" + + staff, payload, error = await asyncio.to_thread(_resolve_staff_and_command) + if not staff: + return + if error: + await message.answer(error) + return + if payload: + t, body = payload + + def _send(): + return svc_send_message(t, sender_user=staff, sender_type=SenderType.STAFF, text=body) + + await asyncio.to_thread(_send) + await message.answer("Sent.") + + return router + + +async def setup_webhook(webhook_base_url: str) -> None: + bot = _get_bot() + if not bot: + return + url = webhook_base_url.rstrip("/") + "/telegram/webhook/" + settings.TELEGRAM_TOKEN + with suppress(Exception): + await bot.delete_webhook(drop_pending_updates=True) + await bot.set_webhook(url=url, drop_pending_updates=True) + logger.info("Telegram webhook set to %s", url) + + +async def forward_thread_message_to_assigned_staff(thread_uuid: str, text: str) -> None: + """Forward a thread message to assigned staff via Telegram if possible. + + This is a best-effort; failures are logged and never raised. + """ + if not is_telegram_enabled(): + return + + def _resolve_chat_and_chat_id() -> tuple[Optional[int], Optional[str]]: + try: + t = ChatThread.objects.select_related("assigned_to").get(uuid=thread_uuid) + except ChatThread.DoesNotExist: + return None, None + staff = t.assigned_to + if not staff: + return None, None + attrs = staff.attributes or {} + chat_telegram_id = attrs.get("telegram_id") if isinstance(attrs, dict) else None + return int(chat_telegram_id) if chat_telegram_id else None, str(t.uuid) + + chat_id, _tid = await asyncio.to_thread(_resolve_chat_and_chat_id) + if not chat_id: + return + bot = _get_bot() + if not bot: + return + try: + await bot.send_message(chat_id=chat_id, text=text) + except Exception as exc: # noqa: BLE001 + logger.warning("Failed to forward Telegram message for thread %s: %s", _tid, exc) + + +def install_aiohttp_webhook(app) -> None: # pragma: no cover - integration helper + if not is_telegram_enabled(): + logger.warning("Telegram forwarder not installed: disabled") + return + dp = Dispatcher() # type: ignore[call-arg] + router = build_router() + if router: + dp.include_router(router) + bot = _get_bot() + if not bot: + return + SimpleRequestHandler(dispatcher=dp, bot=bot).register(app, path="/telegram/webhook/" + settings.TELEGRAM_TOKEN) # type: ignore[arg-type] + logger.info("Telegram webhook handler installed on aiohttp app.") diff --git a/engine/vibes_auth/messaging/services.py b/engine/vibes_auth/messaging/services.py index e4926448..18a9dfc4 100644 --- a/engine/vibes_auth/messaging/services.py +++ b/engine/vibes_auth/messaging/services.py @@ -11,8 +11,11 @@ from django.utils import timezone from django.utils.translation import gettext_lazy as _ from engine.vibes_auth.choices import SenderType, ThreadStatus -from engine.vibes_auth.models import ChatMessage, ChatThread -from engine.vibes_auth.models import User +from engine.vibes_auth.messaging.forwarders.telegram import ( + forward_thread_message_to_assigned_staff, + is_telegram_enabled, +) +from engine.vibes_auth.models import ChatMessage, ChatThread, User THREAD_GROUP_PREFIX = "thread:" STAFF_INBOX_GROUP = "staff:inbox" @@ -82,6 +85,8 @@ def send_message(thread: ChatThread, *, sender_user: User | None, sender_type: S }, ) if sender_type != SenderType.STAFF: + if is_telegram_enabled(): + async_to_sync(forward_thread_message_to_assigned_staff)(str(thread.uuid), text) auto_reply(thread) return msg diff --git a/evibes/settings/constance.py b/evibes/settings/constance.py index 2c52f41b..5181f7ea 100644 --- a/evibes/settings/constance.py +++ b/evibes/settings/constance.py @@ -35,7 +35,6 @@ CONSTANCE_CONFIG = OrderedDict( ("EMAIL_HOST_PASSWORD", (getenv("EMAIL_HOST_PASSWORD", "SUPERsecretPASSWORD"), _("SMTP password"))), ("EMAIL_FROM", (getenv("EMAIL_FROM", "eVibes"), _("Mail from option"))), ### Features Options ### - ("TELEGRAM_API_TOKEN", ("", _("Use Telegram-bot functionality"))), ("DAYS_TO_STORE_ANON_MSGS", (1, _("How many days we store messages from anonymous users"))), ("DAYS_TO_STORE_AUTH_MSGS", (365, _("How many days we store messages from authenticated users"))), ("DISABLED_COMMERCE", (getenv("DISABLED_COMMERCE", False), _("Disable buy functionality"))), @@ -71,7 +70,6 @@ CONSTANCE_CONFIG_FIELDSETS = OrderedDict( "EMAIL_FROM", ), gettext_noop("Features Options"): ( - "TELEGRAM_API_TOKEN", "DAYS_TO_STORE_ANON_MSGS", "DAYS_TO_STORE_AUTH_MSGS", "DISABLED_COMMERCE", diff --git a/evibes/settings/extensions.py b/evibes/settings/extensions.py index eed9c571..c3f74482 100644 --- a/evibes/settings/extensions.py +++ b/evibes/settings/extensions.py @@ -10,3 +10,5 @@ EXTENSIONS_MAX_UNIQUE_QUERY_ATTEMPTS = 500 HEALTHCHECK_CELERY_RESULT_TIMEOUT = 5 HEALTHCHECK_CELERY_QUEUE_TIMEOUT = 5 + +TELEGRAM_TOKEN = getenv("TELEGRAM_TOKEN", "") # noqa: F405 From 554769d48e54df3d3be06d8b08dd0ff5087d0b67 Mon Sep 17 00:00:00 2001 From: Egor fureunoir Gorbunov Date: Wed, 12 Nov 2025 11:37:34 +0300 Subject: [PATCH 3/5] Features: 1) Add detailed serializers for user messages, staff inbox, and thread consumers; 2) Update schema definitions to support new serializers with improved descriptions and summaries; 3) Introduce flexible event-based serializer for staff inbox actions. Fixes: 1) Replace generic serializers with context-specific implementations in schema definitions. Extra: 1) Minor code cleanup and reorganization for improved readability and maintainability; 2) Add comments for new serializers. --- engine/vibes_auth/docs/drf/messaging.py | 30 +++--- engine/vibes_auth/messaging/serializers.py | 105 ++++++++++++++++++++- 2 files changed, 120 insertions(+), 15 deletions(-) diff --git a/engine/vibes_auth/docs/drf/messaging.py b/engine/vibes_auth/docs/drf/messaging.py index 30d99ae1..6898b062 100644 --- a/engine/vibes_auth/docs/drf/messaging.py +++ b/engine/vibes_auth/docs/drf/messaging.py @@ -1,16 +1,22 @@ from drf_spectacular.utils import OpenApiParameter -from engine.vibes_auth.messaging.serializers import OkSerializer, PingPongSerializer, ThreadSerializer +from engine.vibes_auth.messaging.serializers import ( + StaffInboxEventSerializer, + ThreadOkResponseSerializer, + ThreadReplyRequestSerializer, + UserMessageRequestSerializer, + UserMessageResponseSerializer, +) USER_MESSAGE_CONSUMER_SCHEMA = { "tags": [ "messaging", ], "type": "send", - "summary": "some_method_summary", - "description": "some_method_description", - "request": PingPongSerializer, - "responses": PingPongSerializer, + "summary": _("User messages entrypoint"), + "description": _("Anonymous or authenticated non-staff users send messages. Also supports action=ping."), + "request": UserMessageRequestSerializer, + "responses": UserMessageResponseSerializer, } STAFF_INBOX_CONSUMER_SCHEMA = { @@ -18,9 +24,10 @@ STAFF_INBOX_CONSUMER_SCHEMA = { "messaging", ], "type": "send", - "summary": "some_method_summary", - "description": "some_method_description", - "responses": OkSerializer, + "summary": _("Staff inbox control"), + "description": _("Staff-only actions: list_open, assign, reply, close, ping. Unified event payloads are emitted."), + "request": StaffInboxEventSerializer, + "responses": StaffInboxEventSerializer, } THREAD_CONSUMER_SCHEMA = { @@ -28,8 +35,9 @@ THREAD_CONSUMER_SCHEMA = { "messaging", ], "type": "send", - "summary": "some_method_summary", - "description": "some_method_description", + "summary": _("Per-thread staff channel"), + "description": _("Reply, close, and ping within a specific thread."), "parameters": [OpenApiParameter(name="thread_id")], - "responses": ThreadSerializer, + "request": ThreadReplyRequestSerializer, + "responses": ThreadOkResponseSerializer, } diff --git a/engine/vibes_auth/messaging/serializers.py b/engine/vibes_auth/messaging/serializers.py index dcbf928a..ac2c9384 100644 --- a/engine/vibes_auth/messaging/serializers.py +++ b/engine/vibes_auth/messaging/serializers.py @@ -1,15 +1,112 @@ -from rest_framework.fields import CharField, BooleanField +from rest_framework.fields import CharField, BooleanField, IntegerField, ListField from rest_framework.serializers import Serializer -class PingPongSerializer(Serializer): +# Generic/common serializers +class ErrorResponseSerializer(Serializer): + error = CharField(required=True) + detail = CharField(required=False) + + +class PongResponseSerializer(Serializer): + type = CharField(required=True) + + +# User message consumer +class UserMessageRequestSerializer(Serializer): text = CharField(required=True) -class OkSerializer(Serializer): +class UserMessageResponseSerializer(Serializer): ok = BooleanField(required=True) + thread_id = CharField(required=True) + message_id = CharField(required=True) -class ThreadSerializer(Serializer): +# Staff inbox consumer +class InboxThreadItemSerializer(Serializer): + uuid = CharField(required=True) + user_id = IntegerField(required=False, allow_null=True) + email = CharField(required=True) + assigned_to_id = IntegerField(required=False, allow_null=True) + last_message_at = CharField(required=True) + + +class StaffInboxListResponseSerializer(Serializer): + type = CharField(required=True) + threads = ListField(child=InboxThreadItemSerializer()) + + +class StaffAssignRequestSerializer(Serializer): + action = CharField(required=True) + thread_id = CharField(required=True) + + +class StaffAssignResponseSerializer(Serializer): + type = CharField(required=True) + thread_id = CharField(required=True) + user = CharField(required=True) + + +class StaffReplyRequestSerializer(Serializer): + action = CharField(required=True) + thread_id = CharField(required=True) + text = CharField(required=True) + + +class StaffReplyResponseSerializer(Serializer): + type = CharField(required=True) + message_id = CharField(required=True) + + +class StaffCloseRequestSerializer(Serializer): + action = CharField(required=True) + thread_id = CharField(required=True) + + +class StaffCloseResponseSerializer(Serializer): + type = CharField(required=True) + thread_id = CharField(required=True) + + +class StaffInboxEventSerializer(Serializer): + """A flexible event serializer for staff inbox messages over WS.""" + + type = CharField(required=True) + # Optional fields depending on event type + threads = ListField(child=InboxThreadItemSerializer(), required=False) + thread_id = CharField(required=False) + user = CharField(required=False) + message_id = CharField(required=False) + error = CharField(required=False) + detail = CharField(required=False) + + +# Thread consumer +class ThreadReplyRequestSerializer(Serializer): + action = CharField(required=True) + text = CharField(required=True) + + +class ThreadReplyResponseSerializer(Serializer): + type = CharField(required=True) + message_id = CharField(required=True) + + +class ThreadCloseRequestSerializer(Serializer): + action = CharField(required=True) + + +class ThreadCloseResponseSerializer(Serializer): + type = CharField(required=True) + thread_id = CharField(required=True) + + +class ThreadOkResponseSerializer(Serializer): thread = CharField(required=True) ok = BooleanField(required=True) + + +class ThreadPongResponseSerializer(Serializer): + type = CharField(required=True) + thread = CharField(required=True) From de0cb836fcbfd3aa666f52214a2100d5a9d12acb Mon Sep 17 00:00:00 2001 From: Egor fureunoir Gorbunov Date: Wed, 12 Nov 2025 11:50:51 +0300 Subject: [PATCH 4/5] Features: 1) Add rate-limiting decorators for multiple API methods across core viewsets; 2) Add translation support to messaging documentation. Fixes: 1) Fix missing import for `send_message` moved to method scope in Telegram message handler; 2) Correct Swagger UI socket connection setting to `False`. Extra: 1) Minor code cleanup and reformatting in viewsets and settings. --- engine/core/viewsets.py | 13 +++++++++++++ engine/vibes_auth/docs/drf/messaging.py | 1 + engine/vibes_auth/messaging/forwarders/telegram.py | 3 ++- evibes/settings/drf.py | 2 +- 4 files changed, 17 insertions(+), 2 deletions(-) diff --git a/engine/core/viewsets.py b/engine/core/viewsets.py index 1ee307ef..dea0b3b7 100644 --- a/engine/core/viewsets.py +++ b/engine/core/viewsets.py @@ -266,6 +266,7 @@ class CategoryViewSet(EvibesViewSet): AllowAny, ], ) + @method_decorator(ratelimit(key="ip", rate="4/s" if not settings.DEBUG else "44/s")) def seo_meta(self, request: Request, *args, **kwargs) -> Response: category = self.get_object() @@ -506,6 +507,7 @@ class ProductViewSet(EvibesViewSet): # noinspection PyUnusedLocal @action(detail=True, methods=["get"], url_path="feedbacks") + @method_decorator(ratelimit(key="ip", rate="2/s" if not settings.DEBUG else "44/s")) def feedbacks(self, request: Request, *args, **kwargs) -> Response: product = self.get_object() qs = Feedback.objects.filter(order_product__product=product) @@ -522,6 +524,7 @@ class ProductViewSet(EvibesViewSet): AllowAny, ], ) + @method_decorator(ratelimit(key="ip", rate="4/s" if not settings.DEBUG else "44/s")) def seo_meta(self, request: Request, *args, **kwargs) -> Response: p = self.get_object() images = list(p.images.all()[:6]) @@ -561,6 +564,10 @@ class ProductViewSet(EvibesViewSet): } return Response(SeoSnapshotSerializer(payload).data) + @method_decorator(ratelimit(key="ip", rate="4/s" if not settings.DEBUG else "44/s")) + def retrieve(self, request, *args, **kwargs): + return super().retrieve(request, *args, **kwargs) + @extend_schema_view(**VENDOR_SCHEMA) class VendorViewSet(EvibesViewSet): @@ -665,6 +672,7 @@ class OrderViewSet(EvibesViewSet): return obj @action(detail=False, methods=["get"], url_path="current") + @method_decorator(ratelimit(key="ip", rate="1/s" if not settings.DEBUG else "44/s")) def current(self, request: Request, *args, **kwargs) -> Response: if not request.user.is_authenticated: raise PermissionDenied(permission_denied_message) @@ -678,6 +686,7 @@ class OrderViewSet(EvibesViewSet): ) @action(detail=True, methods=["post"], url_path="buy") + @method_decorator(ratelimit(key="ip", rate="1/s" if not settings.DEBUG else "44/s")) def buy(self, request: Request, *args, **kwargs) -> Response: serializer = BuyOrderSerializer(data=request.data) serializer.is_valid(raise_exception=True) @@ -731,6 +740,7 @@ class OrderViewSet(EvibesViewSet): return Response(status=status.HTTP_400_BAD_REQUEST, data={"detail": str(e)}) @action(detail=True, methods=["post"], url_path="add_order_product") + @method_decorator(ratelimit(key="ip", rate="1/s" if not settings.DEBUG else "44/s")) def add_order_product(self, request: Request, *args, **kwargs) -> Response: serializer = AddOrderProductSerializer(data=request.data) serializer.is_valid(raise_exception=True) @@ -750,6 +760,7 @@ class OrderViewSet(EvibesViewSet): return Response(status=status.HTTP_400_BAD_REQUEST, data={"detail": str(ve)}) @action(detail=True, methods=["post"], url_path="remove_order_product") + @method_decorator(ratelimit(key="ip", rate="1/s" if not settings.DEBUG else "44/s")) def remove_order_product(self, request: Request, *args, **kwargs) -> Response: serializer = RemoveOrderProductSerializer(data=request.data) serializer.is_valid(raise_exception=True) @@ -769,6 +780,7 @@ class OrderViewSet(EvibesViewSet): return Response(status=status.HTTP_400_BAD_REQUEST, data={"detail": str(ve)}) @action(detail=True, methods=["post"], url_path="bulk_add_order_products") + @method_decorator(ratelimit(key="ip", rate="1/s" if not settings.DEBUG else "44/s")) def bulk_add_order_products(self, request: Request, *args, **kwargs) -> Response: serializer = BulkAddOrderProductsSerializer(data=request.data) serializer.is_valid(raise_exception=True) @@ -788,6 +800,7 @@ class OrderViewSet(EvibesViewSet): return Response(status=status.HTTP_400_BAD_REQUEST, data={"detail": str(ve)}) @action(detail=True, methods=["post"], url_path="bulk_remove_order_products") + @method_decorator(ratelimit(key="ip", rate="1/s" if not settings.DEBUG else "44/s")) def bulk_remove_order_products(self, request: Request, *args, **kwargs) -> Response: serializer = BulkRemoveOrderProductsSerializer(data=request.data) serializer.is_valid(raise_exception=True) diff --git a/engine/vibes_auth/docs/drf/messaging.py b/engine/vibes_auth/docs/drf/messaging.py index 6898b062..8fe89f4f 100644 --- a/engine/vibes_auth/docs/drf/messaging.py +++ b/engine/vibes_auth/docs/drf/messaging.py @@ -1,3 +1,4 @@ +from django.utils.translation import gettext_lazy as _ from drf_spectacular.utils import OpenApiParameter from engine.vibes_auth.messaging.serializers import ( diff --git a/engine/vibes_auth/messaging/forwarders/telegram.py b/engine/vibes_auth/messaging/forwarders/telegram.py index a24d26e2..f8f09d58 100644 --- a/engine/vibes_auth/messaging/forwarders/telegram.py +++ b/engine/vibes_auth/messaging/forwarders/telegram.py @@ -14,7 +14,6 @@ from django.contrib.auth import get_user_model from django.db.models import Q from engine.vibes_auth.choices import SenderType -from engine.vibes_auth.messaging.services import send_message as svc_send_message from engine.vibes_auth.models import ChatThread logger = logging.getLogger(__name__) @@ -97,6 +96,8 @@ def build_router() -> Optional["Router"]: @router.message() async def any_message(message: types.Message): # type: ignore[valid-type] + from engine.vibes_auth.messaging.services import send_message as svc_send_message + if not message.from_user or not message.text: return tid = message.from_user.id diff --git a/evibes/settings/drf.py b/evibes/settings/drf.py index 5ac3f992..10710ce8 100644 --- a/evibes/settings/drf.py +++ b/evibes/settings/drf.py @@ -113,7 +113,7 @@ SPECTACULAR_SETTINGS = { "ENABLE_DJANGO_DEPLOY_CHECK": not DEBUG, # noqa: F405 "SWAGGER_UI_FAVICON_HREF": r"/static/favicon.png", "SWAGGER_UI_SETTINGS": { - "connectSocket": True, + "connectSocket": False, "socketMaxMessages": 8, "socketMessagesInitialOpened": False, }, From 255c3f93287beb4bbfa907eea22d64e19b005dab Mon Sep 17 00:00:00 2001 From: Egor fureunoir Gorbunov Date: Wed, 12 Nov 2025 12:12:28 +0300 Subject: [PATCH 5/5] Extra: 1) I18N for messaging --- .../blog/locale/ar_AR/LC_MESSAGES/django.po | 2 +- .../blog/locale/cs_CZ/LC_MESSAGES/django.po | 2 +- .../blog/locale/da_DK/LC_MESSAGES/django.po | 2 +- .../blog/locale/de_DE/LC_MESSAGES/django.po | 2 +- .../blog/locale/en_GB/LC_MESSAGES/django.po | 2 +- .../blog/locale/en_US/LC_MESSAGES/django.po | 2 +- .../blog/locale/es_ES/LC_MESSAGES/django.po | 2 +- .../blog/locale/fa_IR/LC_MESSAGES/django.po | 2 +- .../blog/locale/fr_FR/LC_MESSAGES/django.po | 2 +- .../blog/locale/he_IL/LC_MESSAGES/django.po | 2 +- .../blog/locale/hi_IN/LC_MESSAGES/django.po | 2 +- .../blog/locale/hr_HR/LC_MESSAGES/django.po | 2 +- .../blog/locale/id_ID/LC_MESSAGES/django.po | 2 +- .../blog/locale/it_IT/LC_MESSAGES/django.po | 2 +- .../blog/locale/ja_JP/LC_MESSAGES/django.po | 2 +- .../blog/locale/kk_KZ/LC_MESSAGES/django.po | 2 +- .../blog/locale/ko_KR/LC_MESSAGES/django.po | 2 +- .../blog/locale/nl_NL/LC_MESSAGES/django.po | 2 +- .../blog/locale/no_NO/LC_MESSAGES/django.po | 2 +- .../blog/locale/pl_PL/LC_MESSAGES/django.po | 2 +- .../blog/locale/pt_BR/LC_MESSAGES/django.po | 2 +- .../blog/locale/ro_RO/LC_MESSAGES/django.po | 2 +- .../blog/locale/ru_RU/LC_MESSAGES/django.po | 2 +- .../blog/locale/sv_SE/LC_MESSAGES/django.po | 2 +- .../blog/locale/th_TH/LC_MESSAGES/django.po | 2 +- .../blog/locale/tr_TR/LC_MESSAGES/django.po | 2 +- .../blog/locale/vi_VN/LC_MESSAGES/django.po | 2 +- .../blog/locale/zh_Hans/LC_MESSAGES/django.po | 2 +- .../core/locale/ar_AR/LC_MESSAGES/django.po | 356 +++++----- .../core/locale/cs_CZ/LC_MESSAGES/django.po | 310 +++++---- .../core/locale/da_DK/LC_MESSAGES/django.po | 358 +++++----- .../core/locale/de_DE/LC_MESSAGES/django.po | 462 ++++++------ .../core/locale/en_GB/LC_MESSAGES/django.po | 323 ++++----- .../core/locale/en_US/LC_MESSAGES/django.po | 320 ++++----- .../core/locale/es_ES/LC_MESSAGES/django.po | 377 +++++----- .../core/locale/fa_IR/LC_MESSAGES/django.po | 34 +- .../core/locale/fr_FR/LC_MESSAGES/django.po | 428 ++++++------ .../core/locale/he_IL/LC_MESSAGES/django.po | 314 +++++---- .../core/locale/hi_IN/LC_MESSAGES/django.po | 34 +- .../core/locale/hr_HR/LC_MESSAGES/django.po | 34 +- .../core/locale/id_ID/LC_MESSAGES/django.po | 348 +++++----- .../core/locale/it_IT/LC_MESSAGES/django.po | 433 ++++++------ .../core/locale/ja_JP/LC_MESSAGES/django.po | 634 +++++++++++------ .../core/locale/kk_KZ/LC_MESSAGES/django.po | 34 +- .../core/locale/ko_KR/LC_MESSAGES/django.po | 577 ++++++++------- .../core/locale/nl_NL/LC_MESSAGES/django.po | 367 +++++----- .../core/locale/no_NO/LC_MESSAGES/django.po | 393 ++++++----- .../core/locale/pl_PL/LC_MESSAGES/django.po | 312 +++++---- .../core/locale/pt_BR/LC_MESSAGES/django.po | 370 +++++----- .../core/locale/ro_RO/LC_MESSAGES/django.po | 381 +++++----- .../core/locale/ru_RU/LC_MESSAGES/django.po | 336 ++++----- .../core/locale/sv_SE/LC_MESSAGES/django.po | 360 +++++----- .../core/locale/th_TH/LC_MESSAGES/django.po | 655 ++++++++---------- .../core/locale/tr_TR/LC_MESSAGES/django.po | 367 +++++----- .../core/locale/vi_VN/LC_MESSAGES/django.po | 459 ++++++------ .../core/locale/zh_Hans/LC_MESSAGES/django.po | 411 ++++++----- .../locale/ar_AR/LC_MESSAGES/django.po | 2 +- .../locale/cs_CZ/LC_MESSAGES/django.po | 2 +- .../locale/da_DK/LC_MESSAGES/django.po | 2 +- .../locale/de_DE/LC_MESSAGES/django.po | 2 +- .../locale/en_GB/LC_MESSAGES/django.po | 2 +- .../locale/en_US/LC_MESSAGES/django.po | 2 +- .../locale/es_ES/LC_MESSAGES/django.po | 2 +- .../locale/fa_IR/LC_MESSAGES/django.po | 2 +- .../locale/fr_FR/LC_MESSAGES/django.po | 2 +- .../locale/he_IL/LC_MESSAGES/django.po | 2 +- .../locale/hi_IN/LC_MESSAGES/django.po | 2 +- .../locale/hr_HR/LC_MESSAGES/django.po | 2 +- .../locale/id_ID/LC_MESSAGES/django.po | 2 +- .../locale/it_IT/LC_MESSAGES/django.po | 2 +- .../locale/ja_JP/LC_MESSAGES/django.po | 2 +- .../locale/kk_KZ/LC_MESSAGES/django.po | 2 +- .../locale/ko_KR/LC_MESSAGES/django.po | 2 +- .../locale/nl_NL/LC_MESSAGES/django.po | 2 +- .../locale/no_NO/LC_MESSAGES/django.po | 2 +- .../locale/pl_PL/LC_MESSAGES/django.po | 2 +- .../locale/pt_BR/LC_MESSAGES/django.po | 2 +- .../locale/ro_RO/LC_MESSAGES/django.po | 2 +- .../locale/ru_RU/LC_MESSAGES/django.po | 2 +- .../locale/sv_SE/LC_MESSAGES/django.po | 2 +- .../locale/th_TH/LC_MESSAGES/django.po | 2 +- .../locale/tr_TR/LC_MESSAGES/django.po | 2 +- .../locale/vi_VN/LC_MESSAGES/django.po | 2 +- .../locale/zh_Hans/LC_MESSAGES/django.po | 2 +- .../locale/ar_AR/LC_MESSAGES/django.mo | Bin 16294 -> 17348 bytes .../locale/ar_AR/LC_MESSAGES/django.po | 42 +- .../locale/cs_CZ/LC_MESSAGES/django.mo | Bin 13511 -> 14338 bytes .../locale/cs_CZ/LC_MESSAGES/django.po | 42 +- .../locale/da_DK/LC_MESSAGES/django.mo | Bin 13283 -> 14017 bytes .../locale/da_DK/LC_MESSAGES/django.po | 42 +- .../locale/de_DE/LC_MESSAGES/django.mo | Bin 14237 -> 15076 bytes .../locale/de_DE/LC_MESSAGES/django.po | 42 +- .../locale/en_GB/LC_MESSAGES/django.mo | Bin 12804 -> 13514 bytes .../locale/en_GB/LC_MESSAGES/django.po | 42 +- .../locale/en_US/LC_MESSAGES/django.mo | Bin 12793 -> 13503 bytes .../locale/en_US/LC_MESSAGES/django.po | 42 +- .../locale/es_ES/LC_MESSAGES/django.mo | Bin 13982 -> 14804 bytes .../locale/es_ES/LC_MESSAGES/django.po | 42 +- .../locale/fa_IR/LC_MESSAGES/django.po | 38 +- .../locale/fr_FR/LC_MESSAGES/django.mo | Bin 14662 -> 15517 bytes .../locale/fr_FR/LC_MESSAGES/django.po | 43 +- .../locale/he_IL/LC_MESSAGES/django.mo | Bin 14645 -> 15560 bytes .../locale/he_IL/LC_MESSAGES/django.po | 42 +- .../locale/hi_IN/LC_MESSAGES/django.po | 38 +- .../locale/hr_HR/LC_MESSAGES/django.po | 38 +- .../locale/id_ID/LC_MESSAGES/django.mo | Bin 13350 -> 14101 bytes .../locale/id_ID/LC_MESSAGES/django.po | 42 +- .../locale/it_IT/LC_MESSAGES/django.mo | Bin 13938 -> 14771 bytes .../locale/it_IT/LC_MESSAGES/django.po | 44 +- .../locale/ja_JP/LC_MESSAGES/django.mo | Bin 15419 -> 16329 bytes .../locale/ja_JP/LC_MESSAGES/django.po | 39 +- .../locale/kk_KZ/LC_MESSAGES/django.po | 38 +- .../locale/ko_KR/LC_MESSAGES/django.mo | Bin 14125 -> 14925 bytes .../locale/ko_KR/LC_MESSAGES/django.po | 38 +- .../locale/nl_NL/LC_MESSAGES/django.mo | Bin 13662 -> 14427 bytes .../locale/nl_NL/LC_MESSAGES/django.po | 42 +- .../locale/no_NO/LC_MESSAGES/django.mo | Bin 13312 -> 14049 bytes .../locale/no_NO/LC_MESSAGES/django.po | 42 +- .../locale/pl_PL/LC_MESSAGES/django.mo | Bin 13778 -> 14599 bytes .../locale/pl_PL/LC_MESSAGES/django.po | 42 +- .../locale/pt_BR/LC_MESSAGES/django.mo | Bin 13724 -> 14529 bytes .../locale/pt_BR/LC_MESSAGES/django.po | 42 +- .../locale/ro_RO/LC_MESSAGES/django.mo | Bin 14129 -> 14981 bytes .../locale/ro_RO/LC_MESSAGES/django.po | 44 +- .../locale/ru_RU/LC_MESSAGES/django.mo | Bin 18099 -> 19239 bytes .../locale/ru_RU/LC_MESSAGES/django.po | 42 +- .../locale/sv_SE/LC_MESSAGES/django.mo | Bin 13553 -> 14316 bytes .../locale/sv_SE/LC_MESSAGES/django.po | 42 +- .../locale/th_TH/LC_MESSAGES/django.mo | Bin 20777 -> 22156 bytes .../locale/th_TH/LC_MESSAGES/django.po | 42 +- .../locale/tr_TR/LC_MESSAGES/django.mo | Bin 13880 -> 14690 bytes .../locale/tr_TR/LC_MESSAGES/django.po | 42 +- .../locale/vi_VN/LC_MESSAGES/django.mo | Bin 15072 -> 15982 bytes .../locale/vi_VN/LC_MESSAGES/django.po | 42 +- .../locale/zh_Hans/LC_MESSAGES/django.mo | Bin 12289 -> 13022 bytes .../locale/zh_Hans/LC_MESSAGES/django.po | 38 +- evibes/locale/ar_AR/LC_MESSAGES/django.mo | Bin 9537 -> 9442 bytes evibes/locale/ar_AR/LC_MESSAGES/django.po | 35 +- evibes/locale/cs_CZ/LC_MESSAGES/django.mo | Bin 8204 -> 8127 bytes evibes/locale/cs_CZ/LC_MESSAGES/django.po | 35 +- evibes/locale/da_DK/LC_MESSAGES/django.mo | Bin 7947 -> 7867 bytes evibes/locale/da_DK/LC_MESSAGES/django.po | 35 +- evibes/locale/de_DE/LC_MESSAGES/django.mo | Bin 8353 -> 8267 bytes evibes/locale/de_DE/LC_MESSAGES/django.po | 35 +- evibes/locale/en_GB/LC_MESSAGES/django.mo | Bin 7830 -> 7752 bytes evibes/locale/en_GB/LC_MESSAGES/django.po | 35 +- evibes/locale/en_US/LC_MESSAGES/django.mo | Bin 7834 -> 7756 bytes evibes/locale/en_US/LC_MESSAGES/django.po | 35 +- evibes/locale/es_ES/LC_MESSAGES/django.mo | Bin 8416 -> 8327 bytes evibes/locale/es_ES/LC_MESSAGES/django.po | 35 +- evibes/locale/fa_IR/LC_MESSAGES/django.po | 34 +- evibes/locale/fr_FR/LC_MESSAGES/django.mo | Bin 8669 -> 8581 bytes evibes/locale/fr_FR/LC_MESSAGES/django.po | 35 +- evibes/locale/he_IL/LC_MESSAGES/django.mo | Bin 8953 -> 8850 bytes evibes/locale/he_IL/LC_MESSAGES/django.po | 35 +- evibes/locale/hi_IN/LC_MESSAGES/django.po | 34 +- evibes/locale/hr_HR/LC_MESSAGES/django.po | 34 +- evibes/locale/id_ID/LC_MESSAGES/django.mo | Bin 7993 -> 7906 bytes evibes/locale/id_ID/LC_MESSAGES/django.po | 35 +- evibes/locale/it_IT/LC_MESSAGES/django.mo | Bin 8350 -> 8259 bytes evibes/locale/it_IT/LC_MESSAGES/django.po | 35 +- evibes/locale/ja_JP/LC_MESSAGES/django.mo | Bin 8677 -> 8587 bytes evibes/locale/ja_JP/LC_MESSAGES/django.po | 35 +- evibes/locale/kk_KZ/LC_MESSAGES/django.po | 34 +- evibes/locale/ko_KR/LC_MESSAGES/django.mo | Bin 8152 -> 8074 bytes evibes/locale/ko_KR/LC_MESSAGES/django.po | 35 +- evibes/locale/nl_NL/LC_MESSAGES/django.mo | Bin 8055 -> 7969 bytes evibes/locale/nl_NL/LC_MESSAGES/django.po | 35 +- evibes/locale/no_NO/LC_MESSAGES/django.mo | Bin 7992 -> 7912 bytes evibes/locale/no_NO/LC_MESSAGES/django.po | 35 +- evibes/locale/pl_PL/LC_MESSAGES/django.mo | Bin 8299 -> 8216 bytes evibes/locale/pl_PL/LC_MESSAGES/django.po | 35 +- evibes/locale/pt_BR/LC_MESSAGES/django.mo | Bin 8363 -> 8275 bytes evibes/locale/pt_BR/LC_MESSAGES/django.po | 35 +- evibes/locale/ro_RO/LC_MESSAGES/django.mo | Bin 8409 -> 8320 bytes evibes/locale/ro_RO/LC_MESSAGES/django.po | 35 +- evibes/locale/ru_RU/LC_MESSAGES/django.mo | Bin 10636 -> 10515 bytes evibes/locale/ru_RU/LC_MESSAGES/django.po | 35 +- evibes/locale/sv_SE/LC_MESSAGES/django.mo | Bin 8085 -> 8002 bytes evibes/locale/sv_SE/LC_MESSAGES/django.po | 35 +- evibes/locale/th_TH/LC_MESSAGES/django.mo | Bin 12301 -> 12193 bytes evibes/locale/th_TH/LC_MESSAGES/django.po | 35 +- evibes/locale/tr_TR/LC_MESSAGES/django.mo | Bin 8382 -> 8295 bytes evibes/locale/tr_TR/LC_MESSAGES/django.po | 35 +- evibes/locale/vi_VN/LC_MESSAGES/django.mo | Bin 8863 -> 8772 bytes evibes/locale/vi_VN/LC_MESSAGES/django.po | 35 +- evibes/locale/zh_Hans/LC_MESSAGES/django.mo | Bin 7568 -> 7489 bytes evibes/locale/zh_Hans/LC_MESSAGES/django.po | 35 +- 188 files changed, 6656 insertions(+), 5373 deletions(-) diff --git a/engine/blog/locale/ar_AR/LC_MESSAGES/django.po b/engine/blog/locale/ar_AR/LC_MESSAGES/django.po index 64433b10..40d9c05a 100644 --- a/engine/blog/locale/ar_AR/LC_MESSAGES/django.po +++ b/engine/blog/locale/ar_AR/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: LANGUAGE \n" diff --git a/engine/blog/locale/cs_CZ/LC_MESSAGES/django.po b/engine/blog/locale/cs_CZ/LC_MESSAGES/django.po index c16e21f1..c1fc32db 100644 --- a/engine/blog/locale/cs_CZ/LC_MESSAGES/django.po +++ b/engine/blog/locale/cs_CZ/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: LANGUAGE \n" diff --git a/engine/blog/locale/da_DK/LC_MESSAGES/django.po b/engine/blog/locale/da_DK/LC_MESSAGES/django.po index 0bad4258..e342ad8f 100644 --- a/engine/blog/locale/da_DK/LC_MESSAGES/django.po +++ b/engine/blog/locale/da_DK/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: LANGUAGE \n" diff --git a/engine/blog/locale/de_DE/LC_MESSAGES/django.po b/engine/blog/locale/de_DE/LC_MESSAGES/django.po index b84f1862..700dcbb4 100644 --- a/engine/blog/locale/de_DE/LC_MESSAGES/django.po +++ b/engine/blog/locale/de_DE/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: LANGUAGE \n" diff --git a/engine/blog/locale/en_GB/LC_MESSAGES/django.po b/engine/blog/locale/en_GB/LC_MESSAGES/django.po index 5f402837..bc245459 100644 --- a/engine/blog/locale/en_GB/LC_MESSAGES/django.po +++ b/engine/blog/locale/en_GB/LC_MESSAGES/django.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: LANGUAGE \n" diff --git a/engine/blog/locale/en_US/LC_MESSAGES/django.po b/engine/blog/locale/en_US/LC_MESSAGES/django.po index bb7dbce0..82f51a3c 100644 --- a/engine/blog/locale/en_US/LC_MESSAGES/django.po +++ b/engine/blog/locale/en_US/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: LANGUAGE \n" diff --git a/engine/blog/locale/es_ES/LC_MESSAGES/django.po b/engine/blog/locale/es_ES/LC_MESSAGES/django.po index 2a7007e2..a5530c9a 100644 --- a/engine/blog/locale/es_ES/LC_MESSAGES/django.po +++ b/engine/blog/locale/es_ES/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: LANGUAGE \n" diff --git a/engine/blog/locale/fa_IR/LC_MESSAGES/django.po b/engine/blog/locale/fa_IR/LC_MESSAGES/django.po index 9e673cdb..d7f1f873 100644 --- a/engine/blog/locale/fa_IR/LC_MESSAGES/django.po +++ b/engine/blog/locale/fa_IR/LC_MESSAGES/django.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" diff --git a/engine/blog/locale/fr_FR/LC_MESSAGES/django.po b/engine/blog/locale/fr_FR/LC_MESSAGES/django.po index ae42fbc0..b3432535 100644 --- a/engine/blog/locale/fr_FR/LC_MESSAGES/django.po +++ b/engine/blog/locale/fr_FR/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: LANGUAGE \n" diff --git a/engine/blog/locale/he_IL/LC_MESSAGES/django.po b/engine/blog/locale/he_IL/LC_MESSAGES/django.po index 4f5d84cf..6588d853 100644 --- a/engine/blog/locale/he_IL/LC_MESSAGES/django.po +++ b/engine/blog/locale/he_IL/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: LANGUAGE \n" diff --git a/engine/blog/locale/hi_IN/LC_MESSAGES/django.po b/engine/blog/locale/hi_IN/LC_MESSAGES/django.po index 0e9d8875..5b20300c 100644 --- a/engine/blog/locale/hi_IN/LC_MESSAGES/django.po +++ b/engine/blog/locale/hi_IN/LC_MESSAGES/django.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: LANGUAGE \n" diff --git a/engine/blog/locale/hr_HR/LC_MESSAGES/django.po b/engine/blog/locale/hr_HR/LC_MESSAGES/django.po index 9e673cdb..d7f1f873 100644 --- a/engine/blog/locale/hr_HR/LC_MESSAGES/django.po +++ b/engine/blog/locale/hr_HR/LC_MESSAGES/django.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" diff --git a/engine/blog/locale/id_ID/LC_MESSAGES/django.po b/engine/blog/locale/id_ID/LC_MESSAGES/django.po index 5ca32971..3d686afc 100644 --- a/engine/blog/locale/id_ID/LC_MESSAGES/django.po +++ b/engine/blog/locale/id_ID/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: LANGUAGE \n" diff --git a/engine/blog/locale/it_IT/LC_MESSAGES/django.po b/engine/blog/locale/it_IT/LC_MESSAGES/django.po index 6bcd64c9..0100f2e3 100644 --- a/engine/blog/locale/it_IT/LC_MESSAGES/django.po +++ b/engine/blog/locale/it_IT/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: LANGUAGE \n" diff --git a/engine/blog/locale/ja_JP/LC_MESSAGES/django.po b/engine/blog/locale/ja_JP/LC_MESSAGES/django.po index b4ee4c9d..2e392aa8 100644 --- a/engine/blog/locale/ja_JP/LC_MESSAGES/django.po +++ b/engine/blog/locale/ja_JP/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: LANGUAGE \n" diff --git a/engine/blog/locale/kk_KZ/LC_MESSAGES/django.po b/engine/blog/locale/kk_KZ/LC_MESSAGES/django.po index 0e9d8875..5b20300c 100644 --- a/engine/blog/locale/kk_KZ/LC_MESSAGES/django.po +++ b/engine/blog/locale/kk_KZ/LC_MESSAGES/django.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: LANGUAGE \n" diff --git a/engine/blog/locale/ko_KR/LC_MESSAGES/django.po b/engine/blog/locale/ko_KR/LC_MESSAGES/django.po index 2482216f..bcdddaff 100644 --- a/engine/blog/locale/ko_KR/LC_MESSAGES/django.po +++ b/engine/blog/locale/ko_KR/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: LANGUAGE \n" diff --git a/engine/blog/locale/nl_NL/LC_MESSAGES/django.po b/engine/blog/locale/nl_NL/LC_MESSAGES/django.po index ea23c8db..e333e12e 100644 --- a/engine/blog/locale/nl_NL/LC_MESSAGES/django.po +++ b/engine/blog/locale/nl_NL/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: LANGUAGE \n" diff --git a/engine/blog/locale/no_NO/LC_MESSAGES/django.po b/engine/blog/locale/no_NO/LC_MESSAGES/django.po index 8e887c19..5021894b 100644 --- a/engine/blog/locale/no_NO/LC_MESSAGES/django.po +++ b/engine/blog/locale/no_NO/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: LANGUAGE \n" diff --git a/engine/blog/locale/pl_PL/LC_MESSAGES/django.po b/engine/blog/locale/pl_PL/LC_MESSAGES/django.po index 94e67236..d63e14d3 100644 --- a/engine/blog/locale/pl_PL/LC_MESSAGES/django.po +++ b/engine/blog/locale/pl_PL/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: LANGUAGE \n" diff --git a/engine/blog/locale/pt_BR/LC_MESSAGES/django.po b/engine/blog/locale/pt_BR/LC_MESSAGES/django.po index ee6e9077..4dcecf61 100644 --- a/engine/blog/locale/pt_BR/LC_MESSAGES/django.po +++ b/engine/blog/locale/pt_BR/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: LANGUAGE \n" diff --git a/engine/blog/locale/ro_RO/LC_MESSAGES/django.po b/engine/blog/locale/ro_RO/LC_MESSAGES/django.po index 6262a3ec..1391eaf7 100644 --- a/engine/blog/locale/ro_RO/LC_MESSAGES/django.po +++ b/engine/blog/locale/ro_RO/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: LANGUAGE \n" diff --git a/engine/blog/locale/ru_RU/LC_MESSAGES/django.po b/engine/blog/locale/ru_RU/LC_MESSAGES/django.po index 2a96220c..67c458d6 100644 --- a/engine/blog/locale/ru_RU/LC_MESSAGES/django.po +++ b/engine/blog/locale/ru_RU/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: LANGUAGE \n" diff --git a/engine/blog/locale/sv_SE/LC_MESSAGES/django.po b/engine/blog/locale/sv_SE/LC_MESSAGES/django.po index ded612cf..6e2debcb 100644 --- a/engine/blog/locale/sv_SE/LC_MESSAGES/django.po +++ b/engine/blog/locale/sv_SE/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: LANGUAGE \n" diff --git a/engine/blog/locale/th_TH/LC_MESSAGES/django.po b/engine/blog/locale/th_TH/LC_MESSAGES/django.po index 64b2c1d8..4359c161 100644 --- a/engine/blog/locale/th_TH/LC_MESSAGES/django.po +++ b/engine/blog/locale/th_TH/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: LANGUAGE \n" diff --git a/engine/blog/locale/tr_TR/LC_MESSAGES/django.po b/engine/blog/locale/tr_TR/LC_MESSAGES/django.po index 0709c36b..09fdf4e6 100644 --- a/engine/blog/locale/tr_TR/LC_MESSAGES/django.po +++ b/engine/blog/locale/tr_TR/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: LANGUAGE \n" diff --git a/engine/blog/locale/vi_VN/LC_MESSAGES/django.po b/engine/blog/locale/vi_VN/LC_MESSAGES/django.po index 9804b56e..6d402c27 100644 --- a/engine/blog/locale/vi_VN/LC_MESSAGES/django.po +++ b/engine/blog/locale/vi_VN/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: LANGUAGE \n" diff --git a/engine/blog/locale/zh_Hans/LC_MESSAGES/django.po b/engine/blog/locale/zh_Hans/LC_MESSAGES/django.po index 8b13509b..62234796 100644 --- a/engine/blog/locale/zh_Hans/LC_MESSAGES/django.po +++ b/engine/blog/locale/zh_Hans/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: LANGUAGE \n" diff --git a/engine/core/locale/ar_AR/LC_MESSAGES/django.po b/engine/core/locale/ar_AR/LC_MESSAGES/django.po index 84c3babf..1964f410 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" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+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:21 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 "" "إذا تم تعيينه على خطأ، لا يمكن للمستخدمين رؤية هذا الكائن دون الحاجة إلى إذن" @@ -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:44 engine/core/graphene/mutations.py:38 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:62 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:96 -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:106 @@ -319,8 +317,7 @@ msgid "rewrite an existing attribute value saving non-editables" msgstr "إعادة كتابة قيمة سمة موجودة تحفظ غير القابلة للتعديل" #: engine/core/docs/drf/viewsets.py:186 -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:196 engine/core/docs/drf/viewsets.py:197 @@ -373,8 +370,8 @@ msgstr "بالنسبة للمستخدمين من غير الموظفين، يت #: engine/core/docs/drf/viewsets.py:281 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:324 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:438 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:447 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:568 engine/core/docs/drf/viewsets.py:569 @@ -625,7 +634,8 @@ msgstr "(بالضبط) UUID المنتج" #: engine/core/docs/drf/viewsets.py:581 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" @@ -1112,7 +1122,7 @@ msgid "please provide either order_uuid or order_hr_id - mutually exclusive" msgstr "يرجى تقديم إما Order_uuid أو order_uid_hr_hr_id - متنافيان!" #: engine/core/graphene/mutations.py:237 engine/core/graphene/mutations.py:502 -#: engine/core/graphene/mutations.py:544 engine/core/viewsets.py:704 +#: engine/core/graphene/mutations.py:544 engine/core/viewsets.py:713 msgid "wrong type came from order.buy() method: {type(instance)!s}" msgstr "جاء نوع خاطئ من طريقة order.buy(): {type(instance)!s}" @@ -1165,8 +1175,8 @@ msgstr "شراء طلبية" #: engine/core/graphene/mutations.py:517 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:550 @@ -1189,7 +1199,7 @@ msgstr "سلسلة العنوان الأصلي المقدمة من المستخ #: engine/core/graphene/mutations.py:680 engine/core/models.py:955 #: engine/core/models.py:968 engine/core/models.py:1383 #: engine/core/models.py:1412 engine/core/models.py:1437 -#: engine/core/viewsets.py:707 +#: engine/core/viewsets.py:716 #, python-brace-format msgid "{name} does not exist: {uuid}" msgstr "{name} غير موجود: {uuid}!" @@ -1241,8 +1251,7 @@ msgid "which attributes and values can be used for filtering this category." msgstr "ما هي السمات والقيم التي يمكن استخدامها لتصفية هذه الفئة." #: engine/core/graphene/object_types.py:204 -msgid "" -"minimum and maximum prices for products in this category, if available." +msgid "minimum and maximum prices for products in this category, if available." msgstr "" "الحد الأدنى والحد الأقصى لأسعار المنتجات في هذه الفئة، إذا كانت متوفرة." @@ -1454,8 +1463,8 @@ msgstr "رقم هاتف الشركة" #: engine/core/graphene/object_types.py:681 msgid "email from, sometimes it must be used instead of host user value" msgstr "" -"\"البريد الإلكتروني من\"، في بعض الأحيان يجب استخدامه بدلاً من قيمة المستخدم" -" المضيف" +"\"البريد الإلكتروني من\"، في بعض الأحيان يجب استخدامه بدلاً من قيمة المستخدم " +"المضيف" #: engine/core/graphene/object_types.py:682 msgid "email host user" @@ -1549,8 +1558,8 @@ msgstr "" "تفاعلهم. يتم استخدام فئة البائع لتعريف وإدارة المعلومات المتعلقة ببائع " "خارجي. وهو يخزن اسم البائع، وتفاصيل المصادقة المطلوبة للاتصال، والنسبة " "المئوية للترميز المطبقة على المنتجات المسترجعة من البائع. يحتفظ هذا النموذج " -"أيضًا ببيانات وصفية وقيود إضافية، مما يجعله مناسبًا للاستخدام في الأنظمة " -"التي تتفاعل مع البائعين الخارجيين." +"أيضًا ببيانات وصفية وقيود إضافية، مما يجعله مناسبًا للاستخدام في الأنظمة التي " +"تتفاعل مع البائعين الخارجيين." #: engine/core/models.py:124 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:209 engine/core/models.py:240 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:254 msgid "category tag" @@ -1660,9 +1669,9 @@ msgstr "" "علاقات هرمية مع فئات أخرى، مما يدعم العلاقات بين الأصل والطفل. تتضمن الفئة " "حقول للبيانات الوصفية والتمثيل المرئي، والتي تعمل كأساس للميزات المتعلقة " "بالفئات. تُستخدم هذه الفئة عادةً لتعريف وإدارة فئات المنتجات أو غيرها من " -"التجميعات المماثلة داخل التطبيق، مما يسمح للمستخدمين أو المسؤولين بتحديد اسم" -" الفئات ووصفها وتسلسلها الهرمي، بالإضافة إلى تعيين سمات مثل الصور أو " -"العلامات أو الأولوية." +"التجميعات المماثلة داخل التطبيق، مما يسمح للمستخدمين أو المسؤولين بتحديد اسم " +"الفئات ووصفها وتسلسلها الهرمي، بالإضافة إلى تعيين سمات مثل الصور أو العلامات " +"أو الأولوية." #: engine/core/models.py:274 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:508 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 "" "يمثل منتجًا بخصائص مثل الفئة والعلامة التجارية والعلامات والحالة الرقمية " "والاسم والوصف ورقم الجزء والعلامة التجارية والحالة الرقمية والاسم والوصف " -"ورقم الجزء والسبيكة. يوفر خصائص الأداة المساعدة ذات الصلة لاسترداد التقييمات" -" وعدد الملاحظات والسعر والكمية وإجمالي الطلبات. مصمم للاستخدام في نظام " -"يتعامل مع التجارة الإلكترونية أو إدارة المخزون. تتفاعل هذه الفئة مع النماذج " -"ذات الصلة (مثل الفئة والعلامة التجارية وعلامة المنتج) وتدير التخزين المؤقت " +"ورقم الجزء والسبيكة. يوفر خصائص الأداة المساعدة ذات الصلة لاسترداد التقييمات " +"وعدد الملاحظات والسعر والكمية وإجمالي الطلبات. مصمم للاستخدام في نظام يتعامل " +"مع التجارة الإلكترونية أو إدارة المخزون. تتفاعل هذه الفئة مع النماذج ذات " +"الصلة (مثل الفئة والعلامة التجارية وعلامة المنتج) وتدير التخزين المؤقت " "للخصائص التي يتم الوصول إليها بشكل متكرر لتحسين الأداء. يتم استخدامه لتعريف " "ومعالجة بيانات المنتج والمعلومات المرتبطة به داخل التطبيق." @@ -1914,8 +1922,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 "" "يمثل سمة في النظام. تُستخدم هذه الفئة لتعريف السمات وإدارتها، وهي عبارة عن " @@ -1983,9 +1991,9 @@ msgstr "السمة" #: engine/core/models.py:777 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 "" "يمثل قيمة محددة لسمة مرتبطة بمنتج ما. يربط \"السمة\" بـ \"قيمة\" فريدة، مما " "يسمح بتنظيم أفضل وتمثيل ديناميكي لخصائص المنتج." @@ -2005,8 +2013,8 @@ msgstr "القيمة المحددة لهذه السمة" #: engine/core/models.py:815 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 "" @@ -2052,14 +2060,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:880 msgid "percentage discount for the selected products" @@ -2100,8 +2107,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:926 @@ -2126,11 +2133,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 "" -"يمثل سجل وثائقي مرتبط بمنتج ما. تُستخدم هذه الفئة لتخزين معلومات حول الأفلام" -" الوثائقية المرتبطة بمنتجات محددة، بما في ذلك تحميلات الملفات وبياناتها " +"يمثل سجل وثائقي مرتبط بمنتج ما. تُستخدم هذه الفئة لتخزين معلومات حول الأفلام " +"الوثائقية المرتبطة بمنتجات محددة، بما في ذلك تحميلات الملفات وبياناتها " "الوصفية. يحتوي على أساليب وخصائص للتعامل مع نوع الملف ومسار التخزين للملفات " "الوثائقية. وهو يوسع الوظائف من مزيج معين ويوفر ميزات مخصصة إضافية." @@ -2148,19 +2155,19 @@ msgstr "لم يتم حلها" #: engine/core/models.py:1014 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 "" "يمثل كيان عنوان يتضمن تفاصيل الموقع والارتباطات مع المستخدم. يوفر وظائف " "لتخزين البيانات الجغرافية وبيانات العنوان، بالإضافة إلى التكامل مع خدمات " -"الترميز الجغرافي. صُممت هذه الفئة لتخزين معلومات العنوان التفصيلية بما في " -"ذلك مكونات مثل الشارع والمدينة والمنطقة والبلد والموقع الجغرافي (خطوط الطول " +"الترميز الجغرافي. صُممت هذه الفئة لتخزين معلومات العنوان التفصيلية بما في ذلك " +"مكونات مثل الشارع والمدينة والمنطقة والبلد والموقع الجغرافي (خطوط الطول " "والعرض). وهو يدعم التكامل مع واجهات برمجة التطبيقات للترميز الجغرافي، مما " "يتيح تخزين استجابات واجهة برمجة التطبيقات الخام لمزيد من المعالجة أو الفحص. " "تسمح الفئة أيضًا بربط عنوان مع مستخدم، مما يسهل التعامل مع البيانات الشخصية." @@ -2226,9 +2233,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 بتخزين تفاصيل حول الرمز الترويجي، بما في " +"ذلك معرفه الفريد، وخصائص الخصم (المبلغ أو النسبة المئوية)، وفترة الصلاحية، " "والمستخدم المرتبط به (إن وجد)، وحالة استخدامه. ويتضمن وظيفة للتحقق من صحة " "الرمز الترويجي وتطبيقه على الطلب مع ضمان استيفاء القيود." @@ -2274,8 +2281,7 @@ msgstr "وقت بدء الصلاحية" #: engine/core/models.py:1120 msgid "timestamp when the promocode was used, blank if not used yet" -msgstr "" -"الطابع الزمني عند استخدام الرمز الترويجي، فارغ إذا لم يتم استخدامه بعد" +msgstr "الطابع الزمني عند استخدام الرمز الترويجي، فارغ إذا لم يتم استخدامه بعد" #: engine/core/models.py:1121 msgid "usage timestamp" @@ -2302,8 +2308,8 @@ msgid "" "only one type of discount should be defined (amount or percent), but not " "both or neither." msgstr "" -"يجب تحديد نوع واحد فقط من الخصم (المبلغ أو النسبة المئوية)، وليس كلا النوعين" -" أو لا هذا ولا ذاك." +"يجب تحديد نوع واحد فقط من الخصم (المبلغ أو النسبة المئوية)، وليس كلا النوعين " +"أو لا هذا ولا ذاك." #: engine/core/models.py:1171 msgid "promocode already used" @@ -2318,8 +2324,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 "" @@ -2462,8 +2468,8 @@ msgid "" "you cannot buy without registration, please provide the following " "information: customer name, customer email, customer phone number" msgstr "" -"لا يمكنك الشراء بدون تسجيل، يرجى تقديم المعلومات التالية: اسم العميل، البريد" -" الإلكتروني للعميل، رقم هاتف العميل" +"لا يمكنك الشراء بدون تسجيل، يرجى تقديم المعلومات التالية: اسم العميل، البريد " +"الإلكتروني للعميل، رقم هاتف العميل" #: engine/core/models.py:1584 #, python-brace-format @@ -2494,8 +2500,7 @@ msgid "feedback comments" msgstr "تعليقات على الملاحظات" #: engine/core/models.py:1719 -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:1720 @@ -2525,9 +2530,9 @@ msgstr "" "يمثل المنتجات المرتبطة بالطلبات وسماتها. يحتفظ نموذج OrderProduct بمعلومات " "حول المنتج الذي هو جزء من الطلب، بما في ذلك تفاصيل مثل سعر الشراء والكمية " "وسمات المنتج وحالته. يدير الإشعارات للمستخدم والمسؤولين ويتعامل مع عمليات " -"مثل إرجاع رصيد المنتج أو إضافة ملاحظات. يوفر هذا النموذج أيضًا أساليب وخصائص" -" تدعم منطق العمل، مثل حساب السعر الإجمالي أو إنشاء عنوان URL للتنزيل " -"للمنتجات الرقمية. يتكامل النموذج مع نموذجي الطلب والمنتج ويخزن مرجعًا لهما." +"مثل إرجاع رصيد المنتج أو إضافة ملاحظات. يوفر هذا النموذج أيضًا أساليب وخصائص " +"تدعم منطق العمل، مثل حساب السعر الإجمالي أو إنشاء عنوان URL للتنزيل للمنتجات " +"الرقمية. يتكامل النموذج مع نموذجي الطلب والمنتج ويخزن مرجعًا لهما." #: engine/core/models.py:1757 msgid "the price paid by the customer for this product at purchase time" @@ -2635,15 +2640,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:1961 msgid "download" @@ -2699,11 +2704,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 @@ -2810,7 +2816,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 "شكرًا لك على طلبك! يسعدنا تأكيد طلبك. فيما يلي تفاصيل طلبك:" @@ -2937,10 +2944,14 @@ msgstr "يتعامل بمنطق الشراء كشركة تجارية دون تس #: engine/core/views.py:314 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:325 msgid "order_product_uuid is required" @@ -2969,19 +2980,23 @@ msgstr "الرمز المفضل غير موجود" #: engine/core/views.py:386 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:398 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:411 @@ -2996,23 +3011,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:157 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:176 msgid "" @@ -3034,14 +3048,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:214 msgid "" @@ -3052,11 +3065,11 @@ msgid "" "can access specific data." msgstr "" "يدير طرق العرض للعمليات المتعلقة بالفئة. فئة CategoryViewSet مسؤولة عن " -"التعامل مع العمليات المتعلقة بنموذج الفئة في النظام. وهي تدعم استرجاع بيانات" -" الفئة وتصفيتها وتسلسلها. تفرض مجموعة طرق العرض أيضًا الأذونات لضمان وصول " +"التعامل مع العمليات المتعلقة بنموذج الفئة في النظام. وهي تدعم استرجاع بيانات " +"الفئة وتصفيتها وتسلسلها. تفرض مجموعة طرق العرض أيضًا الأذونات لضمان وصول " "المستخدمين المصرح لهم فقط إلى بيانات محددة." -#: engine/core/viewsets.py:326 +#: engine/core/viewsets.py:327 msgid "" "Represents a viewset for managing Brand instances. This class provides " "functionality for querying, filtering, and serializing Brand objects. It " @@ -3068,7 +3081,7 @@ msgstr "" "Django's ViewSet لتبسيط تنفيذ نقاط نهاية واجهة برمجة التطبيقات لكائنات " "العلامة التجارية." -#: engine/core/viewsets.py:438 +#: engine/core/viewsets.py:439 msgid "" "Manages operations related to the `Product` model in the system. This class " "provides a viewset for managing products, including their filtering, " @@ -3084,7 +3097,7 @@ msgstr "" "عمل Django REST لعمليات RESTful API. يتضمن أساليب لاسترجاع تفاصيل المنتج، " "وتطبيق الأذونات، والوصول إلى الملاحظات ذات الصلة بمنتج ما." -#: engine/core/viewsets.py:568 +#: engine/core/viewsets.py:575 msgid "" "Represents a viewset for managing Vendor objects. This viewset allows " "fetching, filtering, and serializing Vendor data. It defines the queryset, " @@ -3093,35 +3106,34 @@ msgid "" "Vendor-related resources through the Django REST framework." msgstr "" "يمثل مجموعة طرق عرض لإدارة كائنات المورد. تسمح مجموعة العرض هذه بجلب بيانات " -"البائع وتصفيتها وتسلسلها. وهي تُعرِّف مجموعة الاستعلام، وتكوينات التصفية، " -"وفئات أداة التسلسل المستخدمة للتعامل مع الإجراءات المختلفة. الغرض من هذه " -"الفئة هو توفير وصول مبسط إلى الموارد المتعلقة بالمورد من خلال إطار عمل " -"Django REST." +"البائع وتصفيتها وتسلسلها. وهي تُعرِّف مجموعة الاستعلام، وتكوينات التصفية، وفئات " +"أداة التسلسل المستخدمة للتعامل مع الإجراءات المختلفة. الغرض من هذه الفئة هو " +"توفير وصول مبسط إلى الموارد المتعلقة بالمورد من خلال إطار عمل Django REST." -#: engine/core/viewsets.py:588 +#: engine/core/viewsets.py:595 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:615 +#: engine/core/viewsets.py:622 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 لإدارة الطلبات والعمليات ذات الصلة. توفر هذه الفئة وظائف لاسترداد " @@ -3131,12 +3143,12 @@ msgstr "" "عليه. يستخدم ViewSet العديد من المتسلسلات بناءً على الإجراء المحدد الذي يتم " "تنفيذه ويفرض الأذونات وفقًا لذلك أثناء التفاعل مع بيانات الطلبات." -#: engine/core/viewsets.py:813 +#: engine/core/viewsets.py:826 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. تتيح مجموعة طرق العرض هذه " @@ -3144,11 +3156,11 @@ msgstr "" "من الأذونات، وتبديل المتسلسل بناءً على الإجراء المطلوب. بالإضافة إلى ذلك، " "توفر إجراءً مفصلاً للتعامل مع الملاحظات على مثيلات OrderProduct" -#: engine/core/viewsets.py:867 +#: engine/core/viewsets.py:880 msgid "Manages operations related to Product images in the application. " msgstr "يدير العمليات المتعلقة بصور المنتج في التطبيق." -#: engine/core/viewsets.py:880 +#: engine/core/viewsets.py:893 msgid "" "Manages the retrieval and handling of PromoCode instances through various " "API actions." @@ -3156,32 +3168,32 @@ msgstr "" "يدير استرداد مثيلات PromoCode ومعالجتها من خلال إجراءات واجهة برمجة " "التطبيقات المختلفة." -#: engine/core/viewsets.py:902 +#: engine/core/viewsets.py:915 msgid "Represents a view set for managing promotions. " msgstr "يمثل مجموعة عرض لإدارة الترقيات." -#: engine/core/viewsets.py:915 +#: engine/core/viewsets.py:928 msgid "Handles operations related to Stock data in the system." msgstr "يتعامل مع العمليات المتعلقة ببيانات المخزون في النظام." -#: engine/core/viewsets.py:929 +#: engine/core/viewsets.py:942 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 لإدارة عمليات قائمة الرغبات. توفر مجموعة طرق عرض قائمة الأمنيات نقاط " +"نهاية للتفاعل مع قائمة أمنيات المستخدم، مما يسمح باسترجاع المنتجات وتعديلها " +"وتخصيصها ضمن قائمة الأمنيات. تسهل مجموعة العرض هذه وظائف مثل الإضافة " "والإزالة والإجراءات المجمعة لمنتجات قائمة الرغبات. يتم دمج عمليات التحقق من " "الأذونات للتأكد من أن المستخدمين يمكنهم فقط إدارة قوائم الرغبات الخاصة بهم " "ما لم يتم منح أذونات صريحة." -#: engine/core/viewsets.py:1044 +#: engine/core/viewsets.py:1057 msgid "" "This class provides viewset functionality for managing `Address` objects. " "The AddressViewSet class enables CRUD operations, filtering, and custom " @@ -3194,12 +3206,12 @@ msgstr "" "العناوين. وتتضمن سلوكيات متخصصة لطرق HTTP المختلفة، وتجاوزات المتسلسل، " "ومعالجة الأذونات بناءً على سياق الطلب." -#: engine/core/viewsets.py:1111 +#: engine/core/viewsets.py:1124 #, python-brace-format msgid "Geocoding error: {e}" msgstr "خطأ في الترميز الجغرافي: {e}" -#: engine/core/viewsets.py:1119 +#: engine/core/viewsets.py:1132 msgid "" "Handles operations related to Product Tags within the application. This " "class provides functionality for retrieving, filtering, and serializing " diff --git a/engine/core/locale/cs_CZ/LC_MESSAGES/django.po b/engine/core/locale/cs_CZ/LC_MESSAGES/django.po index aaf69491..d52138c1 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" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+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:21 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í." @@ -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:96 -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:186 -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" @@ -386,12 +382,12 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:281 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:288 msgid "Filter orders with buy_time >= this ISO 8601 datetime" @@ -427,9 +423,9 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:324 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:397 @@ -606,8 +602,7 @@ msgstr "Přidání mnoha produktů do seznamu přání" #: engine/core/docs/drf/viewsets.py:533 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:541 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:581 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:598 engine/core/docs/drf/viewsets.py:599 @@ -907,8 +914,7 @@ msgstr "Odstranění povýšení" #: engine/core/docs/drf/viewsets.py:1169 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:1176 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:1259 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:1266 msgid "rewrite some fields of an existing product tag saving non-editables" @@ -1147,7 +1152,7 @@ msgid "please provide either order_uuid or order_hr_id - mutually exclusive" msgstr "Zadejte prosím order_uuid nebo order_hr_id - vzájemně se vylučují!" #: engine/core/graphene/mutations.py:237 engine/core/graphene/mutations.py:502 -#: engine/core/graphene/mutations.py:544 engine/core/viewsets.py:704 +#: engine/core/graphene/mutations.py:544 engine/core/viewsets.py:713 msgid "wrong type came from order.buy() method: {type(instance)!s}" msgstr "Z metody order.buy() pochází nesprávný typ: {type(instance)!s}" @@ -1200,11 +1205,11 @@ msgstr "Koupit objednávku" #: engine/core/graphene/mutations.py:517 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:550 msgid "add or delete a feedback for orderproduct" @@ -1226,7 +1231,7 @@ msgstr "Původní řetězec adresy zadaný uživatelem" #: engine/core/graphene/mutations.py:680 engine/core/models.py:955 #: engine/core/models.py:968 engine/core/models.py:1383 #: engine/core/models.py:1412 engine/core/models.py:1437 -#: engine/core/viewsets.py:707 +#: engine/core/viewsets.py:716 #, python-brace-format msgid "{name} does not exist: {uuid}" msgstr "{name} neexistuje: {uuid}!" @@ -1278,11 +1283,9 @@ 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:204 -msgid "" -"minimum and maximum prices for products in this category, if available." +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:206 msgid "tags for this category" @@ -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:124 @@ -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:508 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:585 @@ -1960,8 +1962,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ě " @@ -2030,12 +2032,12 @@ msgstr "Atribut" #: engine/core/models.py:777 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:788 @@ -2053,15 +2055,15 @@ msgstr "Konkrétní hodnota tohoto atributu" #: engine/core/models.py:815 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:826 @@ -2102,13 +2104,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:880 @@ -2177,8 +2179,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, " @@ -2200,22 +2202,22 @@ msgstr "Nevyřešené" #: engine/core/models.py:1014 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:1029 @@ -2371,8 +2373,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 "" @@ -2456,8 +2458,7 @@ msgstr "Uživatel smí mít vždy pouze jednu čekající objednávku!" #: engine/core/models.py:1351 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:1356 msgid "you cannot add inactive products to order" @@ -2538,8 +2539,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." @@ -2552,8 +2553,7 @@ msgid "feedback comments" msgstr "Zpětná vazba" #: engine/core/models.py:1719 -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á." @@ -2698,9 +2698,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 " @@ -2764,7 +2764,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, " @@ -2879,7 +2880,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 " @@ -2984,8 +2986,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:201 msgid "Handles `contact us` form submissions." @@ -3010,10 +3012,14 @@ msgstr "Řeší logiku nákupu jako firmy bez registrace." #: engine/core/views.py:314 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:325 msgid "order_product_uuid is required" @@ -3042,21 +3048,25 @@ msgstr "favicon nebyl nalezen" #: engine/core/views.py:386 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:398 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:411 msgid "Returns current version of the eVibes. " @@ -3073,16 +3083,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:157 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 " @@ -3111,8 +3119,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ů " @@ -3134,7 +3142,7 @@ msgstr "" "kategorie. Sada pohledů také vynucuje oprávnění, aby zajistila, že ke " "konkrétním datům budou mít přístup pouze oprávnění uživatelé." -#: engine/core/viewsets.py:326 +#: engine/core/viewsets.py:327 msgid "" "Represents a viewset for managing Brand instances. This class provides " "functionality for querying, filtering, and serializing Brand objects. It " @@ -3146,7 +3154,7 @@ msgstr "" "rámec ViewSet Djanga pro zjednodušení implementace koncových bodů API pro " "objekty Brand." -#: engine/core/viewsets.py:438 +#: engine/core/viewsets.py:439 msgid "" "Manages operations related to the `Product` model in the system. This class " "provides a viewset for managing products, including their filtering, " @@ -3161,10 +3169,10 @@ 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:568 +#: engine/core/viewsets.py:575 msgid "" "Represents a viewset for managing Vendor objects. This viewset allows " "fetching, filtering, and serializing Vendor data. It defines the queryset, " @@ -3178,13 +3186,13 @@ msgstr "" "různých akcí. Účelem této třídy je poskytnout zjednodušený přístup ke " "zdrojům souvisejícím s Vendorem prostřednictvím rámce Django REST." -#: engine/core/viewsets.py:588 +#: engine/core/viewsets.py:595 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 " @@ -3194,43 +3202,43 @@ msgstr "" "objekty Zpětné vazby na základě oprávnění. Rozšiřuje základní třídu " "`EvibesViewSet` a využívá systém filtrování Djanga pro dotazování na data." -#: engine/core/viewsets.py:615 +#: engine/core/viewsets.py:622 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:813 +#: engine/core/viewsets.py:826 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:867 +#: engine/core/viewsets.py:880 msgid "Manages operations related to Product images in the application. " msgstr "Spravuje operace související s obrázky produktů v aplikaci." -#: engine/core/viewsets.py:880 +#: engine/core/viewsets.py:893 msgid "" "Manages the retrieval and handling of PromoCode instances through various " "API actions." @@ -3238,20 +3246,20 @@ msgstr "" "Spravuje načítání a zpracování instancí PromoCode prostřednictvím různých " "akcí API." -#: engine/core/viewsets.py:902 +#: engine/core/viewsets.py:915 msgid "Represents a view set for managing promotions. " msgstr "Představuje sadu zobrazení pro správu povýšení." -#: engine/core/viewsets.py:915 +#: engine/core/viewsets.py:928 msgid "Handles operations related to Stock data in the system." msgstr "Zpracovává operace související s údaji o zásobách v systému." -#: engine/core/viewsets.py:929 +#: engine/core/viewsets.py:942 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." @@ -3264,7 +3272,7 @@ msgstr "" "uživatelé mohou spravovat pouze své vlastní seznamy přání, pokud jim nejsou " "udělena výslovná oprávnění." -#: engine/core/viewsets.py:1044 +#: engine/core/viewsets.py:1057 msgid "" "This class provides viewset functionality for managing `Address` objects. " "The AddressViewSet class enables CRUD operations, filtering, and custom " @@ -3272,18 +3280,18 @@ 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." -#: engine/core/viewsets.py:1111 +#: engine/core/viewsets.py:1124 #, python-brace-format msgid "Geocoding error: {e}" msgstr "Chyba v zeměpisném kódování: {e}" -#: engine/core/viewsets.py:1119 +#: engine/core/viewsets.py:1132 msgid "" "Handles operations related to Product Tags within the application. This " "class provides functionality for retrieving, filtering, and serializing " @@ -3294,5 +3302,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.po b/engine/core/locale/da_DK/LC_MESSAGES/django.po index d2b4879b..6972cc81 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" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+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:21 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." @@ -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:62 msgid "get a list of supported languages" @@ -272,8 +271,7 @@ msgstr "" "attributter" #: engine/core/docs/drf/viewsets.py:96 -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:186 -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:196 engine/core/docs/drf/viewsets.py:197 msgid "list all categories (simple view)" @@ -380,17 +377,16 @@ msgstr "Liste over alle kategorier (enkel visning)" #: engine/core/docs/drf/viewsets.py:275 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:281 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:288 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:324 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:336 msgid "retrieve a single order (detailed view)" @@ -598,8 +594,7 @@ msgstr "Fjern et produkt fra ønskelisten" #: engine/core/docs/drf/viewsets.py:524 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:532 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:581 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:598 engine/core/docs/drf/viewsets.py:599 @@ -1152,7 +1159,7 @@ msgid "please provide either order_uuid or order_hr_id - mutually exclusive" msgstr "Angiv enten order_uuid eller order_hr_id - det udelukker hinanden!" #: engine/core/graphene/mutations.py:237 engine/core/graphene/mutations.py:502 -#: engine/core/graphene/mutations.py:544 engine/core/viewsets.py:704 +#: engine/core/graphene/mutations.py:544 engine/core/viewsets.py:713 msgid "wrong type came from order.buy() method: {type(instance)!s}" msgstr "Forkert type kom fra metoden order.buy(): {type(instance)!s}" @@ -1205,11 +1212,11 @@ msgstr "Køb en ordre" #: engine/core/graphene/mutations.py:517 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:550 msgid "add or delete a feedback for orderproduct" @@ -1231,7 +1238,7 @@ msgstr "Original adressestreng leveret af brugeren" #: engine/core/graphene/mutations.py:680 engine/core/models.py:955 #: engine/core/models.py:968 engine/core/models.py:1383 #: engine/core/models.py:1412 engine/core/models.py:1437 -#: engine/core/viewsets.py:707 +#: engine/core/viewsets.py:716 #, python-brace-format msgid "{name} does not exist: {uuid}" msgstr "{name} findes ikke: {uuid}!" @@ -1281,12 +1288,10 @@ msgstr "Markup-procentdel" #: engine/core/graphene/object_types.py:200 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:204 -msgid "" -"minimum and maximum prices for products in this category, if available." +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." @@ -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:124 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:209 engine/core/models.py:240 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:274 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:448 @@ -1819,8 +1823,8 @@ msgstr "Kategorier" #: engine/core/models.py:508 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:585 @@ -1971,13 +1975,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." @@ -2033,8 +2037,7 @@ msgstr "er filtrerbar" #: engine/core/models.py:759 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:771 engine/core/models.py:789 #: engine/core/templates/digital_order_delivered_email.html:134 @@ -2043,9 +2046,9 @@ msgstr "Attribut" #: engine/core/models.py:777 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 " @@ -2067,8 +2070,8 @@ msgstr "Den specifikke værdi for denne attribut" #: engine/core/models.py:815 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 "" @@ -2116,8 +2119,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 " @@ -2193,8 +2196,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 " @@ -2217,14 +2220,14 @@ msgstr "Uafklaret" #: engine/core/models.py:1014 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 " @@ -2299,9 +2302,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:1087 @@ -2390,8 +2393,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 "" @@ -2399,8 +2402,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:1213 @@ -2434,8 +2437,8 @@ msgstr "Bestillingsstatus" #: engine/core/models.py:1243 engine/core/models.py:1769 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:1249 msgid "json representation of order attributes for this order" @@ -2489,8 +2492,7 @@ msgstr "Du kan ikke tilføje flere produkter, end der er på lager" #: engine/core/models.py:1428 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:1416 #, python-brace-format @@ -2524,8 +2526,7 @@ msgstr "Du kan ikke købe en tom ordre!" #: engine/core/models.py:1522 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:1536 msgid "a user without a balance cannot buy with balance" @@ -2574,11 +2575,9 @@ msgid "feedback comments" msgstr "Kommentarer til feedback" #: engine/core/models.py:1719 -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:1720 msgid "related order product" @@ -2605,8 +2604,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 " @@ -2682,8 +2681,7 @@ msgstr "Forkert handling angivet for feedback: {action}!" #: engine/core/models.py:1888 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:1894 msgid "name" @@ -2722,9 +2720,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 " @@ -2790,7 +2788,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, " @@ -2904,7 +2903,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 " @@ -2975,8 +2975,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:73 msgid "" @@ -3037,10 +3036,14 @@ msgstr "Håndterer logikken i at købe som en virksomhed uden registrering." #: engine/core/views.py:314 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:325 msgid "order_product_uuid is required" @@ -3069,15 +3072,19 @@ msgstr "Favicon ikke fundet" #: engine/core/views.py:386 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:398 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 " @@ -3105,11 +3112,10 @@ msgstr "" #: engine/core/viewsets.py:157 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, " @@ -3138,11 +3144,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." @@ -3161,19 +3167,19 @@ msgstr "" "serialisering af kategoridata. ViewSet håndhæver også tilladelser for at " "sikre, at kun autoriserede brugere kan få adgang til specifikke data." -#: engine/core/viewsets.py:326 +#: engine/core/viewsets.py:327 msgid "" "Represents a viewset for managing Brand instances. This class provides " "functionality for querying, filtering, and serializing Brand objects. It " "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." -#: engine/core/viewsets.py:438 +#: engine/core/viewsets.py:439 msgid "" "Manages operations related to the `Product` model in the system. This class " "provides a viewset for managing products, including their filtering, " @@ -3186,12 +3192,12 @@ 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:568 +#: engine/core/viewsets.py:575 msgid "" "Represents a viewset for managing Vendor objects. This viewset allows " "fetching, filtering, and serializing Vendor data. It defines the queryset, " @@ -3199,69 +3205,69 @@ 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." -#: engine/core/viewsets.py:588 +#: engine/core/viewsets.py:595 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:615 +#: engine/core/viewsets.py:622 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 " "baseret på den specifikke handling, der udføres, og håndhæver tilladelser i " "overensstemmelse hermed, mens der interageres med ordredata." -#: engine/core/viewsets.py:813 +#: engine/core/viewsets.py:826 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." -#: engine/core/viewsets.py:867 +#: engine/core/viewsets.py:880 msgid "Manages operations related to Product images in the application. " msgstr "Håndterer operationer relateret til produktbilleder i applikationen." -#: engine/core/viewsets.py:880 +#: engine/core/viewsets.py:893 msgid "" "Manages the retrieval and handling of PromoCode instances through various " "API actions." @@ -3269,20 +3275,20 @@ msgstr "" "Administrerer hentning og håndtering af PromoCode-instanser gennem " "forskellige API-handlinger." -#: engine/core/viewsets.py:902 +#: engine/core/viewsets.py:915 msgid "Represents a view set for managing promotions. " msgstr "Repræsenterer et visningssæt til håndtering af kampagner." -#: engine/core/viewsets.py:915 +#: engine/core/viewsets.py:928 msgid "Handles operations related to Stock data in the system." msgstr "Håndterer operationer relateret til lagerdata i systemet." -#: engine/core/viewsets.py:929 +#: engine/core/viewsets.py:942 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." @@ -3295,7 +3301,7 @@ msgstr "" "integreret for at sikre, at brugere kun kan administrere deres egne " "ønskelister, medmindre der er givet eksplicitte tilladelser." -#: engine/core/viewsets.py:1044 +#: engine/core/viewsets.py:1057 msgid "" "This class provides viewset functionality for managing `Address` objects. " "The AddressViewSet class enables CRUD operations, filtering, and custom " @@ -3303,18 +3309,18 @@ 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:1111 +#: engine/core/viewsets.py:1124 #, python-brace-format msgid "Geocoding error: {e}" msgstr "Fejl i geokodning: {e}" -#: engine/core/viewsets.py:1119 +#: engine/core/viewsets.py:1132 msgid "" "Handles operations related to Product Tags within the application. This " "class provides functionality for retrieving, filtering, and serializing " diff --git a/engine/core/locale/de_DE/LC_MESSAGES/django.po b/engine/core/locale/de_DE/LC_MESSAGES/django.po index cb186846..be265b5a 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" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+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:21 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." @@ -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:62 msgid "get a list of supported languages" @@ -276,8 +276,7 @@ msgstr "" "Editierbarkeit" #: engine/core/docs/drf/viewsets.py:96 -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:141 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:151 msgid "list all attribute values (simple view)" @@ -333,8 +332,7 @@ msgstr "" "Editierbarkeit" #: engine/core/docs/drf/viewsets.py:186 -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,8 +365,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:244 engine/core/docs/drf/viewsets.py:245 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:252 engine/core/docs/drf/viewsets.py:704 #: engine/core/docs/drf/viewsets.py:988 @@ -393,12 +391,12 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:281 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:288 msgid "Filter orders with buy_time >= this ISO 8601 datetime" @@ -434,9 +432,9 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:324 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:373 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:380 msgid "purchase an order" @@ -504,8 +502,7 @@ msgstr "eine Bestellung kaufen, ohne ein Konto anzulegen" #: engine/core/docs/drf/viewsets.py:409 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:420 msgid "add product to order" @@ -522,8 +519,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:429 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:430 msgid "" @@ -592,8 +589,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:496 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:503 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:504 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:514 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:581 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:598 engine/core/docs/drf/viewsets.py:599 @@ -699,8 +709,8 @@ msgstr "Ein Produkt erstellen" #: engine/core/docs/drf/viewsets.py:628 engine/core/docs/drf/viewsets.py:629 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:647 engine/core/docs/drf/viewsets.py:648 msgid "" @@ -752,10 +762,10 @@ msgstr "Autovervollständigung der Adresseingabe" #: engine/core/docs/drf/viewsets.py:794 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:800 msgid "limit the results amount, 1 < limit < 10, default: 5" @@ -785,8 +795,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:851 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:861 msgid "list all order–product relations (simple view)" @@ -845,8 +855,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:981 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:1006 msgid "list all vendors (simple view)" @@ -872,8 +882,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:1041 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:1051 msgid "list all product images (simple view)" @@ -899,8 +909,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:1086 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:1096 msgid "list all promo codes (simple view)" @@ -926,8 +936,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:1131 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:1141 msgid "list all promotions (simple view)" @@ -953,8 +963,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:1176 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:1186 msgid "list all stocks (simple view)" @@ -980,8 +990,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:1221 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:1231 msgid "list all product tags (simple view)" @@ -1007,8 +1017,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:1266 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:122 #: engine/core/elasticsearch/__init__.py:570 @@ -1091,8 +1101,8 @@ msgstr "SKU" #: engine/core/filters.py:184 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:353 msgid "Search (ID, product name or part number)" @@ -1193,7 +1203,7 @@ msgstr "" "sich gegenseitig aus!" #: engine/core/graphene/mutations.py:237 engine/core/graphene/mutations.py:502 -#: engine/core/graphene/mutations.py:544 engine/core/viewsets.py:704 +#: engine/core/graphene/mutations.py:544 engine/core/viewsets.py:713 msgid "wrong type came from order.buy() method: {type(instance)!s}" msgstr "Von der Methode order.buy() kam der falsche Typ: {type(instance)!s}" @@ -1211,8 +1221,7 @@ msgstr "Aktion muss entweder \"Hinzufügen\" oder \"Entfernen\" sein!" #: engine/core/graphene/mutations.py:294 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:312 msgid "please provide wishlist_uuid value" @@ -1247,8 +1256,8 @@ msgstr "Eine Bestellung kaufen" #: engine/core/graphene/mutations.py:517 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" @@ -1273,7 +1282,7 @@ msgstr "Vom Benutzer angegebene Originaladresse" #: engine/core/graphene/mutations.py:680 engine/core/models.py:955 #: engine/core/models.py:968 engine/core/models.py:1383 #: engine/core/models.py:1412 engine/core/models.py:1437 -#: engine/core/viewsets.py:707 +#: engine/core/viewsets.py:716 #, python-brace-format msgid "{name} does not exist: {uuid}" msgstr "{name} existiert nicht: {uuid}!" @@ -1327,11 +1336,9 @@ msgstr "" "verwendet werden." #: engine/core/graphene/object_types.py:204 -msgid "" -"minimum and maximum prices for products in this category, if available." +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:206 msgid "tags for this category" @@ -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:91 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:274 @@ -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:508 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:556 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:557 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:585 @@ -1990,8 +1995,7 @@ msgstr "Ist das Produkt digital" #: engine/core/models.py:612 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:613 msgid "product name" @@ -2022,12 +2026,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, " @@ -2095,9 +2099,9 @@ msgstr "Attribut" #: engine/core/models.py:777 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\" " @@ -2120,16 +2124,16 @@ msgstr "Der spezifische Wert für dieses Attribut" #: engine/core/models.py:815 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:826 msgid "provide alternative text for the image for accessibility" @@ -2171,16 +2175,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:880 msgid "percentage discount for the selected products" @@ -2224,8 +2228,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:926 msgid "products that the user has marked as wanted" @@ -2249,15 +2253,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:998 @@ -2274,14 +2278,14 @@ msgstr "Ungelöst" #: engine/core/models.py:1014 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 " @@ -2376,8 +2380,7 @@ msgstr "Kennung des Promo-Codes" #: engine/core/models.py:1095 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:1096 msgid "fixed discount amount" @@ -2454,8 +2457,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 "" @@ -2629,8 +2632,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." @@ -2644,11 +2647,10 @@ msgid "feedback comments" msgstr "Kommentare zum Feedback" #: engine/core/models.py:1719 -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:1720 msgid "related order product" @@ -2674,14 +2676,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." @@ -2795,16 +2797,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:1961 @@ -2863,7 +2865,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 " @@ -2978,7 +2981,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. " @@ -3015,8 +3019,7 @@ msgstr "Sowohl Daten als auch Timeout sind erforderlich" #: engine/core/utils/caching.py:46 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 @@ -3114,10 +3117,16 @@ msgstr "Behandelt die Logik des Kaufs als Unternehmen ohne Registrierung." #: engine/core/views.py:314 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:325 msgid "order_product_uuid is required" @@ -3134,8 +3143,7 @@ msgstr "Sie können das digitale Asset nur einmal herunterladen" #: engine/core/views.py:338 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:344 msgid "the order product does not have a product" @@ -3148,15 +3156,20 @@ msgstr "Favicon nicht gefunden" #: engine/core/views.py:386 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:398 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 " @@ -3177,23 +3190,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:157 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:176 @@ -3218,14 +3230,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:214 @@ -3237,13 +3249,13 @@ 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." -#: engine/core/viewsets.py:326 +#: engine/core/viewsets.py:327 msgid "" "Represents a viewset for managing Brand instances. This class provides " "functionality for querying, filtering, and serializing Brand objects. It " @@ -3255,7 +3267,7 @@ msgstr "" "Objekten. Sie verwendet das ViewSet-Framework von Django, um die " "Implementierung von API-Endpunkten für Brand-Objekte zu vereinfachen." -#: engine/core/viewsets.py:438 +#: engine/core/viewsets.py:439 msgid "" "Manages operations related to the `Product` model in the system. This class " "provides a viewset for managing products, including their filtering, " @@ -3267,14 +3279,14 @@ 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 " "Rückmeldungen zu einem Produkt." -#: engine/core/viewsets.py:568 +#: engine/core/viewsets.py:575 msgid "" "Represents a viewset for managing Vendor objects. This viewset allows " "fetching, filtering, and serializing Vendor data. It defines the queryset, " @@ -3289,64 +3301,64 @@ msgstr "" "dieser Klasse ist die Bereitstellung eines optimierten Zugriffs auf Vendor-" "Ressourcen über das Django REST-Framework." -#: engine/core/viewsets.py:588 +#: engine/core/viewsets.py:595 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." -#: engine/core/viewsets.py:615 +#: engine/core/viewsets.py:622 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 " "Berechtigungen, während es mit den Bestelldaten interagiert." -#: engine/core/viewsets.py:813 +#: engine/core/viewsets.py:826 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:867 +#: engine/core/viewsets.py:880 msgid "Manages operations related to Product images in the application. " msgstr "" "Verwaltet Vorgänge im Zusammenhang mit Produktbildern in der Anwendung." -#: engine/core/viewsets.py:880 +#: engine/core/viewsets.py:893 msgid "" "Manages the retrieval and handling of PromoCode instances through various " "API actions." @@ -3354,34 +3366,34 @@ msgstr "" "Verwaltet den Abruf und die Handhabung von PromoCode-Instanzen durch " "verschiedene API-Aktionen." -#: engine/core/viewsets.py:902 +#: engine/core/viewsets.py:915 msgid "Represents a view set for managing promotions. " msgstr "Stellt ein Ansichtsset für die Verwaltung von Werbeaktionen dar." -#: engine/core/viewsets.py:915 +#: engine/core/viewsets.py:928 msgid "Handles operations related to Stock data in the system." msgstr "Erledigt Vorgänge im Zusammenhang mit Bestandsdaten im System." -#: engine/core/viewsets.py:929 +#: engine/core/viewsets.py:942 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 " "nur ihre eigenen Wunschlisten verwalten können, sofern keine expliziten " "Berechtigungen erteilt wurden." -#: engine/core/viewsets.py:1044 +#: engine/core/viewsets.py:1057 msgid "" "This class provides viewset functionality for managing `Address` objects. " "The AddressViewSet class enables CRUD operations, filtering, and custom " @@ -3390,18 +3402,18 @@ 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." -#: engine/core/viewsets.py:1111 +#: engine/core/viewsets.py:1124 #, python-brace-format msgid "Geocoding error: {e}" msgstr "Geocodierungsfehler: {e}" -#: engine/core/viewsets.py:1119 +#: engine/core/viewsets.py:1132 msgid "" "Handles operations related to Product Tags within the application. This " "class provides functionality for retrieving, filtering, and serializing " @@ -3412,6 +3424,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.po b/engine/core/locale/en_GB/LC_MESSAGES/django.po index b6d47185..6a790817 100644 --- a/engine/core/locale/en_GB/LC_MESSAGES/django.po +++ b/engine/core/locale/en_GB/LC_MESSAGES/django.po @@ -2,12 +2,12 @@ # Copyright (C) 2025 Egor "fureunoir" 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" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" @@ -31,11 +31,9 @@ msgstr "Is Active" #: engine/core/abstract.py:21 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:23 engine/core/choices.py:18 msgid "created" @@ -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:96 -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:186 -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" @@ -380,11 +375,11 @@ msgstr "For non-staff users, only their own orders are returned." #: engine/core/docs/drf/viewsets.py:281 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:288 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:324 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:336 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:568 engine/core/docs/drf/viewsets.py:569 @@ -634,10 +639,12 @@ msgstr "(exact) Product UUID" #: engine/core/docs/drf/viewsets.py:581 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:598 engine/core/docs/drf/viewsets.py:599 @@ -1115,7 +1122,7 @@ msgid "please provide either order_uuid or order_hr_id - mutually exclusive" msgstr "Please provide either order_uuid or order_hr_id - mutually exclusive!" #: engine/core/graphene/mutations.py:237 engine/core/graphene/mutations.py:502 -#: engine/core/graphene/mutations.py:544 engine/core/viewsets.py:704 +#: engine/core/graphene/mutations.py:544 engine/core/viewsets.py:713 msgid "wrong type came from order.buy() method: {type(instance)!s}" msgstr "Wrong type came from order.buy() method: {type(instance)!s}" @@ -1168,11 +1175,11 @@ msgstr "Buy an order" #: engine/core/graphene/mutations.py:517 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:550 msgid "add or delete a feedback for orderproduct" @@ -1194,7 +1201,7 @@ msgstr "Original address string provided by the user" #: engine/core/graphene/mutations.py:680 engine/core/models.py:955 #: engine/core/models.py:968 engine/core/models.py:1383 #: engine/core/models.py:1412 engine/core/models.py:1437 -#: engine/core/viewsets.py:707 +#: engine/core/viewsets.py:716 #, python-brace-format msgid "{name} does not exist: {uuid}" msgstr "{name} does not exist: {uuid}!" @@ -1246,8 +1253,7 @@ 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:204 -msgid "" -"minimum and maximum prices for products in this category, if available." +msgid "minimum and maximum prices for products in this category, if available." msgstr "" "Minimum and maximum prices for products in this category, if available." @@ -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:448 msgid "name of this brand" @@ -1771,15 +1775,15 @@ msgstr "Categories" #: engine/core/models.py:508 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 " @@ -1923,15 +1927,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:733 @@ -1993,13 +1997,13 @@ msgstr "Attribute" #: engine/core/models.py:777 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:788 msgid "attribute of this value" @@ -2016,14 +2020,14 @@ msgstr "The specific value for this attribute" #: engine/core/models.py:815 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." @@ -2065,15 +2069,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:880 msgid "percentage discount for the selected products" @@ -2141,15 +2145,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:998 msgid "documentary" @@ -2165,23 +2169,23 @@ msgstr "Unresolved" #: engine/core/models.py:1014 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:1029 msgid "address line for the customer" @@ -2336,15 +2340,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." @@ -2515,8 +2519,7 @@ msgid "feedback comments" msgstr "Feedback comments" #: engine/core/models.py:1719 -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" @@ -2660,16 +2663,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:1961 msgid "download" @@ -2726,11 +2729,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 @@ -2840,11 +2844,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 @@ -2972,10 +2977,14 @@ msgstr "Handles the logic of buying as a business without registration." #: engine/core/views.py:314 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:325 msgid "order_product_uuid is required" @@ -3004,19 +3013,23 @@ msgstr "favicon not found" #: engine/core/views.py:386 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:398 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:411 @@ -3039,17 +3052,15 @@ msgstr "" #: engine/core/viewsets.py:157 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:176 msgid "" @@ -3072,14 +3083,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:214 msgid "" @@ -3095,7 +3106,7 @@ msgstr "" "The viewset also enforces permissions to ensure that only authorized users " "can access specific data." -#: engine/core/viewsets.py:326 +#: engine/core/viewsets.py:327 msgid "" "Represents a viewset for managing Brand instances. This class provides " "functionality for querying, filtering, and serializing Brand objects. It " @@ -3107,7 +3118,7 @@ msgstr "" "uses Django's ViewSet framework to simplify the implementation of API " "endpoints for Brand objects." -#: engine/core/viewsets.py:438 +#: engine/core/viewsets.py:439 msgid "" "Manages operations related to the `Product` model in the system. This class " "provides a viewset for managing products, including their filtering, " @@ -3125,7 +3136,7 @@ msgstr "" "product details, applying permissions, and accessing related feedback of a " "product." -#: engine/core/viewsets.py:568 +#: engine/core/viewsets.py:575 msgid "" "Represents a viewset for managing Vendor objects. This viewset allows " "fetching, filtering, and serializing Vendor data. It defines the queryset, " @@ -3139,59 +3150,59 @@ msgstr "" "actions. The purpose of this class is to provide streamlined access to " "Vendor-related resources through the Django REST framework." -#: engine/core/viewsets.py:588 +#: engine/core/viewsets.py:595 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:615 +#: engine/core/viewsets.py:622 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:813 +#: engine/core/viewsets.py:826 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:867 +#: engine/core/viewsets.py:880 msgid "Manages operations related to Product images in the application. " msgstr "Manages operations related to Product images in the application." -#: engine/core/viewsets.py:880 +#: engine/core/viewsets.py:893 msgid "" "Manages the retrieval and handling of PromoCode instances through various " "API actions." @@ -3199,33 +3210,33 @@ msgstr "" "Manages the retrieval and handling of PromoCode instances through various " "API actions." -#: engine/core/viewsets.py:902 +#: engine/core/viewsets.py:915 msgid "Represents a view set for managing promotions. " msgstr "Represents a view set for managing promotions." -#: engine/core/viewsets.py:915 +#: engine/core/viewsets.py:928 msgid "Handles operations related to Stock data in the system." msgstr "Handles operations related to Stock data in the system." -#: engine/core/viewsets.py:929 +#: engine/core/viewsets.py:942 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." -#: engine/core/viewsets.py:1044 +#: engine/core/viewsets.py:1057 msgid "" "This class provides viewset functionality for managing `Address` objects. " "The AddressViewSet class enables CRUD operations, filtering, and custom " @@ -3239,12 +3250,12 @@ msgstr "" "different HTTP methods, serializer overrides, and permission handling based " "on the request context." -#: engine/core/viewsets.py:1111 +#: engine/core/viewsets.py:1124 #, python-brace-format msgid "Geocoding error: {e}" msgstr "Geocoding error: {e}" -#: engine/core/viewsets.py:1119 +#: engine/core/viewsets.py:1132 msgid "" "Handles operations related to Product Tags within the application. This " "class provides functionality for retrieving, filtering, and serializing " diff --git a/engine/core/locale/en_US/LC_MESSAGES/django.po b/engine/core/locale/en_US/LC_MESSAGES/django.po index d0621464..45e1abed 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" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+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:21 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:23 engine/core/choices.py:18 msgid "created" @@ -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:96 -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:186 -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" @@ -376,11 +371,11 @@ msgstr "For non-staff users, only their own orders are returned." #: engine/core/docs/drf/viewsets.py:281 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:288 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:324 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:336 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:581 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:598 engine/core/docs/drf/viewsets.py:599 @@ -1111,7 +1117,7 @@ msgid "please provide either order_uuid or order_hr_id - mutually exclusive" msgstr "Please provide either order_uuid or order_hr_id - mutually exclusive!" #: engine/core/graphene/mutations.py:237 engine/core/graphene/mutations.py:502 -#: engine/core/graphene/mutations.py:544 engine/core/viewsets.py:704 +#: engine/core/graphene/mutations.py:544 engine/core/viewsets.py:713 msgid "wrong type came from order.buy() method: {type(instance)!s}" msgstr "Wrong type came from order.buy() method: {type(instance)!s}" @@ -1164,11 +1170,11 @@ msgstr "Buy an order" #: engine/core/graphene/mutations.py:517 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:550 msgid "add or delete a feedback for orderproduct" @@ -1190,7 +1196,7 @@ msgstr "Original address string provided by the user" #: engine/core/graphene/mutations.py:680 engine/core/models.py:955 #: engine/core/models.py:968 engine/core/models.py:1383 #: engine/core/models.py:1412 engine/core/models.py:1437 -#: engine/core/viewsets.py:707 +#: engine/core/viewsets.py:716 #, python-brace-format msgid "{name} does not exist: {uuid}" msgstr "{name} does not exist: {uuid}!" @@ -1242,8 +1248,7 @@ 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:204 -msgid "" -"minimum and maximum prices for products in this category, if available." +msgid "minimum and maximum prices for products in this category, if available." msgstr "" "Minimum and maximum prices for products in this category, if available." @@ -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:448 msgid "name of this brand" @@ -1767,15 +1770,15 @@ msgstr "Categories" #: engine/core/models.py:508 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 " @@ -1919,15 +1922,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:733 @@ -1989,13 +1992,13 @@ msgstr "Attribute" #: engine/core/models.py:777 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:788 msgid "attribute of this value" @@ -2012,14 +2015,14 @@ msgstr "The specific value for this attribute" #: engine/core/models.py:815 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." @@ -2061,15 +2064,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:880 msgid "percentage discount for the selected products" @@ -2137,15 +2140,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:998 msgid "documentary" @@ -2161,23 +2164,23 @@ msgstr "Unresolved" #: engine/core/models.py:1014 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:1029 msgid "address line for the customer" @@ -2332,15 +2335,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." @@ -2511,8 +2514,7 @@ msgid "feedback comments" msgstr "Feedback comments" #: engine/core/models.py:1719 -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" @@ -2656,16 +2658,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:1961 msgid "download" @@ -2722,11 +2724,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 @@ -2836,11 +2839,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 @@ -2968,10 +2972,14 @@ msgstr "Handles the logic of buying as a business without registration." #: engine/core/views.py:314 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:325 msgid "order_product_uuid is required" @@ -3000,19 +3008,23 @@ msgstr "favicon not found" #: engine/core/views.py:386 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:398 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:411 @@ -3035,17 +3047,15 @@ msgstr "" #: engine/core/viewsets.py:157 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:176 msgid "" @@ -3068,14 +3078,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:214 msgid "" @@ -3091,7 +3101,7 @@ msgstr "" "The viewset also enforces permissions to ensure that only authorized users " "can access specific data." -#: engine/core/viewsets.py:326 +#: engine/core/viewsets.py:327 msgid "" "Represents a viewset for managing Brand instances. This class provides " "functionality for querying, filtering, and serializing Brand objects. It " @@ -3103,7 +3113,7 @@ msgstr "" "uses Django's ViewSet framework to simplify the implementation of API " "endpoints for Brand objects." -#: engine/core/viewsets.py:438 +#: engine/core/viewsets.py:439 msgid "" "Manages operations related to the `Product` model in the system. This class " "provides a viewset for managing products, including their filtering, " @@ -3121,7 +3131,7 @@ msgstr "" "product details, applying permissions, and accessing related feedback of a " "product." -#: engine/core/viewsets.py:568 +#: engine/core/viewsets.py:575 msgid "" "Represents a viewset for managing Vendor objects. This viewset allows " "fetching, filtering, and serializing Vendor data. It defines the queryset, " @@ -3135,59 +3145,59 @@ msgstr "" "actions. The purpose of this class is to provide streamlined access to " "Vendor-related resources through the Django REST framework." -#: engine/core/viewsets.py:588 +#: engine/core/viewsets.py:595 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:615 +#: engine/core/viewsets.py:622 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:813 +#: engine/core/viewsets.py:826 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:867 +#: engine/core/viewsets.py:880 msgid "Manages operations related to Product images in the application. " msgstr "Manages operations related to Product images in the application." -#: engine/core/viewsets.py:880 +#: engine/core/viewsets.py:893 msgid "" "Manages the retrieval and handling of PromoCode instances through various " "API actions." @@ -3195,33 +3205,33 @@ msgstr "" "Manages the retrieval and handling of PromoCode instances through various " "API actions." -#: engine/core/viewsets.py:902 +#: engine/core/viewsets.py:915 msgid "Represents a view set for managing promotions. " msgstr "Represents a view set for managing promotions." -#: engine/core/viewsets.py:915 +#: engine/core/viewsets.py:928 msgid "Handles operations related to Stock data in the system." msgstr "Handles operations related to Stock data in the system." -#: engine/core/viewsets.py:929 +#: engine/core/viewsets.py:942 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." -#: engine/core/viewsets.py:1044 +#: engine/core/viewsets.py:1057 msgid "" "This class provides viewset functionality for managing `Address` objects. " "The AddressViewSet class enables CRUD operations, filtering, and custom " @@ -3235,12 +3245,12 @@ msgstr "" "different HTTP methods, serializer overrides, and permission handling based " "on the request context." -#: engine/core/viewsets.py:1111 +#: engine/core/viewsets.py:1124 #, python-brace-format msgid "Geocoding error: {e}" msgstr "Geocoding error: {e}" -#: engine/core/viewsets.py:1119 +#: engine/core/viewsets.py:1132 msgid "" "Handles operations related to Product Tags within the application. This " "class provides functionality for retrieving, filtering, and serializing " diff --git a/engine/core/locale/es_ES/LC_MESSAGES/django.po b/engine/core/locale/es_ES/LC_MESSAGES/django.po index 92d7c877..d29ef627 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" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+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:21 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" @@ -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:62 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:164 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:96 -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:141 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:151 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:186 -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:196 engine/core/docs/drf/viewsets.py:197 msgid "list all categories (simple view)" @@ -387,12 +383,12 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:281 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:288 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:308 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:313 msgid "Filter by user's UUID" @@ -428,9 +424,9 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:324 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:496 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:503 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:568 engine/core/docs/drf/viewsets.py:569 @@ -659,10 +665,12 @@ msgstr "UUID (exacto) del producto" #: engine/core/docs/drf/viewsets.py:581 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:598 engine/core/docs/drf/viewsets.py:599 @@ -868,8 +876,7 @@ msgstr "Eliminar la imagen de un producto" #: engine/core/docs/drf/viewsets.py:1079 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:1086 msgid "rewrite some fields of an existing product image saving non-editables" @@ -1063,8 +1070,7 @@ msgstr "SKU" #: engine/core/filters.py:184 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:353 msgid "Search (ID, product name or part number)" @@ -1163,10 +1169,9 @@ msgid "please provide either order_uuid or order_hr_id - mutually exclusive" msgstr "Indique order_uuid o order_hr_id, ¡se excluyen mutuamente!" #: engine/core/graphene/mutations.py:237 engine/core/graphene/mutations.py:502 -#: engine/core/graphene/mutations.py:544 engine/core/viewsets.py:704 +#: engine/core/graphene/mutations.py:544 engine/core/viewsets.py:713 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:246 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:517 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:550 msgid "add or delete a feedback for orderproduct" @@ -1243,7 +1248,7 @@ msgstr "Cadena de dirección original proporcionada por el usuario" #: engine/core/graphene/mutations.py:680 engine/core/models.py:955 #: engine/core/models.py:968 engine/core/models.py:1383 #: engine/core/models.py:1412 engine/core/models.py:1437 -#: engine/core/viewsets.py:707 +#: engine/core/viewsets.py:716 #, python-brace-format msgid "{name} does not exist: {uuid}" msgstr "{name} no existe: ¡{uuid}!" @@ -1296,8 +1301,7 @@ msgstr "" "Qué atributos y valores se pueden utilizar para filtrar esta categoría." #: engine/core/graphene/object_types.py:204 -msgid "" -"minimum and maximum prices for products in this category, if available." +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." @@ -1330,8 +1334,7 @@ msgstr "Cómo" #: engine/core/graphene/object_types.py:484 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:367 msgid "represents feedback from a user." @@ -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:91 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:124 @@ -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:508 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:585 msgid "category this product belongs to" @@ -1988,14 +1990,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." @@ -2059,9 +2061,9 @@ msgstr "Atributo" #: engine/core/models.py:777 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 " @@ -2082,8 +2084,8 @@ msgstr "El valor específico de este atributo" #: engine/core/models.py:815 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 "" @@ -2132,8 +2134,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 " @@ -2209,8 +2211,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 " @@ -2233,14 +2235,14 @@ msgstr "Sin resolver" #: engine/core/models.py:1014 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 " @@ -2249,8 +2251,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:1029 @@ -2408,8 +2410,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 "" @@ -2417,9 +2419,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:1213 msgid "the billing address used for this order" @@ -2592,8 +2594,7 @@ msgid "feedback comments" msgstr "Comentarios" #: engine/core/models.py:1719 -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" @@ -2628,8 +2629,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." @@ -2741,17 +2742,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:1961 msgid "download" @@ -2809,7 +2809,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 " @@ -2923,7 +2924,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 " @@ -3003,8 +3005,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:88 @@ -3021,8 +3023,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:155 msgid "Returns the parameters of the website as a JSON object." @@ -3059,10 +3060,14 @@ msgstr "Maneja la lógica de la compra como empresa sin registro." #: engine/core/views.py:314 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:325 msgid "order_product_uuid is required" @@ -3091,21 +3096,25 @@ msgstr "favicon no encontrado" #: engine/core/views.py:386 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:398 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:411 msgid "Returns current version of the eVibes. " @@ -3127,16 +3136,15 @@ msgstr "" #: engine/core/viewsets.py:157 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:176 @@ -3148,10 +3156,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." @@ -3161,12 +3169,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." @@ -3182,10 +3190,10 @@ 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:326 +#: engine/core/viewsets.py:327 msgid "" "Represents a viewset for managing Brand instances. This class provides " "functionality for querying, filtering, and serializing Brand objects. It " @@ -3193,11 +3201,11 @@ 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:438 +#: engine/core/viewsets.py:439 msgid "" "Manages operations related to the `Product` model in the system. This class " "provides a viewset for managing products, including their filtering, " @@ -3209,14 +3217,13 @@ 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:568 +#: engine/core/viewsets.py:575 msgid "" "Represents a viewset for managing Vendor objects. This viewset allows " "fetching, filtering, and serializing Vendor data. It defines the queryset, " @@ -3231,13 +3238,13 @@ msgstr "" "proporcionar un acceso simplificado a los recursos relacionados con el " "vendedor a través del marco REST de Django." -#: engine/core/viewsets.py:588 +#: engine/core/viewsets.py:595 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 " @@ -3245,34 +3252,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:615 +#: engine/core/viewsets.py:622 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:813 +#: engine/core/viewsets.py:826 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. " @@ -3282,13 +3289,13 @@ msgstr "" "Además, proporciona una acción detallada para gestionar los comentarios " "sobre las instancias de OrderProduct." -#: engine/core/viewsets.py:867 +#: engine/core/viewsets.py:880 msgid "Manages operations related to Product images in the application. " msgstr "" "Gestiona las operaciones relacionadas con las imágenes de productos en la " "aplicación." -#: engine/core/viewsets.py:880 +#: engine/core/viewsets.py:893 msgid "" "Manages the retrieval and handling of PromoCode instances through various " "API actions." @@ -3296,21 +3303,21 @@ msgstr "" "Gestiona la recuperación y el manejo de instancias de PromoCode a través de " "varias acciones de la API." -#: engine/core/viewsets.py:902 +#: engine/core/viewsets.py:915 msgid "Represents a view set for managing promotions. " msgstr "Representa un conjunto de vistas para gestionar promociones." -#: engine/core/viewsets.py:915 +#: engine/core/viewsets.py:928 msgid "Handles operations related to Stock data in the system." msgstr "" "Gestiona las operaciones relacionadas con los datos de Stock en el sistema." -#: engine/core/viewsets.py:929 +#: engine/core/viewsets.py:942 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." @@ -3324,7 +3331,7 @@ msgstr "" "integrados para garantizar que los usuarios sólo puedan gestionar sus " "propias listas de deseos a menos que se concedan permisos explícitos." -#: engine/core/viewsets.py:1044 +#: engine/core/viewsets.py:1057 msgid "" "This class provides viewset functionality for managing `Address` objects. " "The AddressViewSet class enables CRUD operations, filtering, and custom " @@ -3335,15 +3342,15 @@ 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:1111 +#: engine/core/viewsets.py:1124 #, python-brace-format msgid "Geocoding error: {e}" msgstr "Error de geocodificación: {e}" -#: engine/core/viewsets.py:1119 +#: engine/core/viewsets.py:1132 msgid "" "Handles operations related to Product Tags within the application. This " "class provides functionality for retrieving, filtering, and serializing " diff --git a/engine/core/locale/fa_IR/LC_MESSAGES/django.po b/engine/core/locale/fa_IR/LC_MESSAGES/django.po index bc0ab9f7..e822e564 100644 --- a/engine/core/locale/fa_IR/LC_MESSAGES/django.po +++ b/engine/core/locale/fa_IR/LC_MESSAGES/django.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -1077,7 +1077,7 @@ msgid "please provide either order_uuid or order_hr_id - mutually exclusive" msgstr "" #: engine/core/graphene/mutations.py:237 engine/core/graphene/mutations.py:502 -#: engine/core/graphene/mutations.py:544 engine/core/viewsets.py:704 +#: engine/core/graphene/mutations.py:544 engine/core/viewsets.py:713 msgid "wrong type came from order.buy() method: {type(instance)!s}" msgstr "" @@ -1154,7 +1154,7 @@ msgstr "" #: engine/core/graphene/mutations.py:680 engine/core/models.py:955 #: engine/core/models.py:968 engine/core/models.py:1383 #: engine/core/models.py:1412 engine/core/models.py:1437 -#: engine/core/viewsets.py:707 +#: engine/core/viewsets.py:716 #, python-brace-format msgid "{name} does not exist: {uuid}" msgstr "" @@ -2866,7 +2866,7 @@ msgid "" "can access specific data." msgstr "" -#: engine/core/viewsets.py:326 +#: engine/core/viewsets.py:327 msgid "" "Represents a viewset for managing Brand instances. This class provides " "functionality for querying, filtering, and serializing Brand objects. It " @@ -2874,7 +2874,7 @@ msgid "" "endpoints for Brand objects." msgstr "" -#: engine/core/viewsets.py:438 +#: engine/core/viewsets.py:439 msgid "" "Manages operations related to the `Product` model in the system. This class " "provides a viewset for managing products, including their filtering, " @@ -2885,7 +2885,7 @@ msgid "" "product." msgstr "" -#: engine/core/viewsets.py:568 +#: engine/core/viewsets.py:575 msgid "" "Represents a viewset for managing Vendor objects. This viewset allows " "fetching, filtering, and serializing Vendor data. It defines the queryset, " @@ -2894,7 +2894,7 @@ msgid "" "Vendor-related resources through the Django REST framework." msgstr "" -#: engine/core/viewsets.py:588 +#: engine/core/viewsets.py:595 msgid "" "Representation of a view set handling Feedback objects. This class manages " "operations related to Feedback objects, including listing, filtering, and " @@ -2904,7 +2904,7 @@ msgid "" "use of Django's filtering system for querying data." msgstr "" -#: engine/core/viewsets.py:615 +#: engine/core/viewsets.py:622 msgid "" "ViewSet for managing orders and related operations. This class provides " "functionality to retrieve, modify, and manage order objects. It includes " @@ -2915,7 +2915,7 @@ msgid "" "enforces permissions accordingly while interacting with order data." msgstr "" -#: engine/core/viewsets.py:813 +#: engine/core/viewsets.py:826 msgid "" "Provides a viewset for managing OrderProduct entities. This viewset enables " "CRUD operations and custom actions specific to the OrderProduct model. It " @@ -2924,25 +2924,25 @@ msgid "" "feedback on OrderProduct instances" msgstr "" -#: engine/core/viewsets.py:867 +#: engine/core/viewsets.py:880 msgid "Manages operations related to Product images in the application. " msgstr "" -#: engine/core/viewsets.py:880 +#: engine/core/viewsets.py:893 msgid "" "Manages the retrieval and handling of PromoCode instances through various " "API actions." msgstr "" -#: engine/core/viewsets.py:902 +#: engine/core/viewsets.py:915 msgid "Represents a view set for managing promotions. " msgstr "" -#: engine/core/viewsets.py:915 +#: engine/core/viewsets.py:928 msgid "Handles operations related to Stock data in the system." msgstr "" -#: engine/core/viewsets.py:929 +#: engine/core/viewsets.py:942 msgid "" "ViewSet for managing Wishlist operations. The WishlistViewSet provides " "endpoints for interacting with a user's wish list, allowing for the " @@ -2953,7 +2953,7 @@ msgid "" "are granted." msgstr "" -#: engine/core/viewsets.py:1044 +#: engine/core/viewsets.py:1057 msgid "" "This class provides viewset functionality for managing `Address` objects. " "The AddressViewSet class enables CRUD operations, filtering, and custom " @@ -2962,12 +2962,12 @@ msgid "" "on the request context." msgstr "" -#: engine/core/viewsets.py:1111 +#: engine/core/viewsets.py:1124 #, python-brace-format msgid "Geocoding error: {e}" msgstr "" -#: engine/core/viewsets.py:1119 +#: engine/core/viewsets.py:1132 msgid "" "Handles operations related to Product Tags within the application. This " "class provides functionality for retrieving, filtering, and serializing " diff --git a/engine/core/locale/fr_FR/LC_MESSAGES/django.po b/engine/core/locale/fr_FR/LC_MESSAGES/django.po index 77373db6..2f069ae8 100644 --- a/engine/core/locale/fr_FR/LC_MESSAGES/django.po +++ b/engine/core/locale/fr_FR/LC_MESSAGES/django.po @@ -1,9 +1,9 @@ -# +# msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+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 actif" #: engine/core/abstract.py:21 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." @@ -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:62 msgid "get a list of supported languages" @@ -277,8 +277,7 @@ msgstr "" "modifiables" #: engine/core/docs/drf/viewsets.py:96 -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:141 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:151 msgid "list all attribute values (simple view)" @@ -333,8 +332,7 @@ msgstr "" "modifiables" #: engine/core/docs/drf/viewsets.py:186 -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" @@ -393,11 +391,11 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:281 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:288 msgid "Filter orders with buy_time >= this ISO 8601 datetime" @@ -433,13 +431,13 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:324 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:336 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:397 @@ -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:459 msgid "list all wishlists (simple view)" @@ -587,8 +585,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:496 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:503 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:581 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:598 engine/core/docs/drf/viewsets.py:599 @@ -938,8 +949,7 @@ msgstr "Supprimer une promotion" #: engine/core/docs/drf/viewsets.py:1169 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:1176 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:1259 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:1266 msgid "rewrite some fields of an existing product tag saving non-editables" @@ -1186,7 +1196,7 @@ msgstr "" "mutuellement !" #: engine/core/graphene/mutations.py:237 engine/core/graphene/mutations.py:502 -#: engine/core/graphene/mutations.py:544 engine/core/viewsets.py:704 +#: engine/core/graphene/mutations.py:544 engine/core/viewsets.py:713 msgid "wrong type came from order.buy() method: {type(instance)!s}" msgstr "" "Le mauvais type provient de la méthode order.buy() : {type(instance)!s}" @@ -1241,8 +1251,8 @@ msgstr "Acheter une commande" #: engine/core/graphene/mutations.py:517 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." @@ -1269,7 +1279,7 @@ msgstr "Chaîne d'adresse originale fournie par l'utilisateur" #: engine/core/graphene/mutations.py:680 engine/core/models.py:955 #: engine/core/models.py:968 engine/core/models.py:1383 #: engine/core/models.py:1412 engine/core/models.py:1437 -#: engine/core/viewsets.py:707 +#: engine/core/viewsets.py:716 #, python-brace-format msgid "{name} does not exist: {uuid}" msgstr "{name} n'existe pas : {uuid} !" @@ -1323,8 +1333,7 @@ msgstr "" "catégorie." #: engine/core/graphene/object_types.py:204 -msgid "" -"minimum and maximum prices for products in this category, if available." +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." @@ -1388,8 +1397,8 @@ 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:415 msgid "total price of this order" @@ -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:254 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:448 msgid "name of this brand" @@ -1861,8 +1869,8 @@ msgstr "Catégories" #: engine/core/models.py:508 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:520 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 " @@ -2015,14 +2023,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." @@ -2088,14 +2096,13 @@ msgstr "Attribut" #: engine/core/models.py:777 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:788 msgid "attribute of this value" @@ -2112,16 +2119,16 @@ msgstr "La valeur spécifique de cet attribut" #: engine/core/models.py:815 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:826 @@ -2162,8 +2169,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 " @@ -2216,8 +2223,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:926 msgid "products that the user has marked as wanted" @@ -2241,11 +2247,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 " @@ -2266,24 +2272,24 @@ msgstr "Non résolu" #: engine/core/models.py:1014 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." @@ -2350,8 +2356,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 " @@ -2359,8 +2365,7 @@ msgstr "" #: engine/core/models.py:1087 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:1088 msgid "promo code identifier" @@ -2368,8 +2373,7 @@ msgstr "Identifiant du code promotionnel" #: engine/core/models.py:1095 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:1096 msgid "fixed discount amount" @@ -2377,8 +2381,7 @@ msgstr "Montant de l'escompte fixe" #: engine/core/models.py:1102 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:1103 msgid "percentage discount" @@ -2403,8 +2406,8 @@ msgstr "Heure de début de validité" #: engine/core/models.py:1120 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:1121 msgid "usage timestamp" @@ -2447,18 +2450,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:1213 @@ -2534,8 +2537,7 @@ msgstr "Un utilisateur ne peut avoir qu'un seul ordre en cours à la fois !" #: engine/core/models.py:1351 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:1356 msgid "you cannot add inactive products to order" @@ -2642,8 +2644,7 @@ msgid "feedback comments" msgstr "Commentaires" #: engine/core/models.py:1719 -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." @@ -2672,17 +2673,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:1757 msgid "the price paid by the customer for this product at purchase time" @@ -2694,8 +2694,7 @@ msgstr "Prix d'achat au moment de la commande" #: engine/core/models.py:1763 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:1764 msgid "internal comments" @@ -2793,9 +2792,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 " @@ -2861,7 +2860,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 " @@ -2976,7 +2976,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 " @@ -3015,8 +3016,8 @@ msgstr "Les données et le délai d'attente sont tous deux nécessaires" #: engine/core/utils/caching.py:46 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 @@ -3068,8 +3069,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:123 msgid "" @@ -3113,10 +3114,15 @@ msgstr "Gère la logique de l'achat en tant qu'entreprise sans enregistrement." #: engine/core/views.py:314 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:325 msgid "order_product_uuid is required" @@ -3145,21 +3151,25 @@ msgstr "favicon introuvable" #: engine/core/views.py:386 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:398 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:411 msgid "Returns current version of the eVibes. " @@ -3182,11 +3192,10 @@ msgstr "" #: engine/core/viewsets.py:157 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 " @@ -3216,15 +3225,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:214 msgid "" @@ -3235,13 +3243,13 @@ 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." -#: engine/core/viewsets.py:326 +#: engine/core/viewsets.py:327 msgid "" "Represents a viewset for managing Brand instances. This class provides " "functionality for querying, filtering, and serializing Brand objects. It " @@ -3250,11 +3258,11 @@ 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:438 +#: engine/core/viewsets.py:439 msgid "" "Manages operations related to the `Product` model in the system. This class " "provides a viewset for managing products, including their filtering, " @@ -3269,10 +3277,10 @@ 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:568 +#: engine/core/viewsets.py:575 msgid "" "Represents a viewset for managing Vendor objects. This viewset allows " "fetching, filtering, and serializing Vendor data. It defines the queryset, " @@ -3280,21 +3288,21 @@ 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 " "ressources relatives aux vendeurs par l'intermédiaire du cadre REST de " "Django." -#: engine/core/viewsets.py:588 +#: engine/core/viewsets.py:595 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 " @@ -3306,14 +3314,14 @@ msgstr "" "la classe de base `EvibesViewSet` et utilise le système de filtrage de " "Django pour l'interrogation des données." -#: engine/core/viewsets.py:615 +#: engine/core/viewsets.py:622 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 " @@ -3326,26 +3334,26 @@ msgstr "" "autorisations en conséquence lors de l'interaction avec les données de la " "commande." -#: engine/core/viewsets.py:813 +#: engine/core/viewsets.py:826 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:867 +#: engine/core/viewsets.py:880 msgid "Manages operations related to Product images in the application. " msgstr "Gère les opérations liées aux images des produits dans l'application." -#: engine/core/viewsets.py:880 +#: engine/core/viewsets.py:893 msgid "" "Manages the retrieval and handling of PromoCode instances through various " "API actions." @@ -3353,20 +3361,20 @@ msgstr "" "Gère la récupération et le traitement des instances de PromoCode par le " "biais de diverses actions API." -#: engine/core/viewsets.py:902 +#: engine/core/viewsets.py:915 msgid "Represents a view set for managing promotions. " msgstr "Représente un jeu de vues pour la gestion des promotions." -#: engine/core/viewsets.py:915 +#: engine/core/viewsets.py:928 msgid "Handles operations related to Stock data in the system." msgstr "Gère les opérations liées aux données de stock dans le système." -#: engine/core/viewsets.py:929 +#: engine/core/viewsets.py:942 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." @@ -3374,14 +3382,14 @@ 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." -#: engine/core/viewsets.py:1044 +#: engine/core/viewsets.py:1057 msgid "" "This class provides viewset functionality for managing `Address` objects. " "The AddressViewSet class enables CRUD operations, filtering, and custom " @@ -3390,18 +3398,18 @@ 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:1111 +#: engine/core/viewsets.py:1124 #, python-brace-format msgid "Geocoding error: {e}" msgstr "Erreur de géocodage : {e}" -#: engine/core/viewsets.py:1119 +#: engine/core/viewsets.py:1132 msgid "" "Handles operations related to Product Tags within the application. This " "class provides functionality for retrieving, filtering, and serializing " diff --git a/engine/core/locale/he_IL/LC_MESSAGES/django.po b/engine/core/locale/he_IL/LC_MESSAGES/django.po index c6dd9597..1536613a 100644 --- a/engine/core/locale/he_IL/LC_MESSAGES/django.po +++ b/engine/core/locale/he_IL/LC_MESSAGES/django.po @@ -1,9 +1,9 @@ -# +# msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+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:21 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:23 engine/core/choices.py:18 @@ -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:96 -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:186 -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 "" "שכתוב שדות מסוימים של ערך תכונה קיים תוך שמירת שדות שאינם ניתנים לעריכה" @@ -372,8 +368,8 @@ msgstr "למשתמשים שאינם אנשי צוות, מוצגות רק ההז #: engine/core/docs/drf/viewsets.py:281 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:324 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:397 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:459 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:568 engine/core/docs/drf/viewsets.py:569 msgid "list all products (simple view)" @@ -615,11 +623,12 @@ msgstr "(מדויק) UUID של המוצר" #: engine/core/docs/drf/viewsets.py:581 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:598 engine/core/docs/drf/viewsets.py:599 msgid "retrieve a single product (detailed view)" @@ -918,8 +927,7 @@ msgstr "שכתוב תגית מוצר קיימת תוך שמירת תוכן שא #: engine/core/docs/drf/viewsets.py:1266 msgid "rewrite some fields of an existing product tag saving non-editables" -msgstr "" -"שכתוב שדות מסוימים בתגית מוצר קיימת תוך שמירת שדות שאינם ניתנים לעריכה" +msgstr "שכתוב שדות מסוימים בתגית מוצר קיימת תוך שמירת שדות שאינם ניתנים לעריכה" #: engine/core/elasticsearch/__init__.py:122 #: engine/core/elasticsearch/__init__.py:570 @@ -1100,7 +1108,7 @@ msgid "please provide either order_uuid or order_hr_id - mutually exclusive" msgstr "אנא ספק את order_uuid או order_hr_id - אחד מהם בלבד!" #: engine/core/graphene/mutations.py:237 engine/core/graphene/mutations.py:502 -#: engine/core/graphene/mutations.py:544 engine/core/viewsets.py:704 +#: engine/core/graphene/mutations.py:544 engine/core/viewsets.py:713 msgid "wrong type came from order.buy() method: {type(instance)!s}" msgstr "סוג שגוי הגיע משיטת order.buy(): {type(instance)!s}" @@ -1153,8 +1161,8 @@ msgstr "קנה הזמנה" #: engine/core/graphene/mutations.py:517 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:550 @@ -1177,7 +1185,7 @@ msgstr "מחרוזת הכתובת המקורית שסופקה על ידי המש #: engine/core/graphene/mutations.py:680 engine/core/models.py:955 #: engine/core/models.py:968 engine/core/models.py:1383 #: engine/core/models.py:1412 engine/core/models.py:1437 -#: engine/core/viewsets.py:707 +#: engine/core/viewsets.py:716 #, python-brace-format msgid "{name} does not exist: {uuid}" msgstr "{name} אינו קיים: {uuid}!" @@ -1229,8 +1237,7 @@ msgid "which attributes and values can be used for filtering this category." msgstr "אילו תכונות וערכים ניתן להשתמש בהם לסינון קטגוריה זו." #: engine/core/graphene/object_types.py:204 -msgid "" -"minimum and maximum prices for products in this category, if available." +msgid "minimum and maximum prices for products in this category, if available." msgstr "מחירים מינימליים ומקסימליים עבור מוצרים בקטגוריה זו, אם זמינים." #: engine/core/graphene/object_types.py:206 @@ -1584,8 +1591,8 @@ msgid "" msgstr "" "מייצג תגית מוצר המשמשת לסיווג או זיהוי מוצרים. מחלקת ProductTag נועדה לזהות " "ולסווג מוצרים באופן ייחודי באמצעות שילוב של מזהה תגית פנימי ושם תצוגה " -"ידידותי למשתמש. היא תומכת בפעולות המיוצאות באמצעות mixins ומספקת התאמה אישית" -" של מטא-נתונים למטרות ניהוליות." +"ידידותי למשתמש. היא תומכת בפעולות המיוצאות באמצעות mixins ומספקת התאמה אישית " +"של מטא-נתונים למטרות ניהוליות." #: engine/core/models.py:209 engine/core/models.py:240 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:254 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:448 @@ -1742,8 +1748,8 @@ msgstr "קטגוריות" #: engine/core/models.py:508 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:585 msgid "category this product belongs to" @@ -1890,15 +1896,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:733 msgid "group of this attribute" @@ -1959,9 +1964,9 @@ msgstr "תכונה" #: engine/core/models.py:777 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 "" "מייצג ערך ספציפי עבור תכונה המקושרת למוצר. הוא מקשר את ה\"תכונה\" ל\"ערך\" " "ייחודי, ומאפשר ארגון טוב יותר וייצוג דינמי של מאפייני המוצר." @@ -1981,8 +1986,8 @@ msgstr "הערך הספציפי עבור תכונה זו" #: engine/core/models.py:815 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 "" @@ -2028,8 +2033,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 "" "מייצג קמפיין קידום מכירות למוצרים בהנחה. מחלקה זו משמשת להגדרת וניהול " "קמפיינים לקידום מכירות המציעים הנחה באחוזים על מוצרים. המחלקה כוללת תכונות " @@ -2101,8 +2106,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 "" "מייצג תיעוד הקשור למוצר. מחלקה זו משמשת לאחסון מידע על תיעוד הקשור למוצרים " "ספציפיים, כולל העלאת קבצים ומטא-נתונים שלהם. היא מכילה שיטות ותכונות לטיפול " @@ -2123,22 +2128,21 @@ msgstr "לא פתור" #: engine/core/models.py:1014 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:1029 msgid "address line for the customer" @@ -2204,8 +2208,8 @@ msgstr "" "מייצג קוד קידום מכירות שניתן להשתמש בו לקבלת הנחות, לניהול תוקפו, סוג ההנחה " "והשימוש בו. מחלקת PromoCode מאחסנת פרטים אודות קוד קידום מכירות, כולל המזהה " "הייחודי שלו, מאפייני ההנחה (סכום או אחוז), תקופת התוקף, המשתמש המשויך (אם " -"יש) ומצב השימוש בו. היא כוללת פונקציונליות לאימות והחלת קוד הקידום על הזמנה," -" תוך הקפדה על עמידה באילוצים." +"יש) ומצב השימוש בו. היא כוללת פונקציונליות לאימות והחלת קוד הקידום על הזמנה, " +"תוך הקפדה על עמידה באילוצים." #: engine/core/models.py:1087 msgid "unique code used by a user to redeem a discount" @@ -2291,16 +2295,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:1213 msgid "the billing address used for this order" @@ -2454,8 +2458,8 @@ msgid "" msgstr "" "מנהל משוב משתמשים על מוצרים. מחלקה זו נועדה לאסוף ולאחסן משוב משתמשים על " "מוצרים ספציפיים שרכשו. היא מכילה תכונות לאחסון הערות משתמשים, הפניה למוצר " -"הקשור בהזמנה ודירוג שהוקצה על ידי המשתמש. המחלקה משתמשת בשדות מסד נתונים כדי" -" למדל ולנהל ביעילות נתוני משוב." +"הקשור בהזמנה ודירוג שהוקצה על ידי המשתמש. המחלקה משתמשת בשדות מסד נתונים כדי " +"למדל ולנהל ביעילות נתוני משוב." #: engine/core/models.py:1711 msgid "user-provided comments about their experience with the product" @@ -2466,8 +2470,7 @@ msgid "feedback comments" msgstr "הערות משוב" #: engine/core/models.py:1719 -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:1720 @@ -2494,8 +2497,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 להורדה עבור מוצרים דיגיטליים. המודל משתלב עם מודלי " @@ -2607,14 +2610,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:1961 @@ -2671,11 +2674,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 @@ -2776,7 +2780,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 "תודה על הזמנתך! אנו שמחים לאשר את רכישתך. להלן פרטי הזמנתך:" @@ -2849,8 +2854,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:88 msgid "" @@ -2898,7 +2903,9 @@ msgstr "מטפל בהיגיון הרכישה כעסק ללא רישום." #: engine/core/views.py:314 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 "" "מטפל בהורדת נכס דיגיטלי הקשור להזמנה. פונקציה זו מנסה להציג את קובץ הנכס " "הדיגיטלי הנמצא בספריית האחסון של הפרויקט. אם הקובץ לא נמצא, מתקבלת שגיאת " @@ -2931,7 +2938,9 @@ msgstr "לא נמצא סמל מועדף" #: engine/core/views.py:386 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 "" "מטפל בבקשות לסמל המועדף של אתר אינטרנט. פונקציה זו מנסה להציג את קובץ הסמל " "המועדף הנמצא בספרייה הסטטית של הפרויקט. אם קובץ הסמל המועדף לא נמצא, מתקבלת " @@ -2939,13 +2948,13 @@ msgstr "" #: engine/core/views.py:398 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:411 msgid "Returns current version of the eVibes. " @@ -2959,18 +2968,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:157 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, כולל סינון, סידור סדרתי ואחזור נתונים. מחלקה זו היא חלק " @@ -2996,8 +3004,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. הוא משתלב " @@ -3017,7 +3025,7 @@ msgstr "" "וסידור נתוני קטגוריות. מערך התצוגות גם אוכף הרשאות כדי להבטיח שרק משתמשים " "מורשים יוכלו לגשת לנתונים ספציפיים." -#: engine/core/viewsets.py:326 +#: engine/core/viewsets.py:327 msgid "" "Represents a viewset for managing Brand instances. This class provides " "functionality for querying, filtering, and serializing Brand objects. It " @@ -3028,7 +3036,7 @@ msgstr "" "לשאילתה, סינון וסידור אובייקטים של מותג. היא משתמשת במערך ViewSet של Django " "כדי לפשט את היישום של נקודות קצה API לאובייקטים של מותג." -#: engine/core/viewsets.py:438 +#: engine/core/viewsets.py:439 msgid "" "Manages operations related to the `Product` model in the system. This class " "provides a viewset for managing products, including their filtering, " @@ -3038,13 +3046,13 @@ 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:568 +#: engine/core/viewsets.py:575 msgid "" "Represents a viewset for managing Vendor objects. This viewset allows " "fetching, filtering, and serializing Vendor data. It defines the queryset, " @@ -3053,48 +3061,48 @@ msgid "" "Vendor-related resources through the Django REST framework." msgstr "" "מייצג קבוצת תצוגות לניהול אובייקטי ספק. קבוצת תצוגות זו מאפשרת לאחזר, לסנן " -"ולסדר נתוני ספק. היא מגדירה את קבוצת השאילתות, תצורות המסננים ומחלקות הסידור" -" המשמשות לטיפול בפעולות שונות. מטרת מחלקה זו היא לספק גישה יעילה למשאבים " +"ולסדר נתוני ספק. היא מגדירה את קבוצת השאילתות, תצורות המסננים ומחלקות הסידור " +"המשמשות לטיפול בפעולות שונות. מטרת מחלקה זו היא לספק גישה יעילה למשאבים " "הקשורים לספק באמצעות מסגרת Django REST." -#: engine/core/viewsets.py:588 +#: engine/core/viewsets.py:595 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:615 +#: engine/core/viewsets.py:622 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 משתמש במספר סדרנים " "בהתאם לפעולה הספציפית המתבצעת ומאכוף הרשאות בהתאם בעת אינטראקציה עם נתוני " "הזמנה." -#: engine/core/viewsets.py:813 +#: engine/core/viewsets.py:826 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 " @@ -3102,30 +3110,30 @@ msgstr "" "הרשאות והחלפת סריאלייזר בהתאם לפעולה המבוקשת. בנוסף, הוא מספק פעולה מפורטת " "לטיפול במשוב על מופעים של OrderProduct." -#: engine/core/viewsets.py:867 +#: engine/core/viewsets.py:880 msgid "Manages operations related to Product images in the application. " msgstr "מנהל פעולות הקשורות לתמונות מוצרים ביישום." -#: engine/core/viewsets.py:880 +#: engine/core/viewsets.py:893 msgid "" "Manages the retrieval and handling of PromoCode instances through various " "API actions." msgstr "מנהל את אחזור וטיפול במקרי PromoCode באמצעות פעולות API שונות." -#: engine/core/viewsets.py:902 +#: engine/core/viewsets.py:915 msgid "Represents a view set for managing promotions. " msgstr "מייצג קבוצת תצוגות לניהול מבצעים." -#: engine/core/viewsets.py:915 +#: engine/core/viewsets.py:928 msgid "Handles operations related to Stock data in the system." msgstr "מטפל בפעולות הקשורות לנתוני המלאי במערכת." -#: engine/core/viewsets.py:929 +#: engine/core/viewsets.py:942 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." @@ -3137,7 +3145,7 @@ msgstr "" "שמשתמשים יוכלו לנהל רק את רשימות המשאלות שלהם, אלא אם כן ניתנו הרשאות " "מפורשות." -#: engine/core/viewsets.py:1044 +#: engine/core/viewsets.py:1057 msgid "" "This class provides viewset functionality for managing `Address` objects. " "The AddressViewSet class enables CRUD operations, filtering, and custom " @@ -3150,12 +3158,12 @@ msgstr "" "לישויות כתובת. היא כוללת התנהגויות מיוחדות עבור שיטות HTTP שונות, עקיפת " "סריאלייזר וטיפול בהרשאות בהתבסס על הקשר הבקשה." -#: engine/core/viewsets.py:1111 +#: engine/core/viewsets.py:1124 #, python-brace-format msgid "Geocoding error: {e}" msgstr "שגיאת קידוד גיאוגרפי: {e}" -#: engine/core/viewsets.py:1119 +#: engine/core/viewsets.py:1132 msgid "" "Handles operations related to Product Tags within the application. This " "class provides functionality for retrieving, filtering, and serializing " diff --git a/engine/core/locale/hi_IN/LC_MESSAGES/django.po b/engine/core/locale/hi_IN/LC_MESSAGES/django.po index 3c018310..1b4efc59 100644 --- a/engine/core/locale/hi_IN/LC_MESSAGES/django.po +++ b/engine/core/locale/hi_IN/LC_MESSAGES/django.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: LANGUAGE \n" @@ -1077,7 +1077,7 @@ msgid "please provide either order_uuid or order_hr_id - mutually exclusive" msgstr "" #: engine/core/graphene/mutations.py:237 engine/core/graphene/mutations.py:502 -#: engine/core/graphene/mutations.py:544 engine/core/viewsets.py:704 +#: engine/core/graphene/mutations.py:544 engine/core/viewsets.py:713 msgid "wrong type came from order.buy() method: {type(instance)!s}" msgstr "" @@ -1154,7 +1154,7 @@ msgstr "" #: engine/core/graphene/mutations.py:680 engine/core/models.py:955 #: engine/core/models.py:968 engine/core/models.py:1383 #: engine/core/models.py:1412 engine/core/models.py:1437 -#: engine/core/viewsets.py:707 +#: engine/core/viewsets.py:716 #, python-brace-format msgid "{name} does not exist: {uuid}" msgstr "" @@ -2866,7 +2866,7 @@ msgid "" "can access specific data." msgstr "" -#: engine/core/viewsets.py:326 +#: engine/core/viewsets.py:327 msgid "" "Represents a viewset for managing Brand instances. This class provides " "functionality for querying, filtering, and serializing Brand objects. It " @@ -2874,7 +2874,7 @@ msgid "" "endpoints for Brand objects." msgstr "" -#: engine/core/viewsets.py:438 +#: engine/core/viewsets.py:439 msgid "" "Manages operations related to the `Product` model in the system. This class " "provides a viewset for managing products, including their filtering, " @@ -2885,7 +2885,7 @@ msgid "" "product." msgstr "" -#: engine/core/viewsets.py:568 +#: engine/core/viewsets.py:575 msgid "" "Represents a viewset for managing Vendor objects. This viewset allows " "fetching, filtering, and serializing Vendor data. It defines the queryset, " @@ -2894,7 +2894,7 @@ msgid "" "Vendor-related resources through the Django REST framework." msgstr "" -#: engine/core/viewsets.py:588 +#: engine/core/viewsets.py:595 msgid "" "Representation of a view set handling Feedback objects. This class manages " "operations related to Feedback objects, including listing, filtering, and " @@ -2904,7 +2904,7 @@ msgid "" "use of Django's filtering system for querying data." msgstr "" -#: engine/core/viewsets.py:615 +#: engine/core/viewsets.py:622 msgid "" "ViewSet for managing orders and related operations. This class provides " "functionality to retrieve, modify, and manage order objects. It includes " @@ -2915,7 +2915,7 @@ msgid "" "enforces permissions accordingly while interacting with order data." msgstr "" -#: engine/core/viewsets.py:813 +#: engine/core/viewsets.py:826 msgid "" "Provides a viewset for managing OrderProduct entities. This viewset enables " "CRUD operations and custom actions specific to the OrderProduct model. It " @@ -2924,25 +2924,25 @@ msgid "" "feedback on OrderProduct instances" msgstr "" -#: engine/core/viewsets.py:867 +#: engine/core/viewsets.py:880 msgid "Manages operations related to Product images in the application. " msgstr "" -#: engine/core/viewsets.py:880 +#: engine/core/viewsets.py:893 msgid "" "Manages the retrieval and handling of PromoCode instances through various " "API actions." msgstr "" -#: engine/core/viewsets.py:902 +#: engine/core/viewsets.py:915 msgid "Represents a view set for managing promotions. " msgstr "" -#: engine/core/viewsets.py:915 +#: engine/core/viewsets.py:928 msgid "Handles operations related to Stock data in the system." msgstr "" -#: engine/core/viewsets.py:929 +#: engine/core/viewsets.py:942 msgid "" "ViewSet for managing Wishlist operations. The WishlistViewSet provides " "endpoints for interacting with a user's wish list, allowing for the " @@ -2953,7 +2953,7 @@ msgid "" "are granted." msgstr "" -#: engine/core/viewsets.py:1044 +#: engine/core/viewsets.py:1057 msgid "" "This class provides viewset functionality for managing `Address` objects. " "The AddressViewSet class enables CRUD operations, filtering, and custom " @@ -2962,12 +2962,12 @@ msgid "" "on the request context." msgstr "" -#: engine/core/viewsets.py:1111 +#: engine/core/viewsets.py:1124 #, python-brace-format msgid "Geocoding error: {e}" msgstr "" -#: engine/core/viewsets.py:1119 +#: engine/core/viewsets.py:1132 msgid "" "Handles operations related to Product Tags within the application. This " "class provides functionality for retrieving, filtering, and serializing " diff --git a/engine/core/locale/hr_HR/LC_MESSAGES/django.po b/engine/core/locale/hr_HR/LC_MESSAGES/django.po index bc0ab9f7..e822e564 100644 --- a/engine/core/locale/hr_HR/LC_MESSAGES/django.po +++ b/engine/core/locale/hr_HR/LC_MESSAGES/django.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -1077,7 +1077,7 @@ msgid "please provide either order_uuid or order_hr_id - mutually exclusive" msgstr "" #: engine/core/graphene/mutations.py:237 engine/core/graphene/mutations.py:502 -#: engine/core/graphene/mutations.py:544 engine/core/viewsets.py:704 +#: engine/core/graphene/mutations.py:544 engine/core/viewsets.py:713 msgid "wrong type came from order.buy() method: {type(instance)!s}" msgstr "" @@ -1154,7 +1154,7 @@ msgstr "" #: engine/core/graphene/mutations.py:680 engine/core/models.py:955 #: engine/core/models.py:968 engine/core/models.py:1383 #: engine/core/models.py:1412 engine/core/models.py:1437 -#: engine/core/viewsets.py:707 +#: engine/core/viewsets.py:716 #, python-brace-format msgid "{name} does not exist: {uuid}" msgstr "" @@ -2866,7 +2866,7 @@ msgid "" "can access specific data." msgstr "" -#: engine/core/viewsets.py:326 +#: engine/core/viewsets.py:327 msgid "" "Represents a viewset for managing Brand instances. This class provides " "functionality for querying, filtering, and serializing Brand objects. It " @@ -2874,7 +2874,7 @@ msgid "" "endpoints for Brand objects." msgstr "" -#: engine/core/viewsets.py:438 +#: engine/core/viewsets.py:439 msgid "" "Manages operations related to the `Product` model in the system. This class " "provides a viewset for managing products, including their filtering, " @@ -2885,7 +2885,7 @@ msgid "" "product." msgstr "" -#: engine/core/viewsets.py:568 +#: engine/core/viewsets.py:575 msgid "" "Represents a viewset for managing Vendor objects. This viewset allows " "fetching, filtering, and serializing Vendor data. It defines the queryset, " @@ -2894,7 +2894,7 @@ msgid "" "Vendor-related resources through the Django REST framework." msgstr "" -#: engine/core/viewsets.py:588 +#: engine/core/viewsets.py:595 msgid "" "Representation of a view set handling Feedback objects. This class manages " "operations related to Feedback objects, including listing, filtering, and " @@ -2904,7 +2904,7 @@ msgid "" "use of Django's filtering system for querying data." msgstr "" -#: engine/core/viewsets.py:615 +#: engine/core/viewsets.py:622 msgid "" "ViewSet for managing orders and related operations. This class provides " "functionality to retrieve, modify, and manage order objects. It includes " @@ -2915,7 +2915,7 @@ msgid "" "enforces permissions accordingly while interacting with order data." msgstr "" -#: engine/core/viewsets.py:813 +#: engine/core/viewsets.py:826 msgid "" "Provides a viewset for managing OrderProduct entities. This viewset enables " "CRUD operations and custom actions specific to the OrderProduct model. It " @@ -2924,25 +2924,25 @@ msgid "" "feedback on OrderProduct instances" msgstr "" -#: engine/core/viewsets.py:867 +#: engine/core/viewsets.py:880 msgid "Manages operations related to Product images in the application. " msgstr "" -#: engine/core/viewsets.py:880 +#: engine/core/viewsets.py:893 msgid "" "Manages the retrieval and handling of PromoCode instances through various " "API actions." msgstr "" -#: engine/core/viewsets.py:902 +#: engine/core/viewsets.py:915 msgid "Represents a view set for managing promotions. " msgstr "" -#: engine/core/viewsets.py:915 +#: engine/core/viewsets.py:928 msgid "Handles operations related to Stock data in the system." msgstr "" -#: engine/core/viewsets.py:929 +#: engine/core/viewsets.py:942 msgid "" "ViewSet for managing Wishlist operations. The WishlistViewSet provides " "endpoints for interacting with a user's wish list, allowing for the " @@ -2953,7 +2953,7 @@ msgid "" "are granted." msgstr "" -#: engine/core/viewsets.py:1044 +#: engine/core/viewsets.py:1057 msgid "" "This class provides viewset functionality for managing `Address` objects. " "The AddressViewSet class enables CRUD operations, filtering, and custom " @@ -2962,12 +2962,12 @@ msgid "" "on the request context." msgstr "" -#: engine/core/viewsets.py:1111 +#: engine/core/viewsets.py:1124 #, python-brace-format msgid "Geocoding error: {e}" msgstr "" -#: engine/core/viewsets.py:1119 +#: engine/core/viewsets.py:1132 msgid "" "Handles operations related to Product Tags within the application. This " "class provides functionality for retrieving, filtering, and serializing " diff --git a/engine/core/locale/id_ID/LC_MESSAGES/django.po b/engine/core/locale/id_ID/LC_MESSAGES/django.po index 1dc80d22..bf2c19bd 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" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+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:21 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" @@ -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:44 engine/core/graphene/mutations.py:38 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:62 msgid "get a list of supported languages" @@ -274,8 +272,7 @@ msgstr "" "dapat diedit" #: engine/core/docs/drf/viewsets.py:96 -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:186 -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" @@ -392,8 +388,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:281 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:308 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:313 msgid "Filter by user's UUID" @@ -432,9 +427,9 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:324 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:568 engine/core/docs/drf/viewsets.py:569 @@ -669,11 +675,14 @@ msgstr "UUID Produk (persis)" #: engine/core/docs/drf/viewsets.py:581 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:598 engine/core/docs/drf/viewsets.py:599 msgid "retrieve a single product (detailed view)" @@ -745,8 +754,7 @@ msgstr "Masukan alamat pelengkapan otomatis" #: engine/core/docs/drf/viewsets.py:794 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:800 msgid "limit the results amount, 1 < limit < 10, default: 5" @@ -1186,7 +1194,7 @@ msgstr "" "Harap berikan order_uuid atau order_hr_id - tidak boleh lebih dari satu!" #: engine/core/graphene/mutations.py:237 engine/core/graphene/mutations.py:502 -#: engine/core/graphene/mutations.py:544 engine/core/viewsets.py:704 +#: engine/core/graphene/mutations.py:544 engine/core/viewsets.py:713 msgid "wrong type came from order.buy() method: {type(instance)!s}" msgstr "Tipe yang salah berasal dari metode order.buy(): {type(instance)!s}" @@ -1239,8 +1247,8 @@ msgstr "Beli pesanan" #: engine/core/graphene/mutations.py:517 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" @@ -1264,7 +1272,7 @@ msgstr "String alamat asli yang diberikan oleh pengguna" #: engine/core/graphene/mutations.py:680 engine/core/models.py:955 #: engine/core/models.py:968 engine/core/models.py:1383 #: engine/core/models.py:1412 engine/core/models.py:1437 -#: engine/core/viewsets.py:707 +#: engine/core/viewsets.py:716 #, python-brace-format msgid "{name} does not exist: {uuid}" msgstr "{name} tidak ada: {uuid}!" @@ -1317,8 +1325,7 @@ msgstr "" "Atribut dan nilai mana yang dapat digunakan untuk memfilter kategori ini." #: engine/core/graphene/object_types.py:204 -msgid "" -"minimum and maximum prices for products in this category, if available." +msgid "minimum and maximum prices for products in this category, if available." msgstr "" "Harga minimum dan maksimum untuk produk dalam kategori ini, jika tersedia." @@ -1531,8 +1538,7 @@ msgstr "Nomor Telepon Perusahaan" #: engine/core/graphene/object_types.py:681 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:682 msgid "email host user" @@ -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:91 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:209 engine/core/models.py:240 @@ -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:448 msgid "name of this brand" @@ -1849,8 +1854,8 @@ msgstr "Kategori" #: engine/core/models.py:508 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:520 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." @@ -2002,12 +2007,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 " @@ -2073,9 +2078,9 @@ msgstr "Atribut" #: engine/core/models.py:777 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 " @@ -2096,14 +2101,14 @@ msgstr "Nilai spesifik untuk atribut ini" #: engine/core/models.py:815 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." @@ -2145,8 +2150,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 " @@ -2222,8 +2227,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 " @@ -2246,14 +2251,14 @@ msgstr "Belum terselesaikan" #: engine/core/models.py:1014 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 " @@ -2327,8 +2332,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." @@ -2419,8 +2424,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 "" @@ -2463,8 +2468,8 @@ msgstr "Status pesanan" #: engine/core/models.py:1243 engine/core/models.py:1769 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:1249 msgid "json representation of order attributes for this order" @@ -2611,8 +2616,7 @@ msgid "feedback comments" msgstr "Komentar umpan balik" #: engine/core/models.py:1719 -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:1720 @@ -2644,8 +2648,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." @@ -2757,9 +2761,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 " @@ -2825,7 +2829,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 " @@ -2934,13 +2939,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 " @@ -3045,8 +3052,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:201 msgid "Handles `contact us` form submissions." @@ -3071,10 +3078,14 @@ msgstr "Menangani logika pembelian sebagai bisnis tanpa registrasi." #: engine/core/views.py:314 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:325 msgid "order_product_uuid is required" @@ -3103,15 +3114,19 @@ msgstr "favicon tidak ditemukan" #: engine/core/views.py:386 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:398 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 " @@ -3139,11 +3154,10 @@ msgstr "" #: engine/core/viewsets.py:157 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, " @@ -3172,11 +3186,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." @@ -3190,12 +3204,12 @@ 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:326 +#: engine/core/viewsets.py:327 msgid "" "Represents a viewset for managing Brand instances. This class provides " "functionality for querying, filtering, and serializing Brand objects. It " @@ -3204,10 +3218,10 @@ 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:438 +#: engine/core/viewsets.py:439 msgid "" "Manages operations related to the `Product` model in the system. This class " "provides a viewset for managing products, including their filtering, " @@ -3218,14 +3232,14 @@ 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:568 +#: engine/core/viewsets.py:575 msgid "" "Represents a viewset for managing Vendor objects. This viewset allows " "fetching, filtering, and serializing Vendor data. It defines the queryset, " @@ -3240,31 +3254,31 @@ msgstr "" "adalah untuk menyediakan akses yang efisien ke sumber daya yang berhubungan " "dengan Vendor melalui kerangka kerja Django REST." -#: engine/core/viewsets.py:588 +#: engine/core/viewsets.py:595 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." -#: engine/core/viewsets.py:615 +#: engine/core/viewsets.py:622 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 " @@ -3276,12 +3290,12 @@ msgstr "" "beberapa serializer berdasarkan tindakan spesifik yang dilakukan dan " "memberlakukan izin yang sesuai saat berinteraksi dengan data pesanan." -#: engine/core/viewsets.py:813 +#: engine/core/viewsets.py:826 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 " @@ -3290,11 +3304,11 @@ msgstr "" "serializer berdasarkan tindakan yang diminta. Selain itu, ini menyediakan " "tindakan terperinci untuk menangani umpan balik pada instance OrderProduct" -#: engine/core/viewsets.py:867 +#: engine/core/viewsets.py:880 msgid "Manages operations related to Product images in the application. " msgstr "Mengelola operasi yang terkait dengan gambar Produk dalam aplikasi." -#: engine/core/viewsets.py:880 +#: engine/core/viewsets.py:893 msgid "" "Manages the retrieval and handling of PromoCode instances through various " "API actions." @@ -3302,33 +3316,33 @@ msgstr "" "Mengelola pengambilan dan penanganan contoh PromoCode melalui berbagai " "tindakan API." -#: engine/core/viewsets.py:902 +#: engine/core/viewsets.py:915 msgid "Represents a view set for managing promotions. " msgstr "Merupakan set tampilan untuk mengelola promosi." -#: engine/core/viewsets.py:915 +#: engine/core/viewsets.py:928 msgid "Handles operations related to Stock data in the system." msgstr "Menangani operasi yang terkait dengan data Stok di dalam sistem." -#: engine/core/viewsets.py:929 +#: engine/core/viewsets.py:942 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." -#: engine/core/viewsets.py:1044 +#: engine/core/viewsets.py:1057 msgid "" "This class provides viewset functionality for managing `Address` objects. " "The AddressViewSet class enables CRUD operations, filtering, and custom " @@ -3336,18 +3350,18 @@ 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." -#: engine/core/viewsets.py:1111 +#: engine/core/viewsets.py:1124 #, python-brace-format msgid "Geocoding error: {e}" msgstr "Kesalahan pengodean geografis: {e}" -#: engine/core/viewsets.py:1119 +#: engine/core/viewsets.py:1132 msgid "" "Handles operations related to Product Tags within the application. This " "class provides functionality for retrieving, filtering, and serializing " diff --git a/engine/core/locale/it_IT/LC_MESSAGES/django.po b/engine/core/locale/it_IT/LC_MESSAGES/django.po index 4c559e13..0997499c 100644 --- a/engine/core/locale/it_IT/LC_MESSAGES/django.po +++ b/engine/core/locale/it_IT/LC_MESSAGES/django.po @@ -1,9 +1,9 @@ -# +# msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+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 "È attivo" #: engine/core/abstract.py:21 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:23 engine/core/choices.py:18 msgid "created" @@ -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:44 engine/core/graphene/mutations.py:38 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:62 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:96 -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:186 -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,8 +362,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:244 engine/core/docs/drf/viewsets.py:245 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:252 engine/core/docs/drf/viewsets.py:704 #: engine/core/docs/drf/viewsets.py:988 @@ -392,12 +389,12 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:281 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:288 msgid "Filter orders with buy_time >= this ISO 8601 datetime" @@ -433,9 +430,9 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:324 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:373 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:380 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:397 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:460 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:467 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:581 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:598 engine/core/docs/drf/viewsets.py:599 @@ -690,8 +699,7 @@ msgstr "Creare un prodotto" #: engine/core/docs/drf/viewsets.py:628 engine/core/docs/drf/viewsets.py:629 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:647 engine/core/docs/drf/viewsets.py:648 msgid "" @@ -773,8 +781,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:851 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:861 msgid "list all order–product relations (simple view)" @@ -832,8 +840,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:981 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:1006 msgid "list all vendors (simple view)" @@ -859,8 +867,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:1041 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:1051 msgid "list all product images (simple view)" @@ -886,8 +894,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:1086 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:1096 msgid "list all promo codes (simple view)" @@ -913,8 +921,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:1131 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:1141 msgid "list all promotions (simple view)" @@ -940,8 +948,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:1176 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:1186 msgid "list all stocks (simple view)" @@ -967,8 +975,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:1221 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:1231 msgid "list all product tags (simple view)" @@ -994,8 +1002,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:1266 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:122 #: engine/core/elasticsearch/__init__.py:570 @@ -1178,10 +1186,9 @@ msgstr "" "Si prega di fornire order_uuid o order_hr_id, che si escludono a vicenda!" #: engine/core/graphene/mutations.py:237 engine/core/graphene/mutations.py:502 -#: engine/core/graphene/mutations.py:544 engine/core/viewsets.py:704 +#: engine/core/graphene/mutations.py:544 engine/core/viewsets.py:713 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:246 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:517 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:550 msgid "add or delete a feedback for orderproduct" @@ -1258,7 +1265,7 @@ msgstr "Stringa di indirizzo originale fornita dall'utente" #: engine/core/graphene/mutations.py:680 engine/core/models.py:955 #: engine/core/models.py:968 engine/core/models.py:1383 #: engine/core/models.py:1412 engine/core/models.py:1437 -#: engine/core/viewsets.py:707 +#: engine/core/viewsets.py:716 #, python-brace-format msgid "{name} does not exist: {uuid}" msgstr "{name} non esiste: {uuid}!" @@ -1312,8 +1319,7 @@ msgstr "" "categoria." #: engine/core/graphene/object_types.py:204 -msgid "" -"minimum and maximum prices for products in this category, if available." +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." @@ -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:254 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:448 msgid "name of this brand" @@ -1845,8 +1850,8 @@ msgstr "Categorie" #: engine/core/models.py:508 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:520 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:585 @@ -1999,16 +2004,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:733 msgid "group of this attribute" @@ -2071,9 +2076,9 @@ msgstr "Attributo" #: engine/core/models.py:777 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 " @@ -2095,14 +2100,14 @@ msgstr "Il valore specifico per questo attributo" #: engine/core/models.py:815 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." @@ -2145,11 +2150,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 " @@ -2222,13 +2227,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." @@ -2246,14 +2251,14 @@ msgstr "Non risolto" #: engine/core/models.py:1014 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 " @@ -2327,8 +2332,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 " @@ -2345,8 +2350,7 @@ msgstr "Identificatore del codice promozionale" #: engine/core/models.py:1095 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:1096 msgid "fixed discount amount" @@ -2407,8 +2411,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:1171 msgid "promocode already used" @@ -2423,19 +2427,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:1213 msgid "the billing address used for this order" @@ -2599,8 +2602,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:1711 msgid "user-provided comments about their experience with the product" @@ -2611,8 +2614,7 @@ msgid "feedback comments" msgstr "Commenti di feedback" #: engine/core/models.py:1719 -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." @@ -2758,9 +2760,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 " @@ -2782,8 +2784,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" @@ -2826,7 +2828,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 " @@ -2855,8 +2858,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 @@ -2908,8 +2911,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 @@ -2941,7 +2944,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 " @@ -3013,8 +3017,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:73 msgid "" @@ -3076,10 +3080,15 @@ msgstr "Gestisce la logica dell'acquisto come azienda senza registrazione." #: engine/core/views.py:314 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:325 msgid "order_product_uuid is required" @@ -3108,15 +3117,19 @@ msgstr "favicon non trovata" #: engine/core/views.py:386 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:398 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 " @@ -3139,20 +3152,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:157 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." @@ -3169,16 +3181,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:195 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, " @@ -3202,7 +3214,7 @@ msgstr "" "le autorizzazioni per garantire che solo gli utenti autorizzati possano " "accedere a dati specifici." -#: engine/core/viewsets.py:326 +#: engine/core/viewsets.py:327 msgid "" "Represents a viewset for managing Brand instances. This class provides " "functionality for querying, filtering, and serializing Brand objects. It " @@ -3210,11 +3222,11 @@ 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:438 +#: engine/core/viewsets.py:439 msgid "" "Manages operations related to the `Product` model in the system. This class " "provides a viewset for managing products, including their filtering, " @@ -3227,12 +3239,12 @@ 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." -#: engine/core/viewsets.py:568 +#: engine/core/viewsets.py:575 msgid "" "Represents a viewset for managing Vendor objects. This viewset allows " "fetching, filtering, and serializing Vendor data. It defines the queryset, " @@ -3240,38 +3252,38 @@ 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." -#: engine/core/viewsets.py:588 +#: engine/core/viewsets.py:595 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." -#: engine/core/viewsets.py:615 +#: engine/core/viewsets.py:622 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 " @@ -3283,12 +3295,12 @@ msgstr "" "serializzatori in base all'azione specifica da eseguire e applica le " "autorizzazioni di conseguenza durante l'interazione con i dati degli ordini." -#: engine/core/viewsets.py:813 +#: engine/core/viewsets.py:826 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. " @@ -3298,13 +3310,12 @@ msgstr "" "richiesta. Inoltre, fornisce un'azione dettagliata per gestire il feedback " "sulle istanze di OrderProduct." -#: engine/core/viewsets.py:867 +#: engine/core/viewsets.py:880 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:880 +#: engine/core/viewsets.py:893 msgid "" "Manages the retrieval and handling of PromoCode instances through various " "API actions." @@ -3312,20 +3323,20 @@ msgstr "" "Gestisce il recupero e la gestione delle istanze di PromoCode attraverso " "varie azioni API." -#: engine/core/viewsets.py:902 +#: engine/core/viewsets.py:915 msgid "Represents a view set for managing promotions. " msgstr "Rappresenta un insieme di viste per la gestione delle promozioni." -#: engine/core/viewsets.py:915 +#: engine/core/viewsets.py:928 msgid "Handles operations related to Stock data in the system." msgstr "Gestisce le operazioni relative ai dati delle scorte nel sistema." -#: engine/core/viewsets.py:929 +#: engine/core/viewsets.py:942 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." @@ -3337,10 +3348,10 @@ 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:1044 +#: engine/core/viewsets.py:1057 msgid "" "This class provides viewset functionality for managing `Address` objects. " "The AddressViewSet class enables CRUD operations, filtering, and custom " @@ -3348,18 +3359,18 @@ 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." -#: engine/core/viewsets.py:1111 +#: engine/core/viewsets.py:1124 #, python-brace-format msgid "Geocoding error: {e}" msgstr "Errore di geocodifica: {e}" -#: engine/core/viewsets.py:1119 +#: engine/core/viewsets.py:1132 msgid "" "Handles operations related to Product Tags within the application. This " "class provides functionality for retrieving, filtering, and serializing " diff --git a/engine/core/locale/ja_JP/LC_MESSAGES/django.po b/engine/core/locale/ja_JP/LC_MESSAGES/django.po index 47e902be..6d390fc1 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" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+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:21 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:23 engine/core/choices.py:18 msgid "created" @@ -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:44 engine/core/graphene/mutations.py:38 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:62 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:164 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:96 -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:106 msgid "list all attributes (simple view)" @@ -292,7 +297,8 @@ msgstr "既存の属性を書き換える。" #: engine/core/docs/drf/viewsets.py:141 msgid "rewrite some fields of an existing attribute saving non-editables" -msgstr "既存の属性のいくつかのフィールドを書き換え、編集不可能なものを保存する。" +msgstr "" +"既存の属性のいくつかのフィールドを書き換え、編集不可能なものを保存する。" #: engine/core/docs/drf/viewsets.py:151 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:186 -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:196 engine/core/docs/drf/viewsets.py:197 msgid "list all categories (simple view)" @@ -369,10 +375,11 @@ msgstr "スタッフ以外のユーザーについては、自分の注文のみ #: engine/core/docs/drf/viewsets.py:281 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:288 msgid "Filter orders with buy_time >= this ISO 8601 datetime" @@ -392,7 +399,8 @@ msgstr "人間が読み取れる正確な注文IDによるフィルタリング" #: engine/core/docs/drf/viewsets.py:308 msgid "Filter by user's email (case-insensitive exact match)" -msgstr "ユーザーのEメールによるフィルタリング(大文字・小文字を区別しない完全一致)" +msgstr "" +"ユーザーのEメールによるフィルタリング(大文字・小文字を区別しない完全一致)" #: engine/core/docs/drf/viewsets.py:313 msgid "Filter by user's UUID" @@ -400,15 +408,19 @@ msgstr "ユーザーのUUIDによるフィルタリング" #: engine/core/docs/drf/viewsets.py:318 msgid "Filter by order status (case-insensitive substring match)" -msgstr "注文ステータスによるフィルタリング(大文字と小文字を区別しない部分文字列マッチ)" +msgstr "" +"注文ステータスによるフィルタリング(大文字と小文字を区別しない部分文字列マッ" +"チ)" #: engine/core/docs/drf/viewsets.py:324 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:336 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:397 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:429 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:438 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:447 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:459 msgid "list all wishlists (simple view)" @@ -537,7 +557,8 @@ msgstr "既存の属性を書き換える。" #: engine/core/docs/drf/viewsets.py:496 msgid "rewrite some fields of an existing wishlist saving non-editables" -msgstr "既存の属性のいくつかのフィールドを書き換え、編集不可能なものを保存する。" +msgstr "" +"既存の属性のいくつかのフィールドを書き換え、編集不可能なものを保存する。" #: engine/core/docs/drf/viewsets.py:503 msgid "retrieve current pending wishlist of a user" @@ -561,7 +582,8 @@ msgstr "ウィッシュリストから商品を削除する" #: engine/core/docs/drf/viewsets.py:524 msgid "removes a product from an wishlist using the provided `product_uuid`" -msgstr "指定された `product_uuid` を使ってウィッシュリストから商品を削除します。" +msgstr "" +"指定された `product_uuid` を使ってウィッシュリストから商品を削除します。" #: engine/core/docs/drf/viewsets.py:532 msgid "add many products to wishlist" @@ -569,7 +591,8 @@ msgstr "ウィッシュリストに多くの商品を追加する" #: engine/core/docs/drf/viewsets.py:533 msgid "adds many products to an wishlist using the provided `product_uuids`" -msgstr "指定された `product_uuids` を使ってウィッシュリストに多くの商品を追加する。" +msgstr "" +"指定された `product_uuids` を使ってウィッシュリストに多くの商品を追加する。" #: engine/core/docs/drf/viewsets.py:541 msgid "remove many products from wishlist" @@ -578,24 +601,34 @@ msgstr "注文から商品を削除する" #: engine/core/docs/drf/viewsets.py:542 msgid "" "removes many products from an wishlist using the provided `product_uuids`" -msgstr "指定された `product_uuids` を使ってウィッシュリストから多くの商品を削除する。" +msgstr "" +"指定された `product_uuids` を使ってウィッシュリストから多くの商品を削除する。" #: engine/core/docs/drf/viewsets.py:549 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:581 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:598 engine/core/docs/drf/viewsets.py:599 @@ -637,7 +672,9 @@ msgstr "編集不可能なフィールドを保持したまま、既存の製品 #: engine/core/docs/drf/viewsets.py:647 engine/core/docs/drf/viewsets.py:648 msgid "" "update some fields of an existing product, preserving non-editable fields" -msgstr "編集不可能なフィールドを保持したまま、既存の製品の一部のフィールドを更新する。" +msgstr "" +"編集不可能なフィールドを保持したまま、既存の製品の一部のフィールドを更新す" +"る。" #: engine/core/docs/drf/viewsets.py:666 engine/core/docs/drf/viewsets.py:667 msgid "delete a product" @@ -682,8 +719,8 @@ msgstr "オートコンプリート住所入力" #: engine/core/docs/drf/viewsets.py:794 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:851 msgid "rewrite some fields of an existing feedback saving non-editables" -msgstr "既存のフィードバックのいくつかのフィールドを書き換えて、編集不可能なものを保存する。" +msgstr "" +"既存のフィードバックのいくつかのフィールドを書き換えて、編集不可能なものを保" +"存する。" #: engine/core/docs/drf/viewsets.py:861 msgid "list all order–product relations (simple view)" @@ -769,7 +808,8 @@ msgstr "編集不可の既存ブランドをリライトする" #: engine/core/docs/drf/viewsets.py:981 msgid "rewrite some fields of an existing brand saving non-editables" -msgstr "編集不可能なフィールドを保存している既存ブランドのフィールドを書き換える。" +msgstr "" +"編集不可能なフィールドを保存している既存ブランドのフィールドを書き換える。" #: engine/core/docs/drf/viewsets.py:1006 msgid "list all vendors (simple view)" @@ -793,7 +833,9 @@ msgstr "既存のベンダーを書き換え、編集不可能な部分を保存 #: engine/core/docs/drf/viewsets.py:1041 msgid "rewrite some fields of an existing vendor saving non-editables" -msgstr "既存のベンダーのいくつかのフィールドを書き換えて、編集不可能なフィールドを保存する。" +msgstr "" +"既存のベンダーのいくつかのフィールドを書き換えて、編集不可能なフィールドを保" +"存する。" #: engine/core/docs/drf/viewsets.py:1051 msgid "list all product images (simple view)" @@ -817,7 +859,9 @@ msgstr "既存の商品画像を書き換え、編集不可能な部分を保存 #: engine/core/docs/drf/viewsets.py:1086 msgid "rewrite some fields of an existing product image saving non-editables" -msgstr "既存の商品画像のいくつかのフィールドを書き換えて、編集不可能な部分を保存する。" +msgstr "" +"既存の商品画像のいくつかのフィールドを書き換えて、編集不可能な部分を保存す" +"る。" #: engine/core/docs/drf/viewsets.py:1096 msgid "list all promo codes (simple view)" @@ -841,7 +885,9 @@ msgstr "既存のプロモコードを書き換え、編集不可のプロモコ #: engine/core/docs/drf/viewsets.py:1131 msgid "rewrite some fields of an existing promo code saving non-editables" -msgstr "既存のプロモコードの一部のフィールドを書き換えて、編集不可能な部分を保存する。" +msgstr "" +"既存のプロモコードの一部のフィールドを書き換えて、編集不可能な部分を保存す" +"る。" #: engine/core/docs/drf/viewsets.py:1141 msgid "list all promotions (simple view)" @@ -865,7 +911,9 @@ msgstr "既存のプロモーションを書き換える。" #: engine/core/docs/drf/viewsets.py:1176 msgid "rewrite some fields of an existing promotion saving non-editables" -msgstr "既存のプロモーションのいくつかのフィールドを書き換え、編集不可能な部分を保存する。" +msgstr "" +"既存のプロモーションのいくつかのフィールドを書き換え、編集不可能な部分を保存" +"する。" #: engine/core/docs/drf/viewsets.py:1186 msgid "list all stocks (simple view)" @@ -889,7 +937,9 @@ msgstr "既存のストックレコードを書き換え、編集不可能なも #: engine/core/docs/drf/viewsets.py:1221 msgid "rewrite some fields of an existing stock record saving non-editables" -msgstr "編集不可能なフィールドを保存している既存のストックレコードの一部のフィールドを書き換える。" +msgstr "" +"編集不可能なフィールドを保存している既存のストックレコードの一部のフィールド" +"を書き換える。" #: engine/core/docs/drf/viewsets.py:1231 msgid "list all product tags (simple view)" @@ -913,7 +963,8 @@ msgstr "既存の商品タグを書き換え、編集不可能なものを保存 #: engine/core/docs/drf/viewsets.py:1266 msgid "rewrite some fields of an existing product tag saving non-editables" -msgstr "既存の商品タグの一部のフィールドを書き換えて、編集不可能な部分を保存する。" +msgstr "" +"既存の商品タグの一部のフィールドを書き換えて、編集不可能な部分を保存する。" #: engine/core/elasticsearch/__init__.py:122 #: engine/core/elasticsearch/__init__.py:570 @@ -995,7 +1046,8 @@ msgstr "SKU" #: engine/core/filters.py:184 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:353 msgid "Search (ID, product name or part number)" @@ -1094,7 +1146,7 @@ msgid "please provide either order_uuid or order_hr_id - mutually exclusive" msgstr "order_uuidまたはorder_hr_idを入力してください!" #: engine/core/graphene/mutations.py:237 engine/core/graphene/mutations.py:502 -#: engine/core/graphene/mutations.py:544 engine/core/viewsets.py:704 +#: engine/core/graphene/mutations.py:544 engine/core/viewsets.py:713 msgid "wrong type came from order.buy() method: {type(instance)!s}" msgstr "order.buy()メソッドから間違った型が来た:{type(instance)!s}。" @@ -1147,9 +1199,10 @@ msgstr "注文する" #: engine/core/graphene/mutations.py:517 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:550 msgid "add or delete a feedback for orderproduct" @@ -1171,7 +1224,7 @@ msgstr "ユーザーが提供したオリジナルのアドレス文字列" #: engine/core/graphene/mutations.py:680 engine/core/models.py:955 #: engine/core/models.py:968 engine/core/models.py:1383 #: engine/core/models.py:1412 engine/core/models.py:1437 -#: engine/core/viewsets.py:707 +#: engine/core/viewsets.py:716 #, python-brace-format msgid "{name} does not exist: {uuid}" msgstr "{name}は存在しません:{uuid}が存在しません!" @@ -1223,8 +1276,7 @@ msgid "which attributes and values can be used for filtering this category." msgstr "このカテゴリのフィルタリングに使用できる属性と値。" #: engine/core/graphene/object_types.py:204 -msgid "" -"minimum and maximum prices for products in this category, if available." +msgid "minimum and maximum prices for products in this category, if available." msgstr "このカテゴリーの商品の最低価格と最高価格がある場合。" #: engine/core/graphene/object_types.py:206 @@ -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:91 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:124 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:209 engine/core/models.py:240 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:254 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:274 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:448 msgid "name of this brand" @@ -1719,14 +1791,17 @@ msgstr "カテゴリー" #: engine/core/models.py:508 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:520 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:585 msgid "category this product belongs to" @@ -1861,12 +1940,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:733 msgid "group of this attribute" @@ -1927,11 +2010,12 @@ msgstr "属性" #: engine/core/models.py:777 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:788 msgid "attribute of this value" @@ -1948,12 +2032,15 @@ msgstr "この属性の具体的な値" #: engine/core/models.py:815 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:826 msgid "provide alternative text for the image for accessibility" @@ -1993,10 +2080,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:880 msgid "percentage discount for the selected products" @@ -2037,7 +2128,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:926 msgid "products that the user has marked as wanted" @@ -2061,10 +2155,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:998 msgid "documentary" @@ -2080,20 +2178,23 @@ msgstr "未解決" #: engine/core/models.py:1014 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:1029 msgid "address line for the customer" @@ -2156,9 +2257,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:1087 msgid "unique code used by a user to redeem a discount" @@ -2228,7 +2331,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:1171 msgid "promocode already used" @@ -2243,12 +2348,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:1213 msgid "the billing address used for this order" @@ -2280,7 +2389,8 @@ msgstr "注文状況" #: engine/core/models.py:1243 engine/core/models.py:1769 msgid "json structure of notifications to display to users" -msgstr "ユーザーに表示する通知のJSON構造、管理UIではテーブルビューが使用されます。" +msgstr "" +"ユーザーに表示する通知のJSON構造、管理UIではテーブルビューが使用されます。" #: engine/core/models.py:1249 msgid "json representation of order attributes for this order" @@ -2380,13 +2490,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:1584 #, 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:1699 msgid "" @@ -2396,7 +2510,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:1711 msgid "user-provided comments about their experience with the product" @@ -2407,8 +2525,7 @@ msgid "feedback comments" msgstr "フィードバック・コメント" #: engine/core/models.py:1719 -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:1720 @@ -2435,7 +2552,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:1757 msgid "the price paid by the customer for this product at purchase time" @@ -2543,12 +2666,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:1961 msgid "download" @@ -2561,7 +2687,9 @@ msgstr "ダウンロード" #: engine/core/serializers/utility.py:89 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" @@ -2604,9 +2732,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 @@ -2629,7 +2760,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 @@ -2657,7 +2790,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 "" @@ -2678,7 +2812,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 @@ -2710,9 +2846,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 @@ -2778,14 +2917,17 @@ msgstr "NOMINATIM_URLパラメータを設定する必要があります!" #: engine/core/validators.py:16 #, 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:73 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:88 msgid "" @@ -2793,8 +2935,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:123 msgid "" @@ -2809,7 +2952,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:201 msgid "Handles `contact us` form submissions." @@ -2819,7 +2964,8 @@ msgstr "お問い合わせフォームの送信を処理する。" msgid "" "Handles requests for processing and validating URLs from incoming POST " "requests." -msgstr "入ってくる POST リクエストからの URL の処理と検証のリクエストを処理します。" +msgstr "" +"入ってくる POST リクエストからの URL の処理と検証のリクエストを処理します。" #: engine/core/views.py:262 msgid "Handles global search queries." @@ -2832,10 +2978,14 @@ msgstr "登録なしでビジネスとして購入するロジックを扱う。 #: engine/core/views.py:314 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:325 msgid "order_product_uuid is required" @@ -2864,19 +3014,25 @@ msgstr "ファビコンが見つかりません" #: engine/core/views.py:386 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:398 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:411 msgid "Returns current version of the eVibes. " @@ -2890,21 +3046,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:157 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:176 msgid "" @@ -2915,22 +3073,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:195 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:214 msgid "" @@ -2940,9 +3101,13 @@ 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:326 +#: engine/core/viewsets.py:327 msgid "" "Represents a viewset for managing Brand instances. This class provides " "functionality for querying, filtering, and serializing Brand objects. It " @@ -2950,10 +3115,11 @@ msgid "" "endpoints for Brand objects." msgstr "" "Brandインスタンスを管理するためのビューセットを表します。このクラスは Brand " -"オブジェクトのクエリ、フィルタリング、シリアライズの機能を提供します。Django の ViewSet フレームワークを使い、 Brand " -"オブジェクトの API エンドポイントの実装を簡素化します。" +"オブジェクトのクエリ、フィルタリング、シリアライズの機能を提供します。Django " +"の ViewSet フレームワークを使い、 Brand オブジェクトの API エンドポイントの実" +"装を簡素化します。" -#: engine/core/viewsets.py:438 +#: engine/core/viewsets.py:439 msgid "" "Manages operations related to the `Product` model in the system. This class " "provides a viewset for managing products, including their filtering, " @@ -2963,12 +3129,14 @@ 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:568 +#: engine/core/viewsets.py:575 msgid "" "Represents a viewset for managing Vendor objects. This viewset allows " "fetching, filtering, and serializing Vendor data. It defines the queryset, " @@ -2976,81 +3144,97 @@ 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:588 +#: engine/core/viewsets.py:595 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:615 +#: engine/core/viewsets.py:622 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:813 +#: engine/core/viewsets.py:826 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:867 +#: engine/core/viewsets.py:880 msgid "Manages operations related to Product images in the application. " msgstr "アプリケーション内の商品画像に関する操作を管理します。" -#: engine/core/viewsets.py:880 +#: engine/core/viewsets.py:893 msgid "" "Manages the retrieval and handling of PromoCode instances through various " "API actions." -msgstr "様々なAPIアクションによるプロモコードインスタンスの取得と処理を管理します。" +msgstr "" +"様々なAPIアクションによるプロモコードインスタンスの取得と処理を管理します。" -#: engine/core/viewsets.py:902 +#: engine/core/viewsets.py:915 msgid "Represents a view set for managing promotions. " msgstr "プロモーションを管理するためのビューセットを表します。" -#: engine/core/viewsets.py:915 +#: engine/core/viewsets.py:928 msgid "Handles operations related to Stock data in the system." msgstr "システム内のストックデータに関する操作を行う。" -#: engine/core/viewsets.py:929 +#: engine/core/viewsets.py:942 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:1044 +#: engine/core/viewsets.py:1057 msgid "" "This class provides viewset functionality for managing `Address` objects. " "The AddressViewSet class enables CRUD operations, filtering, and custom " @@ -3058,16 +3242,18 @@ 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:1111 +#: engine/core/viewsets.py:1124 #, python-brace-format msgid "Geocoding error: {e}" msgstr "ジオコーディングエラー:{e}" -#: engine/core/viewsets.py:1119 +#: engine/core/viewsets.py:1132 msgid "" "Handles operations related to Product Tags within the application. This " "class provides functionality for retrieving, filtering, and serializing " @@ -3075,4 +3261,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.po b/engine/core/locale/kk_KZ/LC_MESSAGES/django.po index 3c018310..1b4efc59 100644 --- a/engine/core/locale/kk_KZ/LC_MESSAGES/django.po +++ b/engine/core/locale/kk_KZ/LC_MESSAGES/django.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: LANGUAGE \n" @@ -1077,7 +1077,7 @@ msgid "please provide either order_uuid or order_hr_id - mutually exclusive" msgstr "" #: engine/core/graphene/mutations.py:237 engine/core/graphene/mutations.py:502 -#: engine/core/graphene/mutations.py:544 engine/core/viewsets.py:704 +#: engine/core/graphene/mutations.py:544 engine/core/viewsets.py:713 msgid "wrong type came from order.buy() method: {type(instance)!s}" msgstr "" @@ -1154,7 +1154,7 @@ msgstr "" #: engine/core/graphene/mutations.py:680 engine/core/models.py:955 #: engine/core/models.py:968 engine/core/models.py:1383 #: engine/core/models.py:1412 engine/core/models.py:1437 -#: engine/core/viewsets.py:707 +#: engine/core/viewsets.py:716 #, python-brace-format msgid "{name} does not exist: {uuid}" msgstr "" @@ -2866,7 +2866,7 @@ msgid "" "can access specific data." msgstr "" -#: engine/core/viewsets.py:326 +#: engine/core/viewsets.py:327 msgid "" "Represents a viewset for managing Brand instances. This class provides " "functionality for querying, filtering, and serializing Brand objects. It " @@ -2874,7 +2874,7 @@ msgid "" "endpoints for Brand objects." msgstr "" -#: engine/core/viewsets.py:438 +#: engine/core/viewsets.py:439 msgid "" "Manages operations related to the `Product` model in the system. This class " "provides a viewset for managing products, including their filtering, " @@ -2885,7 +2885,7 @@ msgid "" "product." msgstr "" -#: engine/core/viewsets.py:568 +#: engine/core/viewsets.py:575 msgid "" "Represents a viewset for managing Vendor objects. This viewset allows " "fetching, filtering, and serializing Vendor data. It defines the queryset, " @@ -2894,7 +2894,7 @@ msgid "" "Vendor-related resources through the Django REST framework." msgstr "" -#: engine/core/viewsets.py:588 +#: engine/core/viewsets.py:595 msgid "" "Representation of a view set handling Feedback objects. This class manages " "operations related to Feedback objects, including listing, filtering, and " @@ -2904,7 +2904,7 @@ msgid "" "use of Django's filtering system for querying data." msgstr "" -#: engine/core/viewsets.py:615 +#: engine/core/viewsets.py:622 msgid "" "ViewSet for managing orders and related operations. This class provides " "functionality to retrieve, modify, and manage order objects. It includes " @@ -2915,7 +2915,7 @@ msgid "" "enforces permissions accordingly while interacting with order data." msgstr "" -#: engine/core/viewsets.py:813 +#: engine/core/viewsets.py:826 msgid "" "Provides a viewset for managing OrderProduct entities. This viewset enables " "CRUD operations and custom actions specific to the OrderProduct model. It " @@ -2924,25 +2924,25 @@ msgid "" "feedback on OrderProduct instances" msgstr "" -#: engine/core/viewsets.py:867 +#: engine/core/viewsets.py:880 msgid "Manages operations related to Product images in the application. " msgstr "" -#: engine/core/viewsets.py:880 +#: engine/core/viewsets.py:893 msgid "" "Manages the retrieval and handling of PromoCode instances through various " "API actions." msgstr "" -#: engine/core/viewsets.py:902 +#: engine/core/viewsets.py:915 msgid "Represents a view set for managing promotions. " msgstr "" -#: engine/core/viewsets.py:915 +#: engine/core/viewsets.py:928 msgid "Handles operations related to Stock data in the system." msgstr "" -#: engine/core/viewsets.py:929 +#: engine/core/viewsets.py:942 msgid "" "ViewSet for managing Wishlist operations. The WishlistViewSet provides " "endpoints for interacting with a user's wish list, allowing for the " @@ -2953,7 +2953,7 @@ msgid "" "are granted." msgstr "" -#: engine/core/viewsets.py:1044 +#: engine/core/viewsets.py:1057 msgid "" "This class provides viewset functionality for managing `Address` objects. " "The AddressViewSet class enables CRUD operations, filtering, and custom " @@ -2962,12 +2962,12 @@ msgid "" "on the request context." msgstr "" -#: engine/core/viewsets.py:1111 +#: engine/core/viewsets.py:1124 #, python-brace-format msgid "Geocoding error: {e}" msgstr "" -#: engine/core/viewsets.py:1119 +#: engine/core/viewsets.py:1132 msgid "" "Handles operations related to Product Tags within the application. This " "class provides functionality for retrieving, filtering, and serializing " diff --git a/engine/core/locale/ko_KR/LC_MESSAGES/django.po b/engine/core/locale/ko_KR/LC_MESSAGES/django.po index 6d1ae391..a1a72241 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" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+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:21 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:23 engine/core/choices.py:18 @@ -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:44 engine/core/graphene/mutations.py:38 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:164 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:96 -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:106 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:186 -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:196 engine/core/docs/drf/viewsets.py:197 msgid "list all categories (simple view)" @@ -369,11 +369,11 @@ msgstr "직원이 아닌 사용자의 경우 자신의 주문만 반환됩니다 #: engine/core/docs/drf/viewsets.py:281 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:288 msgid "Filter orders with buy_time >= this ISO 8601 datetime" @@ -405,12 +405,13 @@ msgstr "주문 상태별 필터링(대소문자를 구분하지 않는 하위 #: engine/core/docs/drf/viewsets.py:324 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:336 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:397 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:429 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:438 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:447 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:459 msgid "list all wishlists (simple view)" @@ -579,24 +587,34 @@ msgstr "주문에서 제품 제거" #: engine/core/docs/drf/viewsets.py:542 msgid "" "removes many products from an wishlist using the provided `product_uuids`" -msgstr "제공된 `product_uuids`를 사용하여 위시리스트에서 많은 제품을 제거합니다." +msgstr "" +"제공된 `product_uuids`를 사용하여 위시리스트에서 많은 제품을 제거합니다." #: engine/core/docs/drf/viewsets.py:549 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:581 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:598 engine/core/docs/drf/viewsets.py:599 @@ -710,7 +730,8 @@ msgstr "편집할 수 없는 기존 피드백을 다시 작성합니다." #: engine/core/docs/drf/viewsets.py:851 msgid "rewrite some fields of an existing feedback saving non-editables" -msgstr "기존 피드백의 일부 필드를 다시 작성하여 편집할 수 없는 항목을 저장합니다." +msgstr "" +"기존 피드백의 일부 필드를 다시 작성하여 편집할 수 없는 항목을 저장합니다." #: engine/core/docs/drf/viewsets.py:861 msgid "list all order–product relations (simple view)" @@ -992,7 +1013,8 @@ msgstr "SKU" #: engine/core/filters.py:184 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:353 msgid "Search (ID, product name or part number)" @@ -1091,7 +1113,7 @@ msgid "please provide either order_uuid or order_hr_id - mutually exclusive" msgstr "주문_uuid 또는 주문_hr_id 중 하나를 입력하세요 - 상호 배타적입니다!" #: engine/core/graphene/mutations.py:237 engine/core/graphene/mutations.py:502 -#: engine/core/graphene/mutations.py:544 engine/core/viewsets.py:704 +#: engine/core/graphene/mutations.py:544 engine/core/viewsets.py:713 msgid "wrong type came from order.buy() method: {type(instance)!s}" msgstr "order.buy() 메서드에서 잘못된 유형이 발생했습니다: {type(instance)!s}" @@ -1144,8 +1166,8 @@ msgstr "주문 구매" #: engine/core/graphene/mutations.py:517 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:550 @@ -1168,7 +1190,7 @@ msgstr "사용자가 제공한 원본 주소 문자열" #: engine/core/graphene/mutations.py:680 engine/core/models.py:955 #: engine/core/models.py:968 engine/core/models.py:1383 #: engine/core/models.py:1412 engine/core/models.py:1437 -#: engine/core/viewsets.py:707 +#: engine/core/viewsets.py:716 #, python-brace-format msgid "{name} does not exist: {uuid}" msgstr "{name}가 존재하지 않습니다: {uuid}!" @@ -1220,8 +1242,7 @@ msgid "which attributes and values can be used for filtering this category." msgstr "이 카테고리를 필터링하는 데 사용할 수 있는 속성 및 값입니다." #: engine/core/graphene/object_types.py:204 -msgid "" -"minimum and maximum prices for products in this category, if available." +msgid "minimum and maximum prices for products in this category, if available." msgstr "이 카테고리의 제품에 대한 최소 및 최대 가격(가능한 경우)." #: engine/core/graphene/object_types.py:206 @@ -1282,7 +1303,9 @@ msgstr "청구서 수신 주소" 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:415 msgid "total price of this order" @@ -1429,7 +1452,8 @@ msgstr "회사 전화번호" #: engine/core/graphene/object_types.py:681 msgid "email from, sometimes it must be used instead of host user value" -msgstr "'이메일 보낸 사람'을 호스트 사용자 값 대신 사용해야 하는 경우가 있습니다." +msgstr "" +"'이메일 보낸 사람'을 호스트 사용자 값 대신 사용해야 하는 경우가 있습니다." #: engine/core/graphene/object_types.py:682 msgid "email host user" @@ -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:91 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:124 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:209 engine/core/models.py:240 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:254 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:274 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:448 msgid "name of this brand" @@ -1725,16 +1758,17 @@ msgstr "카테고리" #: engine/core/models.py:508 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:520 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:585 msgid "category this product belongs to" @@ -1870,13 +1907,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:733 msgid "group of this attribute" @@ -1937,12 +1976,12 @@ msgstr "속성" #: engine/core/models.py:777 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:788 msgid "attribute of this value" @@ -1959,13 +1998,15 @@ msgstr "이 속성의 구체적인 값은 다음과 같습니다." #: engine/core/models.py:815 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:826 msgid "provide alternative text for the image for accessibility" @@ -2005,12 +2046,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:880 msgid "percentage discount for the selected products" @@ -2051,8 +2094,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:926 msgid "products that the user has marked as wanted" @@ -2076,12 +2120,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:998 msgid "documentary" @@ -2097,19 +2143,22 @@ msgstr "해결되지 않음" #: engine/core/models.py:1014 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:1029 msgid "address line for the customer" @@ -2172,9 +2221,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:1087 msgid "unique code used by a user to redeem a discount" @@ -2244,7 +2295,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:1171 msgid "promocode already used" @@ -2259,14 +2312,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:1213 msgid "the billing address used for this order" @@ -2298,7 +2353,8 @@ msgstr "주문 상태" #: engine/core/models.py:1243 engine/core/models.py:1769 msgid "json structure of notifications to display to users" -msgstr "사용자에게 표시할 알림의 JSON 구조, 관리자 UI에서는 테이블 보기가 사용됩니다." +msgstr "" +"사용자에게 표시할 알림의 JSON 구조, 관리자 UI에서는 테이블 보기가 사용됩니다." #: engine/core/models.py:1249 msgid "json representation of order attributes for this order" @@ -2398,13 +2454,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:1584 #, 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:1699 msgid "" @@ -2414,9 +2474,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:1711 msgid "user-provided comments about their experience with the product" @@ -2427,8 +2489,7 @@ msgid "feedback comments" msgstr "피드백 댓글" #: engine/core/models.py:1719 -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:1720 @@ -2455,10 +2516,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:1757 msgid "the price paid by the customer for this product at purchase time" @@ -2566,13 +2630,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:1961 msgid "download" @@ -2628,10 +2694,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 @@ -2654,7 +2722,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 @@ -2682,7 +2751,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 "" @@ -2735,9 +2806,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 @@ -2803,14 +2877,16 @@ msgstr "NOMINATIM_URL 파라미터를 설정해야 합니다!" #: engine/core/validators.py:16 #, 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:73 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:88 msgid "" @@ -2818,8 +2894,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:123 msgid "" @@ -2834,7 +2911,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:201 msgid "Handles `contact us` form submissions." @@ -2857,10 +2936,14 @@ msgstr "등록하지 않고 비즈니스로 구매하는 로직을 처리합니 #: engine/core/views.py:314 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:325 msgid "order_product_uuid is required" @@ -2889,19 +2972,24 @@ msgstr "파비콘을 찾을 수 없습니다." #: engine/core/views.py:386 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:398 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:411 msgid "Returns current version of the eVibes. " @@ -2915,21 +3003,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:157 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:176 msgid "" @@ -2940,21 +3029,24 @@ msgid "" "specific fields or retrieving detailed versus simplified information " "depending on the request." msgstr "" -"애플리케이션 내에서 속성 개체와 관련된 작업을 처리합니다. 속성 데이터와 상호 작용할 수 있는 API 엔드포인트 세트를 제공합니다. 이 " -"클래스는 속성 개체의 쿼리, 필터링 및 직렬화를 관리하여 특정 필드별로 필터링하거나 요청에 따라 단순화된 정보와 상세한 정보를 검색하는 " -"등 반환되는 데이터를 동적으로 제어할 수 있도록 합니다." +"애플리케이션 내에서 속성 개체와 관련된 작업을 처리합니다. 속성 데이터와 상호 " +"작용할 수 있는 API 엔드포인트 세트를 제공합니다. 이 클래스는 속성 개체의 쿼" +"리, 필터링 및 직렬화를 관리하여 특정 필드별로 필터링하거나 요청에 따라 단순화" +"된 정보와 상세한 정보를 검색하는 등 반환되는 데이터를 동적으로 제어할 수 있도" +"록 합니다." #: engine/core/viewsets.py:195 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:214 msgid "" @@ -2964,21 +3056,23 @@ msgid "" "The viewset also enforces permissions to ensure that only authorized users " "can access specific data." msgstr "" -"카테고리 관련 작업에 대한 보기를 관리합니다. CategoryViewSet 클래스는 시스템에서 카테고리 모델과 관련된 작업을 처리하는 " -"역할을 담당합니다. 카테고리 데이터 검색, 필터링 및 직렬화를 지원합니다. 또한 이 뷰 집합은 권한이 부여된 사용자만 특정 데이터에 " -"액세스할 수 있도록 권한을 적용합니다." +"카테고리 관련 작업에 대한 보기를 관리합니다. CategoryViewSet 클래스는 시스템" +"에서 카테고리 모델과 관련된 작업을 처리하는 역할을 담당합니다. 카테고리 데이" +"터 검색, 필터링 및 직렬화를 지원합니다. 또한 이 뷰 집합은 권한이 부여된 사용" +"자만 특정 데이터에 액세스할 수 있도록 권한을 적용합니다." -#: engine/core/viewsets.py:326 +#: engine/core/viewsets.py:327 msgid "" "Represents a viewset for managing Brand instances. This class provides " "functionality for querying, filtering, and serializing Brand objects. It " "uses Django's ViewSet framework to simplify the implementation of API " "endpoints for Brand objects." msgstr "" -"브랜드 인스턴스를 관리하기 위한 뷰셋을 나타냅니다. 이 클래스는 브랜드 객체를 쿼리, 필터링 및 직렬화하기 위한 기능을 제공합니다. 이 " -"클래스는 장고의 뷰셋 프레임워크를 사용하여 브랜드 객체에 대한 API 엔드포인트의 구현을 간소화합니다." +"브랜드 인스턴스를 관리하기 위한 뷰셋을 나타냅니다. 이 클래스는 브랜드 객체를 " +"쿼리, 필터링 및 직렬화하기 위한 기능을 제공합니다. 이 클래스는 장고의 뷰셋 프" +"레임워크를 사용하여 브랜드 객체에 대한 API 엔드포인트의 구현을 간소화합니다." -#: engine/core/viewsets.py:438 +#: engine/core/viewsets.py:439 msgid "" "Manages operations related to the `Product` model in the system. This class " "provides a viewset for managing products, including their filtering, " @@ -2988,12 +3082,13 @@ 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:568 +#: engine/core/viewsets.py:575 msgid "" "Represents a viewset for managing Vendor objects. This viewset allows " "fetching, filtering, and serializing Vendor data. It defines the queryset, " @@ -3001,84 +3096,94 @@ 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:588 +#: engine/core/viewsets.py:595 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:615 +#: engine/core/viewsets.py:622 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:813 +#: engine/core/viewsets.py:826 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:867 +#: engine/core/viewsets.py:880 msgid "Manages operations related to Product images in the application. " msgstr "애플리케이션에서 제품 이미지와 관련된 작업을 관리합니다." -#: engine/core/viewsets.py:880 +#: engine/core/viewsets.py:893 msgid "" "Manages the retrieval and handling of PromoCode instances through various " "API actions." -msgstr "다양한 API 작업을 통해 프로모션 코드 인스턴스의 검색 및 처리를 관리합니다." +msgstr "" +"다양한 API 작업을 통해 프로모션 코드 인스턴스의 검색 및 처리를 관리합니다." -#: engine/core/viewsets.py:902 +#: engine/core/viewsets.py:915 msgid "Represents a view set for managing promotions. " msgstr "프로모션을 관리하기 위한 보기 세트를 나타냅니다." -#: engine/core/viewsets.py:915 +#: engine/core/viewsets.py:928 msgid "Handles operations related to Stock data in the system." msgstr "시스템에서 주식 데이터와 관련된 작업을 처리합니다." -#: engine/core/viewsets.py:929 +#: engine/core/viewsets.py:942 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:1044 +#: engine/core/viewsets.py:1057 msgid "" "This class provides viewset functionality for managing `Address` objects. " "The AddressViewSet class enables CRUD operations, filtering, and custom " @@ -3086,16 +3191,17 @@ msgid "" "different HTTP methods, serializer overrides, and permission handling based " "on the request context." msgstr "" -"이 클래스는 `주소` 객체를 관리하기 위한 뷰셋 기능을 제공합니다. 주소 뷰셋 클래스는 주소 엔티티와 관련된 CRUD 작업, 필터링 및 " -"사용자 정의 작업을 가능하게 합니다. 여기에는 다양한 HTTP 메서드, 직렬화기 재정의, 요청 컨텍스트에 따른 권한 처리를 위한 특수 " -"동작이 포함되어 있습니다." +"이 클래스는 `주소` 객체를 관리하기 위한 뷰셋 기능을 제공합니다. 주소 뷰셋 클" +"래스는 주소 엔티티와 관련된 CRUD 작업, 필터링 및 사용자 정의 작업을 가능하게 " +"합니다. 여기에는 다양한 HTTP 메서드, 직렬화기 재정의, 요청 컨텍스트에 따른 권" +"한 처리를 위한 특수 동작이 포함되어 있습니다." -#: engine/core/viewsets.py:1111 +#: engine/core/viewsets.py:1124 #, python-brace-format msgid "Geocoding error: {e}" msgstr "지오코딩 오류입니다: {e}" -#: engine/core/viewsets.py:1119 +#: engine/core/viewsets.py:1132 msgid "" "Handles operations related to Product Tags within the application. This " "class provides functionality for retrieving, filtering, and serializing " @@ -3103,6 +3209,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.po b/engine/core/locale/nl_NL/LC_MESSAGES/django.po index 4f5733dd..6cb55485 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" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+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:21 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" @@ -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:62 msgid "get a list of supported languages" @@ -274,8 +273,7 @@ msgstr "" "opslaan" #: engine/core/docs/drf/viewsets.py:96 -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:186 -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" @@ -377,8 +374,7 @@ msgstr "SEO Meta momentopname" #: engine/core/docs/drf/viewsets.py:253 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:274 msgid "list all orders (simple view)" @@ -387,16 +383,15 @@ msgstr "Alle categorieën weergeven (eenvoudige weergave)" #: engine/core/docs/drf/viewsets.py:275 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:281 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:288 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:324 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:336 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:409 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:420 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:581 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:598 engine/core/docs/drf/viewsets.py:599 msgid "retrieve a single product (detailed view)" @@ -784,8 +791,7 @@ msgstr "alle order-productrelaties weergeven (eenvoudige weergave)" #: engine/core/docs/drf/viewsets.py:871 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:881 msgid "create a new order–product relation" @@ -1180,7 +1186,7 @@ msgid "please provide either order_uuid or order_hr_id - mutually exclusive" msgstr "Geef order_uuid of order_hr_id - wederzijds exclusief!" #: engine/core/graphene/mutations.py:237 engine/core/graphene/mutations.py:502 -#: engine/core/graphene/mutations.py:544 engine/core/viewsets.py:704 +#: engine/core/graphene/mutations.py:544 engine/core/viewsets.py:713 msgid "wrong type came from order.buy() method: {type(instance)!s}" msgstr "Verkeerd type kwam uit order.buy() methode: {type(instance)!s}" @@ -1233,8 +1239,8 @@ msgstr "Een bestelling kopen" #: engine/core/graphene/mutations.py:517 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" @@ -1258,7 +1264,7 @@ msgstr "Originele adresstring geleverd door de gebruiker" #: engine/core/graphene/mutations.py:680 engine/core/models.py:955 #: engine/core/models.py:968 engine/core/models.py:1383 #: engine/core/models.py:1412 engine/core/models.py:1437 -#: engine/core/viewsets.py:707 +#: engine/core/viewsets.py:716 #, python-brace-format msgid "{name} does not exist: {uuid}" msgstr "{name} bestaat niet: {uuid}!" @@ -1312,8 +1318,7 @@ msgstr "" "filteren." #: engine/core/graphene/object_types.py:204 -msgid "" -"minimum and maximum prices for products in this category, if available." +msgid "minimum and maximum prices for products in this category, if available." msgstr "" "Minimale en maximale prijzen voor producten in deze categorie, indien " "beschikbaar." @@ -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:91 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:274 @@ -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:508 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 " @@ -2001,13 +2005,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 " @@ -2074,12 +2078,12 @@ msgstr "Attribuut" #: engine/core/models.py:777 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." @@ -2098,8 +2102,8 @@ msgstr "De specifieke waarde voor dit kenmerk" #: engine/core/models.py:815 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 +2152,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 " @@ -2226,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 "" "Vertegenwoordigt een documentair record gekoppeld aan een product. Deze " "klasse wordt gebruikt om informatie op te slaan over documentaires met " @@ -2251,20 +2255,20 @@ msgstr "Onopgelost" #: engine/core/models.py:1014 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, " @@ -2386,8 +2390,7 @@ msgstr "Begin geldigheidsduur" #: engine/core/models.py:1120 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:1121 msgid "usage timestamp" @@ -2414,8 +2417,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:1171 msgid "promocode already used" @@ -2430,8 +2433,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 "" @@ -2532,8 +2535,8 @@ msgstr "Je kunt niet meer producten toevoegen dan er op voorraad zijn" #: engine/core/models.py:1428 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:1416 #, python-brace-format @@ -2568,8 +2571,8 @@ msgstr "Je kunt geen lege bestelling kopen!" #: engine/core/models.py:1522 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:1536 msgid "a user without a balance cannot buy with balance" @@ -2592,8 +2595,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:1699 msgid "" @@ -2604,8 +2606,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 " @@ -2620,8 +2622,7 @@ msgid "feedback comments" msgstr "Reacties" #: engine/core/models.py:1719 -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" @@ -2658,8 +2659,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:1757 msgid "the price paid by the customer for this product at purchase time" @@ -2729,8 +2730,8 @@ msgstr "Verkeerde actie opgegeven voor feedback: {action}!" #: engine/core/models.py:1888 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:1894 msgid "name" @@ -2769,9 +2770,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 " @@ -2837,7 +2838,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 " @@ -2952,7 +2954,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. " @@ -2989,8 +2992,7 @@ msgstr "Zowel gegevens als time-out zijn vereist" #: engine/core/utils/caching.py:46 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 @@ -3060,8 +3062,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:201 msgid "Handles `contact us` form submissions." @@ -3072,8 +3074,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:262 msgid "Handles global search queries." @@ -3086,10 +3088,16 @@ msgstr "Behandelt de logica van kopen als bedrijf zonder registratie." #: engine/core/views.py:314 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:325 msgid "order_product_uuid is required" @@ -3120,15 +3128,20 @@ msgstr "favicon niet gevonden" #: engine/core/views.py:386 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:398 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 " @@ -3148,19 +3161,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:157 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, " @@ -3181,21 +3193,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:195 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." @@ -3211,10 +3222,10 @@ 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:326 +#: engine/core/viewsets.py:327 msgid "" "Represents a viewset for managing Brand instances. This class provides " "functionality for querying, filtering, and serializing Brand objects. It " @@ -3226,7 +3237,7 @@ msgstr "" "Merk objecten. Het gebruikt Django's ViewSet framework om de implementatie " "van API endpoints voor Merk objecten te vereenvoudigen." -#: engine/core/viewsets.py:438 +#: engine/core/viewsets.py:439 msgid "" "Manages operations related to the `Product` model in the system. This class " "provides a viewset for managing products, including their filtering, " @@ -3245,7 +3256,7 @@ msgstr "" "machtigingen en het verkrijgen van toegang tot gerelateerde feedback over " "een product." -#: engine/core/viewsets.py:568 +#: engine/core/viewsets.py:575 msgid "" "Represents a viewset for managing Vendor objects. This viewset allows " "fetching, filtering, and serializing Vendor data. It defines the queryset, " @@ -3256,17 +3267,17 @@ 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:588 +#: engine/core/viewsets.py:595 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 " @@ -3277,14 +3288,14 @@ msgstr "" "implementeren. Het breidt de basis `EvibesViewSet` uit en maakt gebruik van " "Django's filtersysteem voor het opvragen van gegevens." -#: engine/core/viewsets.py:615 +#: engine/core/viewsets.py:622 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 " @@ -3297,49 +3308,49 @@ msgstr "" "gebaseerd op de specifieke actie die wordt uitgevoerd en dwingt " "dienovereenkomstig permissies af tijdens de interactie met ordergegevens." -#: engine/core/viewsets.py:813 +#: engine/core/viewsets.py:826 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:867 +#: engine/core/viewsets.py:880 msgid "Manages operations related to Product images in the application. " msgstr "" "Beheert bewerkingen met betrekking tot productafbeeldingen in de applicatie." -#: engine/core/viewsets.py:880 +#: engine/core/viewsets.py:893 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:902 +#: engine/core/viewsets.py:915 msgid "Represents a view set for managing promotions. " msgstr "Vertegenwoordigt een view set voor het beheren van promoties." -#: engine/core/viewsets.py:915 +#: engine/core/viewsets.py:928 msgid "Handles operations related to Stock data in the system." msgstr "" "Verwerkt bewerkingen met betrekking tot voorraadgegevens in het systeem." -#: engine/core/viewsets.py:929 +#: engine/core/viewsets.py:942 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." @@ -3353,7 +3364,7 @@ msgstr "" "verlanglijstjes kunnen beheren, tenzij er expliciete toestemmingen zijn " "verleend." -#: engine/core/viewsets.py:1044 +#: engine/core/viewsets.py:1057 msgid "" "This class provides viewset functionality for managing `Address` objects. " "The AddressViewSet class enables CRUD operations, filtering, and custom " @@ -3361,18 +3372,18 @@ 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." -#: engine/core/viewsets.py:1111 +#: engine/core/viewsets.py:1124 #, python-brace-format msgid "Geocoding error: {e}" msgstr "Fout bij geocodering: {e}" -#: engine/core/viewsets.py:1119 +#: engine/core/viewsets.py:1132 msgid "" "Handles operations related to Product Tags within the application. This " "class provides functionality for retrieving, filtering, and serializing " @@ -3381,8 +3392,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.po b/engine/core/locale/no_NO/LC_MESSAGES/django.po index a15475a5..22035b84 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" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+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:21 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" @@ -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:44 engine/core/graphene/mutations.py:38 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:62 msgid "get a list of supported languages" @@ -273,8 +272,7 @@ msgstr "" "attributter" #: engine/core/docs/drf/viewsets.py:96 -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:186 -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" @@ -387,8 +384,8 @@ msgstr "For ikke-ansatte brukere returneres bare deres egne bestillinger." #: engine/core/docs/drf/viewsets.py:281 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:324 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:336 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:429 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:524 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:532 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:581 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:598 engine/core/docs/drf/viewsets.py:599 @@ -1162,7 +1170,7 @@ msgstr "" "Vennligst oppgi enten order_uuid eller order_hr_id - gjensidig utelukkende!" #: engine/core/graphene/mutations.py:237 engine/core/graphene/mutations.py:502 -#: engine/core/graphene/mutations.py:544 engine/core/viewsets.py:704 +#: engine/core/graphene/mutations.py:544 engine/core/viewsets.py:713 msgid "wrong type came from order.buy() method: {type(instance)!s}" msgstr "Feil type kom fra order.buy()-metoden: {type(instance)!s}" @@ -1215,8 +1223,8 @@ msgstr "Kjøp en ordre" #: engine/core/graphene/mutations.py:517 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" @@ -1240,7 +1248,7 @@ msgstr "Opprinnelig adressestreng oppgitt av brukeren" #: engine/core/graphene/mutations.py:680 engine/core/models.py:955 #: engine/core/models.py:968 engine/core/models.py:1383 #: engine/core/models.py:1412 engine/core/models.py:1437 -#: engine/core/viewsets.py:707 +#: engine/core/viewsets.py:716 #, python-brace-format msgid "{name} does not exist: {uuid}" msgstr "{name} eksisterer ikke: {uuid}!" @@ -1290,12 +1298,10 @@ msgstr "Påslag i prosent" #: engine/core/graphene/object_types.py:200 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:204 -msgid "" -"minimum and maximum prices for products in this category, if available." +msgid "minimum and maximum prices for products in this category, if available." msgstr "" "Minimums- og maksimumspriser for produkter i denne kategorien, hvis " "tilgjengelig." @@ -1507,7 +1513,8 @@ msgstr "Telefonnummer til selskapet" #: engine/core/graphene/object_types.py:681 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:682 msgid "email host user" @@ -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:91 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:254 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:508 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." @@ -1978,8 +1984,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 " @@ -2040,8 +2046,7 @@ msgstr "er filtrerbar" #: engine/core/models.py:759 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:771 engine/core/models.py:789 #: engine/core/templates/digital_order_delivered_email.html:134 @@ -2050,9 +2055,9 @@ msgstr "Attributt" #: engine/core/models.py:777 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 " @@ -2073,14 +2078,14 @@ msgstr "Den spesifikke verdien for dette attributtet" #: engine/core/models.py:815 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." @@ -2122,11 +2127,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 " @@ -2171,8 +2176,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." @@ -2198,11 +2203,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 " @@ -2222,23 +2227,23 @@ msgstr "Uavklart" #: engine/core/models.py:1014 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:1029 @@ -2304,11 +2309,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:1087 msgid "unique code used by a user to redeem a discount" @@ -2353,8 +2358,7 @@ msgstr "Start gyldighetstid" #: engine/core/models.py:1120 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:1121 msgid "usage timestamp" @@ -2397,18 +2401,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:1213 msgid "the billing address used for this order" @@ -2567,8 +2571,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 " @@ -2583,11 +2587,10 @@ msgid "feedback comments" msgstr "Tilbakemeldinger og kommentarer" #: engine/core/models.py:1719 -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:1720 msgid "related order product" @@ -2731,12 +2734,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 " @@ -2799,12 +2802,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 @@ -2914,7 +2918,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. " @@ -2992,8 +2997,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:88 msgid "" @@ -3032,8 +3037,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:262 msgid "Handles global search queries." @@ -3046,10 +3051,15 @@ msgstr "Håndterer logikken med å kjøpe som en bedrift uten registrering." #: engine/core/views.py:314 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:325 msgid "order_product_uuid is required" @@ -3078,15 +3088,19 @@ msgstr "favicon ble ikke funnet" #: engine/core/views.py:386 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:398 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 " @@ -3114,11 +3128,10 @@ msgstr "" #: engine/core/viewsets.py:157 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, " @@ -3135,20 +3148,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:195 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, " @@ -3170,7 +3183,7 @@ msgstr "" "kategoridata. Visningssettet håndhever også tillatelser for å sikre at bare " "autoriserte brukere har tilgang til bestemte data." -#: engine/core/viewsets.py:326 +#: engine/core/viewsets.py:327 msgid "" "Represents a viewset for managing Brand instances. This class provides " "functionality for querying, filtering, and serializing Brand objects. It " @@ -3182,7 +3195,7 @@ msgstr "" "Brand-objekter. Den bruker Djangos ViewSet-rammeverk for å forenkle " "implementeringen av API-sluttpunkter for Brand-objekter." -#: engine/core/viewsets.py:438 +#: engine/core/viewsets.py:439 msgid "" "Manages operations related to the `Product` model in the system. This class " "provides a viewset for managing products, including their filtering, " @@ -3197,10 +3210,10 @@ 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:568 +#: engine/core/viewsets.py:575 msgid "" "Represents a viewset for managing Vendor objects. This viewset allows " "fetching, filtering, and serializing Vendor data. It defines the queryset, " @@ -3210,18 +3223,18 @@ 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:588 +#: engine/core/viewsets.py:595 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 " @@ -3232,14 +3245,14 @@ msgstr "" "tilbakemeldingsobjekter. Den utvider basisklassen `EvibesViewSet` og bruker " "Djangos filtreringssystem for å spørre etter data." -#: engine/core/viewsets.py:615 +#: engine/core/viewsets.py:622 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 " @@ -3248,50 +3261,50 @@ 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:813 +#: engine/core/viewsets.py:826 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:867 +#: engine/core/viewsets.py:880 msgid "Manages operations related to Product images in the application. " msgstr "Administrerer operasjoner knyttet til produktbilder i applikasjonen." -#: engine/core/viewsets.py:880 +#: engine/core/viewsets.py:893 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:902 +#: engine/core/viewsets.py:915 msgid "Represents a view set for managing promotions. " msgstr "Representerer et visningssett for håndtering av kampanjer." -#: engine/core/viewsets.py:915 +#: engine/core/viewsets.py:928 msgid "Handles operations related to Stock data in the system." msgstr "Håndterer operasjoner knyttet til lagerdata i systemet." -#: engine/core/viewsets.py:929 +#: engine/core/viewsets.py:942 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." @@ -3301,10 +3314,10 @@ 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:1044 +#: engine/core/viewsets.py:1057 msgid "" "This class provides viewset functionality for managing `Address` objects. " "The AddressViewSet class enables CRUD operations, filtering, and custom " @@ -3312,18 +3325,18 @@ 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:1111 +#: engine/core/viewsets.py:1124 #, python-brace-format msgid "Geocoding error: {e}" msgstr "Feil i geokoding: {e}" -#: engine/core/viewsets.py:1119 +#: engine/core/viewsets.py:1132 msgid "" "Handles operations related to Product Tags within the application. This " "class provides functionality for retrieving, filtering, and serializing " diff --git a/engine/core/locale/pl_PL/LC_MESSAGES/django.po b/engine/core/locale/pl_PL/LC_MESSAGES/django.po index 5f635f0f..65f407c9 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" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+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:21 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ń." @@ -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:62 msgid "get a list of supported languages" @@ -275,8 +274,7 @@ msgstr "" "nieedytowalnych" #: engine/core/docs/drf/viewsets.py:96 -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:186 -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" @@ -391,11 +388,11 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:281 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:288 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:318 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:324 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:341 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:351 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:581 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:598 engine/core/docs/drf/viewsets.py:599 @@ -1167,7 +1175,7 @@ msgid "please provide either order_uuid or order_hr_id - mutually exclusive" msgstr "Podaj albo order_uuid albo order_hr_id - wzajemnie się wykluczają!" #: engine/core/graphene/mutations.py:237 engine/core/graphene/mutations.py:502 -#: engine/core/graphene/mutations.py:544 engine/core/viewsets.py:704 +#: engine/core/graphene/mutations.py:544 engine/core/viewsets.py:713 msgid "wrong type came from order.buy() method: {type(instance)!s}" msgstr "Nieprawidłowy typ pochodzi z metody order.buy(): {type(instance)!s}" @@ -1220,8 +1228,8 @@ msgstr "Kup zamówienie" #: engine/core/graphene/mutations.py:517 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" @@ -1246,7 +1254,7 @@ msgstr "Oryginalny ciąg adresu podany przez użytkownika" #: engine/core/graphene/mutations.py:680 engine/core/models.py:955 #: engine/core/models.py:968 engine/core/models.py:1383 #: engine/core/models.py:1412 engine/core/models.py:1437 -#: engine/core/viewsets.py:707 +#: engine/core/viewsets.py:716 #, python-brace-format msgid "{name} does not exist: {uuid}" msgstr "{name} nie istnieje: {uuid}!" @@ -1299,8 +1307,7 @@ msgstr "" "Które atrybuty i wartości mogą być używane do filtrowania tej kategorii." #: engine/core/graphene/object_types.py:204 -msgid "" -"minimum and maximum prices for products in this category, if available." +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." @@ -1511,7 +1518,8 @@ msgstr "Numer telefonu firmy" #: engine/core/graphene/object_types.py:681 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:682 msgid "email host user" @@ -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:448 @@ -1828,8 +1835,8 @@ msgstr "Kategorie" #: engine/core/models.py:508 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 " @@ -1981,8 +1988,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 " @@ -2052,9 +2059,9 @@ msgstr "Atrybut" #: engine/core/models.py:777 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 " @@ -2075,8 +2082,8 @@ msgstr "Konkretna wartość dla tego atrybutu" #: engine/core/models.py:815 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 "" @@ -2088,8 +2095,7 @@ msgstr "" #: engine/core/models.py:826 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:827 msgid "image alt text" @@ -2125,12 +2131,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." @@ -2175,8 +2181,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:926 @@ -2201,13 +2207,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." @@ -2225,14 +2231,14 @@ msgstr "Nierozwiązany" #: engine/core/models.py:1014 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 " @@ -2240,8 +2246,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." @@ -2401,8 +2407,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 "" @@ -2482,8 +2488,7 @@ msgstr "Zamówienie" #: engine/core/models.py:1319 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:1351 msgid "you cannot add products to an order that is not a pending one" @@ -2580,8 +2585,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:1711 msgid "user-provided comments about their experience with the product" @@ -2592,8 +2597,7 @@ msgid "feedback comments" msgstr "Komentarze zwrotne" #: engine/core/models.py:1719 -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." @@ -2624,13 +2628,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:1757 msgid "the price paid by the customer for this product at purchase time" @@ -2643,8 +2647,7 @@ msgstr "Cena zakupu w momencie zamówienia" #: engine/core/models.py:1763 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:1764 msgid "internal comments" @@ -2742,9 +2745,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 " @@ -2810,7 +2813,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 " @@ -2869,8 +2873,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 "" @@ -2925,7 +2929,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 " @@ -3015,8 +3020,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:123 msgid "" @@ -3058,10 +3063,14 @@ msgstr "Obsługuje logikę zakupu jako firma bez rejestracji." #: engine/core/views.py:314 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:325 msgid "order_product_uuid is required" @@ -3090,15 +3099,19 @@ msgstr "nie znaleziono favicon" #: engine/core/views.py:386 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:398 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 " @@ -3126,17 +3139,16 @@ msgstr "" #: engine/core/viewsets.py:157 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:176 msgid "" @@ -3159,14 +3171,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:214 msgid "" @@ -3177,12 +3189,12 @@ 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." -#: engine/core/viewsets.py:326 +#: engine/core/viewsets.py:327 msgid "" "Represents a viewset for managing Brand instances. This class provides " "functionality for querying, filtering, and serializing Brand objects. It " @@ -3194,7 +3206,7 @@ msgstr "" "Brand. Używa frameworka ViewSet Django, aby uprościć implementację punktów " "końcowych API dla obiektów Brand." -#: engine/core/viewsets.py:438 +#: engine/core/viewsets.py:439 msgid "" "Manages operations related to the `Product` model in the system. This class " "provides a viewset for managing products, including their filtering, " @@ -3208,11 +3220,11 @@ 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:568 +#: engine/core/viewsets.py:575 msgid "" "Represents a viewset for managing Vendor objects. This viewset allows " "fetching, filtering, and serializing Vendor data. It defines the queryset, " @@ -3222,17 +3234,17 @@ 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:588 +#: engine/core/viewsets.py:595 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 " @@ -3243,14 +3255,14 @@ msgstr "" "bazowy `EvibesViewSet` i wykorzystuje system filtrowania Django do " "odpytywania danych." -#: engine/core/viewsets.py:615 +#: engine/core/viewsets.py:622 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 " @@ -3262,12 +3274,12 @@ msgstr "" "wykorzystuje wiele serializatorów w oparciu o konkretną wykonywaną akcję i " "odpowiednio egzekwuje uprawnienia podczas interakcji z danymi zamówienia." -#: engine/core/viewsets.py:813 +#: engine/core/viewsets.py:826 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 " @@ -3277,31 +3289,31 @@ msgstr "" "szczegółową akcję do obsługi informacji zwrotnych na temat instancji " "OrderProduct" -#: engine/core/viewsets.py:867 +#: engine/core/viewsets.py:880 msgid "Manages operations related to Product images in the application. " msgstr "Zarządza operacjami związanymi z obrazami produktów w aplikacji." -#: engine/core/viewsets.py:880 +#: engine/core/viewsets.py:893 msgid "" "Manages the retrieval and handling of PromoCode instances through various " "API actions." msgstr "" "Zarządza pobieraniem i obsługą instancji PromoCode poprzez różne akcje API." -#: engine/core/viewsets.py:902 +#: engine/core/viewsets.py:915 msgid "Represents a view set for managing promotions. " msgstr "Reprezentuje zestaw widoków do zarządzania promocjami." -#: engine/core/viewsets.py:915 +#: engine/core/viewsets.py:928 msgid "Handles operations related to Stock data in the system." msgstr "Obsługuje operacje związane z danymi Stock w systemie." -#: engine/core/viewsets.py:929 +#: engine/core/viewsets.py:942 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." @@ -3314,7 +3326,7 @@ msgstr "" "że użytkownicy mogą zarządzać tylko własnymi listami życzeń, chyba że " "zostaną przyznane wyraźne uprawnienia." -#: engine/core/viewsets.py:1044 +#: engine/core/viewsets.py:1057 msgid "" "This class provides viewset functionality for managing `Address` objects. " "The AddressViewSet class enables CRUD operations, filtering, and custom " @@ -3325,15 +3337,15 @@ 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:1111 +#: engine/core/viewsets.py:1124 #, python-brace-format msgid "Geocoding error: {e}" msgstr "Błąd geokodowania: {e}" -#: engine/core/viewsets.py:1119 +#: engine/core/viewsets.py:1132 msgid "" "Handles operations related to Product Tags within the application. This " "class provides functionality for retrieving, filtering, and serializing " diff --git a/engine/core/locale/pt_BR/LC_MESSAGES/django.po b/engine/core/locale/pt_BR/LC_MESSAGES/django.po index c37e4d92..061a3d17 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" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+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:21 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" @@ -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:62 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:96 -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:186 -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" @@ -384,12 +381,12 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:281 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:288 msgid "Filter orders with buy_time >= this ISO 8601 datetime" @@ -425,9 +422,9 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:324 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:504 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:514 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:581 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:598 engine/core/docs/drf/viewsets.py:599 msgid "retrieve a single product (detailed view)" @@ -887,8 +896,7 @@ msgstr "Delete a promo code" #: engine/core/docs/drf/viewsets.py:1124 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:1131 msgid "rewrite some fields of an existing promo code saving non-editables" @@ -1151,7 +1159,7 @@ msgid "please provide either order_uuid or order_hr_id - mutually exclusive" msgstr "Forneça order_uuid ou order_hr_id - mutuamente exclusivos!" #: engine/core/graphene/mutations.py:237 engine/core/graphene/mutations.py:502 -#: engine/core/graphene/mutations.py:544 engine/core/viewsets.py:704 +#: engine/core/graphene/mutations.py:544 engine/core/viewsets.py:713 msgid "wrong type came from order.buy() method: {type(instance)!s}" msgstr "O tipo errado veio do método order.buy(): {type(instance)!s}" @@ -1204,8 +1212,8 @@ msgstr "Comprar um pedido" #: engine/core/graphene/mutations.py:517 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" @@ -1229,7 +1237,7 @@ msgstr "Cadeia de endereços original fornecida pelo usuário" #: engine/core/graphene/mutations.py:680 engine/core/models.py:955 #: engine/core/models.py:968 engine/core/models.py:1383 #: engine/core/models.py:1412 engine/core/models.py:1437 -#: engine/core/viewsets.py:707 +#: engine/core/viewsets.py:716 #, python-brace-format msgid "{name} does not exist: {uuid}" msgstr "{name} não existe: {uuid}!" @@ -1282,8 +1290,7 @@ msgstr "" "Quais atributos e valores podem ser usados para filtrar essa categoria." #: engine/core/graphene/object_types.py:204 -msgid "" -"minimum and maximum prices for products in this category, if available." +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:206 @@ -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:124 @@ -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:448 msgid "name of this brand" @@ -1814,8 +1820,8 @@ msgstr "Categorias" #: engine/core/models.py:508 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." @@ -1967,14 +1973,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." @@ -2038,13 +2044,13 @@ msgstr "Atributo" #: engine/core/models.py:777 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:788 msgid "attribute of this value" @@ -2061,21 +2067,20 @@ msgstr "O valor específico para esse atributo" #: engine/core/models.py:815 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:826 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:827 msgid "image alt text" @@ -2111,8 +2116,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 " @@ -2162,8 +2167,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:926 @@ -2188,15 +2193,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:998 msgid "documentary" @@ -2212,21 +2217,21 @@ msgstr "Não resolvido" #: engine/core/models.py:1014 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 " @@ -2373,8 +2378,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:1171 msgid "promocode already used" @@ -2389,8 +2394,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 "" @@ -2502,8 +2507,7 @@ msgstr "O código promocional não existe" #: engine/core/models.py:1454 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:1473 msgid "address does not exist" @@ -2559,8 +2563,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." @@ -2575,11 +2579,10 @@ msgid "feedback comments" msgstr "Comentários de feedback" #: engine/core/models.py:1719 -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:1720 msgid "related order product" @@ -2606,9 +2609,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 " @@ -2722,16 +2725,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:1961 msgid "download" @@ -2789,7 +2792,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 " @@ -2903,7 +2907,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 " @@ -2982,8 +2987,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:88 msgid "" @@ -3010,8 +3015,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:201 msgid "Handles `contact us` form submissions." @@ -3036,10 +3041,14 @@ msgstr "Lida com a lógica de comprar como uma empresa sem registro." #: engine/core/views.py:314 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:325 msgid "order_product_uuid is required" @@ -3068,19 +3077,23 @@ msgstr "favicon não encontrado" #: engine/core/views.py:386 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:398 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." @@ -3096,19 +3109,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:157 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, " @@ -3125,11 +3137,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:195 @@ -3137,8 +3149,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, " @@ -3158,23 +3170,23 @@ 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:326 +#: engine/core/viewsets.py:327 msgid "" "Represents a viewset for managing Brand instances. This class provides " "functionality for querying, filtering, and serializing Brand objects. It " "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." -#: engine/core/viewsets.py:438 +#: engine/core/viewsets.py:439 msgid "" "Manages operations related to the `Product` model in the system. This class " "provides a viewset for managing products, including their filtering, " @@ -3186,13 +3198,13 @@ 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." -#: engine/core/viewsets.py:568 +#: engine/core/viewsets.py:575 msgid "" "Represents a viewset for managing Vendor objects. This viewset allows " "fetching, filtering, and serializing Vendor data. It defines the queryset, " @@ -3204,65 +3216,65 @@ 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:588 +#: engine/core/viewsets.py:595 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:615 +#: engine/core/viewsets.py:622 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 " "específica que está sendo executada e impõe as permissões de acordo com a " "interação com os dados do pedido." -#: engine/core/viewsets.py:813 +#: engine/core/viewsets.py:826 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" -#: engine/core/viewsets.py:867 +#: engine/core/viewsets.py:880 msgid "Manages operations related to Product images in the application. " msgstr "Gerencia operações relacionadas a imagens de produtos no aplicativo." -#: engine/core/viewsets.py:880 +#: engine/core/viewsets.py:893 msgid "" "Manages the retrieval and handling of PromoCode instances through various " "API actions." @@ -3270,20 +3282,20 @@ msgstr "" "Gerencia a recuperação e o manuseio de instâncias de PromoCode por meio de " "várias ações de API." -#: engine/core/viewsets.py:902 +#: engine/core/viewsets.py:915 msgid "Represents a view set for managing promotions. " msgstr "Representa um conjunto de visualizações para gerenciar promoções." -#: engine/core/viewsets.py:915 +#: engine/core/viewsets.py:928 msgid "Handles operations related to Stock data in the system." msgstr "Trata de operações relacionadas a dados de estoque no sistema." -#: engine/core/viewsets.py:929 +#: engine/core/viewsets.py:942 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." @@ -3297,7 +3309,7 @@ msgstr "" "possam gerenciar suas próprias listas de desejos, a menos que sejam " "concedidas permissões explícitas." -#: engine/core/viewsets.py:1044 +#: engine/core/viewsets.py:1057 msgid "" "This class provides viewset functionality for managing `Address` objects. " "The AddressViewSet class enables CRUD operations, filtering, and custom " @@ -3306,18 +3318,18 @@ 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." -#: engine/core/viewsets.py:1111 +#: engine/core/viewsets.py:1124 #, python-brace-format msgid "Geocoding error: {e}" msgstr "Erro de geocodificação: {e}" -#: engine/core/viewsets.py:1119 +#: engine/core/viewsets.py:1132 msgid "" "Handles operations related to Product Tags within the application. This " "class provides functionality for retrieving, filtering, and serializing " diff --git a/engine/core/locale/ro_RO/LC_MESSAGES/django.po b/engine/core/locale/ro_RO/LC_MESSAGES/django.po index 7506d1c2..c15ee8ed 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" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+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:21 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:23 engine/core/choices.py:18 msgid "created" @@ -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:44 engine/core/graphene/mutations.py:38 @@ -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:62 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:130 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:139 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:164 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:89 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:96 -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:186 -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" @@ -391,8 +387,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:281 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:324 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:581 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:598 engine/core/docs/drf/viewsets.py:599 @@ -739,8 +748,8 @@ msgstr "Autocompletare adresă de intrare" #: engine/core/docs/drf/viewsets.py:794 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:974 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:981 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:1079 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:1086 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:1169 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:1176 msgid "rewrite some fields of an existing promotion saving non-editables" @@ -1175,7 +1181,7 @@ msgstr "" "Vă rugăm să furnizați fie order_uuid sau order_hr_id - se exclud reciproc!" #: engine/core/graphene/mutations.py:237 engine/core/graphene/mutations.py:502 -#: engine/core/graphene/mutations.py:544 engine/core/viewsets.py:704 +#: engine/core/graphene/mutations.py:544 engine/core/viewsets.py:713 msgid "wrong type came from order.buy() method: {type(instance)!s}" msgstr "Metoda order.buy() a generat un tip greșit: {type(instance)!s}" @@ -1228,8 +1234,8 @@ msgstr "Cumpărați o comandă" #: engine/core/graphene/mutations.py:517 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" @@ -1254,7 +1260,7 @@ msgstr "Șirul de adrese original furnizat de utilizator" #: engine/core/graphene/mutations.py:680 engine/core/models.py:955 #: engine/core/models.py:968 engine/core/models.py:1383 #: engine/core/models.py:1412 engine/core/models.py:1437 -#: engine/core/viewsets.py:707 +#: engine/core/viewsets.py:716 #, python-brace-format msgid "{name} does not exist: {uuid}" msgstr "{name} nu există: {uuid}!" @@ -1308,11 +1314,10 @@ msgstr "" "categorii." #: engine/core/graphene/object_types.py:204 -msgid "" -"minimum and maximum prices for products in this category, if available." +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:206 msgid "tags for this category" @@ -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:91 @@ -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:254 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:274 msgid "upload an image representing this category" @@ -1752,8 +1757,7 @@ msgstr "Categorie imagine" #: engine/core/models.py:282 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:291 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:508 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:585 @@ -1996,16 +1999,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:733 msgid "group of this attribute" @@ -2068,9 +2071,9 @@ msgstr "Atribut" #: engine/core/models.py:777 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ă " @@ -2091,8 +2094,8 @@ msgstr "Valoarea specifică pentru acest atribut" #: engine/core/models.py:815 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 +2144,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 " @@ -2190,9 +2193,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." @@ -2218,8 +2221,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 " @@ -2243,14 +2246,14 @@ msgstr "Nerezolvat" #: engine/core/models.py:1014 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 " @@ -2260,8 +2263,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:1029 msgid "address line for the customer" @@ -2329,8 +2331,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:1087 @@ -2420,17 +2422,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:1213 @@ -2580,8 +2582,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:1699 msgid "" @@ -2608,11 +2609,10 @@ msgid "feedback comments" msgstr "Comentarii de feedback" #: engine/core/models.py:1719 -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:1720 msgid "related order product" @@ -2640,8 +2640,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 " @@ -2757,17 +2757,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:1961 msgid "download" @@ -2781,8 +2781,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" @@ -2825,7 +2825,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ă " @@ -2940,11 +2941,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 @@ -3029,8 +3031,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:123 msgid "" @@ -3047,8 +3049,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:201 msgid "Handles `contact us` form submissions." @@ -3059,8 +3061,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:262 msgid "Handles global search queries." @@ -3073,10 +3075,15 @@ msgstr "Gestionează logica cumpărării ca o afacere fără înregistrare." #: engine/core/views.py:314 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:325 msgid "order_product_uuid is required" @@ -3105,20 +3112,24 @@ msgstr "favicon nu a fost găsit" #: engine/core/views.py:386 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:398 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:411 @@ -3142,11 +3153,10 @@ msgstr "" #: engine/core/viewsets.py:157 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 " @@ -3163,20 +3173,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:195 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, " @@ -3200,7 +3210,7 @@ msgstr "" "permisiuni pentru a se asigura că numai utilizatorii autorizați pot accesa " "date specifice." -#: engine/core/viewsets.py:326 +#: engine/core/viewsets.py:327 msgid "" "Represents a viewset for managing Brand instances. This class provides " "functionality for querying, filtering, and serializing Brand objects. It " @@ -3212,7 +3222,7 @@ msgstr "" "serializarea obiectelor Brand. Utilizează cadrul ViewSet al Django pentru a " "simplifica implementarea punctelor finale API pentru obiectele Brand." -#: engine/core/viewsets.py:438 +#: engine/core/viewsets.py:439 msgid "" "Manages operations related to the `Product` model in the system. This class " "provides a viewset for managing products, including their filtering, " @@ -3224,13 +3234,13 @@ 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." -#: engine/core/viewsets.py:568 +#: engine/core/viewsets.py:575 msgid "" "Represents a viewset for managing Vendor objects. This viewset allows " "fetching, filtering, and serializing Vendor data. It defines the queryset, " @@ -3238,38 +3248,38 @@ 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 " "Vendor prin intermediul cadrului REST Django." -#: engine/core/viewsets.py:588 +#: engine/core/viewsets.py:595 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." -#: engine/core/viewsets.py:615 +#: engine/core/viewsets.py:622 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ă " @@ -3282,12 +3292,12 @@ msgstr "" "de acțiunea specifică efectuată și aplică permisiunile corespunzătoare în " "timpul interacțiunii cu datele comenzii." -#: engine/core/viewsets.py:813 +#: engine/core/viewsets.py:826 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. " @@ -3297,12 +3307,11 @@ msgstr "" "solicitată. În plus, oferă o acțiune detaliată pentru gestionarea feedback-" "ului privind instanțele OrderProduct" -#: engine/core/viewsets.py:867 -msgid "Manages operations related to Product images in the application. " -msgstr "" -"Gestionează operațiunile legate de imaginile produselor din aplicație." - #: engine/core/viewsets.py:880 +msgid "Manages operations related to Product images in the application. " +msgstr "Gestionează operațiunile legate de imaginile produselor din aplicație." + +#: engine/core/viewsets.py:893 msgid "" "Manages the retrieval and handling of PromoCode instances through various " "API actions." @@ -3310,21 +3319,21 @@ msgstr "" "Gestionează recuperarea și gestionarea instanțelor PromoCode prin diverse " "acțiuni API." -#: engine/core/viewsets.py:902 +#: engine/core/viewsets.py:915 msgid "Represents a view set for managing promotions. " msgstr "Reprezintă un set de vizualizări pentru gestionarea promoțiilor." -#: engine/core/viewsets.py:915 +#: engine/core/viewsets.py:928 msgid "Handles operations related to Stock data in the system." msgstr "" "Gestionează operațiunile legate de datele privind stocurile din sistem." -#: engine/core/viewsets.py:929 +#: engine/core/viewsets.py:942 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." @@ -3338,7 +3347,7 @@ msgstr "" "utilizatorii își pot gestiona doar propriile liste de dorințe, cu excepția " "cazului în care sunt acordate permisiuni explicite." -#: engine/core/viewsets.py:1044 +#: engine/core/viewsets.py:1057 msgid "" "This class provides viewset functionality for managing `Address` objects. " "The AddressViewSet class enables CRUD operations, filtering, and custom " @@ -3347,18 +3356,18 @@ 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." -#: engine/core/viewsets.py:1111 +#: engine/core/viewsets.py:1124 #, python-brace-format msgid "Geocoding error: {e}" msgstr "Eroare de geocodare: {e}" -#: engine/core/viewsets.py:1119 +#: engine/core/viewsets.py:1132 msgid "" "Handles operations related to Product Tags within the application. This " "class provides functionality for retrieving, filtering, and serializing " diff --git a/engine/core/locale/ru_RU/LC_MESSAGES/django.po b/engine/core/locale/ru_RU/LC_MESSAGES/django.po index 6f271f54..094b2e39 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" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+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:21 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, этот объект не может быть виден " "пользователям без необходимого разрешения" @@ -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:96 -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:186 -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 "" "Переписывание некоторых полей существующего значения атрибута с сохранением " "нередактируемых значений" @@ -392,11 +388,11 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:281 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:288 msgid "Filter orders with buy_time >= this ISO 8601 datetime" @@ -432,9 +428,9 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:324 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:438 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:459 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:581 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:598 engine/core/docs/drf/viewsets.py:599 msgid "retrieve a single product (detailed view)" @@ -1175,7 +1185,7 @@ msgstr "" "варианты!" #: engine/core/graphene/mutations.py:237 engine/core/graphene/mutations.py:502 -#: engine/core/graphene/mutations.py:544 engine/core/viewsets.py:704 +#: engine/core/graphene/mutations.py:544 engine/core/viewsets.py:713 msgid "wrong type came from order.buy() method: {type(instance)!s}" msgstr "Неправильный тип получен из метода order.buy(): {type(instance)!s}" @@ -1228,8 +1238,8 @@ msgstr "Купить заказ" #: engine/core/graphene/mutations.py:517 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" @@ -1254,7 +1264,7 @@ msgstr "Оригинальная строка адреса, предоставл #: engine/core/graphene/mutations.py:680 engine/core/models.py:955 #: engine/core/models.py:968 engine/core/models.py:1383 #: engine/core/models.py:1412 engine/core/models.py:1437 -#: engine/core/viewsets.py:707 +#: engine/core/viewsets.py:716 #, python-brace-format msgid "{name} does not exist: {uuid}" msgstr "{name} не существует: {uuid}!" @@ -1307,8 +1317,7 @@ msgstr "" "Какие атрибуты и значения можно использовать для фильтрации этой категории." #: engine/core/graphene/object_types.py:204 -msgid "" -"minimum and maximum prices for products in this category, if available." +msgid "minimum and maximum prices for products in this category, if available." msgstr "" "Минимальные и максимальные цены на товары в этой категории, если они " "доступны." @@ -1626,8 +1635,8 @@ msgstr "" #: engine/core/models.py:124 msgid "stores credentials and endpoints required for vendor communication" msgstr "" -"Хранит учетные данные и конечные точки, необходимые для взаимодействия с API" -" поставщика." +"Хранит учетные данные и конечные точки, необходимые для взаимодействия с API " +"поставщика." #: engine/core/models.py:125 msgid "authentication info" @@ -1675,8 +1684,8 @@ msgid "" msgstr "" "Представляет тег продукта, используемый для классификации или идентификации " "продуктов. Класс ProductTag предназначен для уникальной идентификации и " -"классификации продуктов с помощью комбинации внутреннего идентификатора тега" -" и удобного для пользователя отображаемого имени. Он поддерживает операции, " +"классификации продуктов с помощью комбинации внутреннего идентификатора тега " +"и удобного для пользователя отображаемого имени. Он поддерживает операции, " "экспортируемые через миксины, и обеспечивает настройку метаданных для " "административных целей." @@ -1708,8 +1717,8 @@ msgid "" msgstr "" "Представляет тег категории, используемый для продуктов. Этот класс " "моделирует тег категории, который может быть использован для ассоциации и " -"классификации продуктов. Он включает атрибуты для внутреннего идентификатора" -" тега и удобного для пользователя отображаемого имени." +"классификации продуктов. Он включает атрибуты для внутреннего идентификатора " +"тега и удобного для пользователя отображаемого имени." #: engine/core/models.py:254 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:508 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) и управляет кэшированием часто используемых свойств для " "повышения производительности. Он используется для определения и " "манипулирования данными о товаре и связанной с ним информацией в приложении." @@ -1993,8 +2001,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 "" "Представляет атрибут в системе. Этот класс используется для определения и " @@ -2065,12 +2073,12 @@ msgstr "Атрибут" #: engine/core/models.py:777 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:788 @@ -2088,8 +2096,8 @@ msgstr "Конкретное значение для этого атрибута #: engine/core/models.py:815 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 "" @@ -2139,8 +2147,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 "" "Представляет рекламную кампанию для товаров со скидкой. Этот класс " "используется для определения и управления рекламными кампаниями, " @@ -2216,15 +2224,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:998 msgid "documentary" @@ -2240,14 +2248,14 @@ msgstr "Неразрешенные" #: engine/core/models.py:1014 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 "" "Представляет адресную сущность, включающую сведения о местоположении и " "ассоциации с пользователем. Обеспечивает функциональность для хранения " @@ -2323,8 +2331,8 @@ msgstr "" "Представляет промокод, который можно использовать для получения скидки, " "управляя его сроком действия, типом скидки и применением. Класс PromoCode " "хранит информацию о промокоде, включая его уникальный идентификатор, " -"свойства скидки (размер или процент), срок действия, связанного пользователя" -" (если таковой имеется) и статус его использования. Он включает в себя " +"свойства скидки (размер или процент), срок действия, связанного пользователя " +"(если таковой имеется) и статус его использования. Он включает в себя " "функциональность для проверки и применения промокода к заказу, обеспечивая " "при этом соблюдение ограничений." @@ -2400,8 +2408,8 @@ msgid "" "only one type of discount should be defined (amount or percent), but not " "both or neither." msgstr "" -"Следует определить только один тип скидки (сумма или процент), но не оба или" -" ни один из них." +"Следует определить только один тип скидки (сумма или процент), но не оба или " +"ни один из них." #: engine/core/models.py:1171 msgid "promocode already used" @@ -2416,13 +2424,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 "" -"Представляет заказ, оформленный пользователем. Этот класс моделирует заказ в" -" приложении, включая его различные атрибуты, такие как информация о " +"Представляет заказ, оформленный пользователем. Этот класс моделирует заказ в " +"приложении, включая его различные атрибуты, такие как информация о " "выставлении счета и доставке, статус, связанный пользователь, уведомления и " "связанные операции. Заказы могут иметь связанные продукты, к ним можно " "применять рекламные акции, устанавливать адреса и обновлять данные о " @@ -2460,8 +2468,8 @@ msgstr "Статус заказа" #: engine/core/models.py:1243 engine/core/models.py:1769 msgid "json structure of notifications to display to users" msgstr "" -"JSON-структура уведомлений для отображения пользователям, в административном" -" интерфейсе используется табличный вид" +"JSON-структура уведомлений для отображения пользователям, в административном " +"интерфейсе используется табличный вид" #: engine/core/models.py:1249 msgid "json representation of order attributes for this order" @@ -2514,8 +2522,7 @@ msgstr "Вы не можете добавить больше товаров, ч #: engine/core/models.py:1395 engine/core/models.py:1420 #: engine/core/models.py:1428 msgid "you cannot remove products from an order that is not a pending one" -msgstr "" -"Вы не можете удалить товары из заказа, который не является отложенным." +msgstr "Вы не можете удалить товары из заказа, который не является отложенным." #: engine/core/models.py:1416 #, python-brace-format @@ -2600,8 +2607,7 @@ msgid "feedback comments" msgstr "Комментарии к отзывам" #: engine/core/models.py:1719 -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 "" "Ссылка на конкретный продукт в заказе, о котором идет речь в этом отзыве" @@ -2649,8 +2655,7 @@ msgstr "Покупная цена на момент заказа" #: engine/core/models.py:1763 msgid "internal comments for admins about this ordered product" -msgstr "" -"Внутренние комментарии для администраторов об этом заказанном продукте" +msgstr "Внутренние комментарии для администраторов об этом заказанном продукте" #: engine/core/models.py:1764 msgid "internal comments" @@ -2746,15 +2751,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:1961 @@ -2813,11 +2818,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 @@ -2927,7 +2933,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 "" "Спасибо за ваш заказ! Мы рады подтвердить вашу покупку. Ниже приведены " @@ -3000,8 +3007,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:73 msgid "" @@ -3019,8 +3025,8 @@ msgid "" "Content-Type header for XML." msgstr "" "Обрабатывает подробный ответ на просмотр карты сайта. Эта функция " -"обрабатывает запрос, извлекает соответствующий подробный ответ карты сайта и" -" устанавливает заголовок Content-Type для XML." +"обрабатывает запрос, извлекает соответствующий подробный ответ карты сайта и " +"устанавливает заголовок Content-Type для XML." #: engine/core/views.py:123 msgid "" @@ -3062,10 +3068,14 @@ msgstr "Работает с логикой покупки как бизнеса #: engine/core/views.py:314 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:325 msgid "order_product_uuid is required" @@ -3094,15 +3104,19 @@ msgstr "favicon не найден" #: engine/core/views.py:386 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:398 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 "" "Перенаправляет запрос на индексную страницу админки. Функция обрабатывает " @@ -3124,17 +3138,16 @@ msgid "" msgstr "" "Определяет набор представлений для управления операциями, связанными с " "Evibes. Класс EvibesViewSet наследует от ModelViewSet и предоставляет " -"функциональность для обработки действий и операций над сущностями Evibes. Он" -" включает в себя поддержку динамических классов сериализаторов в зависимости" -" от текущего действия, настраиваемые разрешения и форматы рендеринга." +"функциональность для обработки действий и операций над сущностями Evibes. Он " +"включает в себя поддержку динамических классов сериализаторов в зависимости " +"от текущего действия, настраиваемые разрешения и форматы рендеринга." #: engine/core/viewsets.py:157 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, включая " @@ -3163,15 +3176,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:214 msgid "" @@ -3182,13 +3195,13 @@ msgid "" "can access specific data." msgstr "" "Управляет представлениями для операций, связанных с категорией. Класс " -"CategoryViewSet отвечает за обработку операций, связанных с моделью Category" -" в системе. Он поддерживает получение, фильтрацию и сериализацию данных " +"CategoryViewSet отвечает за обработку операций, связанных с моделью Category " +"в системе. Он поддерживает получение, фильтрацию и сериализацию данных " "категории. Набор представлений также обеспечивает соблюдение прав доступа, " "чтобы только авторизованные пользователи могли получить доступ к " "определенным данным." -#: engine/core/viewsets.py:326 +#: engine/core/viewsets.py:327 msgid "" "Represents a viewset for managing Brand instances. This class provides " "functionality for querying, filtering, and serializing Brand objects. It " @@ -3200,7 +3213,7 @@ msgstr "" "сериализации объектов Brand. Он использует фреймворк Django ViewSet для " "упрощения реализации конечных точек API для объектов Brand." -#: engine/core/viewsets.py:438 +#: engine/core/viewsets.py:439 msgid "" "Manages operations related to the `Product` model in the system. This class " "provides a viewset for managing products, including their filtering, " @@ -3218,7 +3231,7 @@ msgstr "" "методы для получения информации о продукте, применения разрешений и доступа " "к связанным отзывам о продукте." -#: engine/core/viewsets.py:568 +#: engine/core/viewsets.py:575 msgid "" "Represents a viewset for managing Vendor objects. This viewset allows " "fetching, filtering, and serializing Vendor data. It defines the queryset, " @@ -3226,20 +3239,20 @@ 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." -#: engine/core/viewsets.py:588 +#: engine/core/viewsets.py:595 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. Этот " @@ -3250,48 +3263,47 @@ msgstr "" "доступа. Он расширяет базовый `EvibesViewSet` и использует систему " "фильтрации Django для запроса данных." -#: engine/core/viewsets.py:615 +#: engine/core/viewsets.py:622 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:813 +#: engine/core/viewsets.py:826 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:867 +#: engine/core/viewsets.py:880 msgid "Manages operations related to Product images in the application. " msgstr "" "Управляет операциями, связанными с изображениями продуктов в приложении." -#: engine/core/viewsets.py:880 +#: engine/core/viewsets.py:893 msgid "" "Manages the retrieval and handling of PromoCode instances through various " "API actions." @@ -3299,21 +3311,21 @@ msgstr "" "Управляет получением и обработкой экземпляров PromoCode с помощью различных " "действий API." -#: engine/core/viewsets.py:902 +#: engine/core/viewsets.py:915 msgid "Represents a view set for managing promotions. " msgstr "" "Представляет собой набор представлений для управления рекламными акциями." -#: engine/core/viewsets.py:915 +#: engine/core/viewsets.py:928 msgid "Handles operations related to Stock data in the system." msgstr "Выполняет операции, связанные с данными о запасах в системе." -#: engine/core/viewsets.py:929 +#: engine/core/viewsets.py:942 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." @@ -3326,7 +3338,7 @@ msgstr "" "проверка прав доступа гарантирует, что пользователи смогут управлять только " "своими списками желаний, если не предоставлены явные права." -#: engine/core/viewsets.py:1044 +#: engine/core/viewsets.py:1057 msgid "" "This class provides viewset functionality for managing `Address` objects. " "The AddressViewSet class enables CRUD operations, filtering, and custom " @@ -3341,12 +3353,12 @@ msgstr "" "методов HTTP, переопределение сериализатора и обработку разрешений в " "зависимости от контекста запроса." -#: engine/core/viewsets.py:1111 +#: engine/core/viewsets.py:1124 #, python-brace-format msgid "Geocoding error: {e}" msgstr "Ошибка геокодирования: {e}" -#: engine/core/viewsets.py:1119 +#: engine/core/viewsets.py:1132 msgid "" "Handles operations related to Product Tags within the application. This " "class provides functionality for retrieving, filtering, and serializing " @@ -3354,8 +3366,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.po b/engine/core/locale/sv_SE/LC_MESSAGES/django.po index 4ce81b6f..959ce47e 100644 --- a/engine/core/locale/sv_SE/LC_MESSAGES/django.po +++ b/engine/core/locale/sv_SE/LC_MESSAGES/django.po @@ -1,9 +1,9 @@ -# +# msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+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 "Är aktiv" #: engine/core/abstract.py:21 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" @@ -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:62 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:96 -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:141 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:151 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:186 -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" @@ -382,8 +378,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:281 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:308 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:313 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:324 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:447 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:460 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:467 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:496 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:503 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:581 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:598 engine/core/docs/drf/viewsets.py:599 @@ -1144,11 +1148,10 @@ msgstr "Köpa en order" #: engine/core/graphene/mutations.py:212 engine/core/graphene/mutations.py:266 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:237 engine/core/graphene/mutations.py:502 -#: engine/core/graphene/mutations.py:544 engine/core/viewsets.py:704 +#: engine/core/graphene/mutations.py:544 engine/core/viewsets.py:713 msgid "wrong type came from order.buy() method: {type(instance)!s}" msgstr "Fel typ kom från order.buy()-metoden: {type(instance)!s}" @@ -1201,8 +1204,8 @@ msgstr "Köpa en order" #: engine/core/graphene/mutations.py:517 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" @@ -1226,7 +1229,7 @@ msgstr "Originaladresssträng som tillhandahålls av användaren" #: engine/core/graphene/mutations.py:680 engine/core/models.py:955 #: engine/core/models.py:968 engine/core/models.py:1383 #: engine/core/models.py:1412 engine/core/models.py:1437 -#: engine/core/viewsets.py:707 +#: engine/core/viewsets.py:716 #, python-brace-format msgid "{name} does not exist: {uuid}" msgstr "{name} existerar inte: {uuid}!" @@ -1279,8 +1282,7 @@ msgstr "" "Vilka attribut och värden som kan användas för att filtrera denna kategori." #: engine/core/graphene/object_types.py:204 -msgid "" -"minimum and maximum prices for products in this category, if available." +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." @@ -1491,7 +1493,8 @@ msgstr "Företagets telefonnummer" #: engine/core/graphene/object_types.py:681 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:682 msgid "email host user" @@ -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:124 @@ -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:209 engine/core/models.py:240 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:274 @@ -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:508 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 " @@ -1963,16 +1965,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:733 msgid "group of this attribute" @@ -2034,9 +2036,9 @@ msgstr "Attribut" #: engine/core/models.py:777 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 " @@ -2058,8 +2060,8 @@ msgstr "Det specifika värdet för detta attribut" #: engine/core/models.py:815 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 "" @@ -2107,8 +2109,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 " @@ -2157,8 +2159,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." @@ -2184,15 +2186,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:998 msgid "documentary" @@ -2208,24 +2210,24 @@ msgstr "Olöst" #: engine/core/models.py:1014 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:1029 msgid "address line for the customer" @@ -2366,8 +2368,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:1171 msgid "promocode already used" @@ -2382,8 +2384,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 "" @@ -2551,9 +2553,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:1711 msgid "user-provided comments about their experience with the product" @@ -2564,11 +2566,10 @@ msgid "feedback comments" msgstr "Återkoppling av kommentarer" #: engine/core/models.py:1719 -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:1720 msgid "related order product" @@ -2598,10 +2599,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:1757 @@ -2710,17 +2711,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:1961 msgid "download" @@ -2734,8 +2735,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" @@ -2778,7 +2779,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 " @@ -2893,7 +2895,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 " @@ -3023,10 +3026,14 @@ msgstr "Hanterar logiken i att köpa som ett företag utan registrering." #: engine/core/views.py:314 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:325 msgid "order_product_uuid is required" @@ -3055,15 +3062,19 @@ msgstr "favicon hittades inte" #: engine/core/views.py:386 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:398 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 " @@ -3084,24 +3095,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:157 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:176 msgid "" @@ -3124,8 +3134,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 " @@ -3147,7 +3157,7 @@ msgstr "" "kategoridata. Vyuppsättningen tillämpar också behörigheter för att " "säkerställa att endast behöriga användare kan komma åt specifika data." -#: engine/core/viewsets.py:326 +#: engine/core/viewsets.py:327 msgid "" "Represents a viewset for managing Brand instances. This class provides " "functionality for querying, filtering, and serializing Brand objects. It " @@ -3155,11 +3165,11 @@ 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:438 +#: engine/core/viewsets.py:439 msgid "" "Manages operations related to the `Product` model in the system. This class " "provides a viewset for managing products, including their filtering, " @@ -3170,14 +3180,14 @@ 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 " "relaterad feedback för en produkt." -#: engine/core/viewsets.py:568 +#: engine/core/viewsets.py:575 msgid "" "Represents a viewset for managing Vendor objects. This viewset allows " "fetching, filtering, and serializing Vendor data. It defines the queryset, " @@ -3185,54 +3195,54 @@ 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." -#: engine/core/viewsets.py:588 +#: engine/core/viewsets.py:595 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 " "basen `EvibesViewSet` och använder Djangos filtreringssystem för att fråga " "data." -#: engine/core/viewsets.py:615 +#: engine/core/viewsets.py:622 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 " "interaktion med orderdata." -#: engine/core/viewsets.py:813 +#: engine/core/viewsets.py:826 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 " @@ -3242,11 +3252,11 @@ msgstr "" "åtgärden. Dessutom innehåller den en detaljerad åtgärd för att hantera " "feedback på OrderProduct-instanser" -#: engine/core/viewsets.py:867 +#: engine/core/viewsets.py:880 msgid "Manages operations related to Product images in the application. " msgstr "Hanterar åtgärder relaterade till produktbilder i applikationen." -#: engine/core/viewsets.py:880 +#: engine/core/viewsets.py:893 msgid "" "Manages the retrieval and handling of PromoCode instances through various " "API actions." @@ -3254,20 +3264,20 @@ msgstr "" "Hanterar hämtning och hantering av PromoCode-instanser genom olika API-" "åtgärder." -#: engine/core/viewsets.py:902 +#: engine/core/viewsets.py:915 msgid "Represents a view set for managing promotions. " msgstr "Representerar en vyuppsättning för hantering av kampanjer." -#: engine/core/viewsets.py:915 +#: engine/core/viewsets.py:928 msgid "Handles operations related to Stock data in the system." msgstr "Hanterar åtgärder relaterade till lagerdata i systemet." -#: engine/core/viewsets.py:929 +#: engine/core/viewsets.py:942 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." @@ -3280,7 +3290,7 @@ msgstr "" "integrerade för att säkerställa att användare endast kan hantera sina egna " "önskelistor om inte uttryckliga behörigheter beviljas." -#: engine/core/viewsets.py:1044 +#: engine/core/viewsets.py:1057 msgid "" "This class provides viewset functionality for managing `Address` objects. " "The AddressViewSet class enables CRUD operations, filtering, and custom " @@ -3294,12 +3304,12 @@ msgstr "" "innehåller specialiserade beteenden för olika HTTP-metoder, serializer-" "överskrivningar och behörighetshantering baserat på förfrågningskontexten." -#: engine/core/viewsets.py:1111 +#: engine/core/viewsets.py:1124 #, python-brace-format msgid "Geocoding error: {e}" msgstr "Fel i geokodningen: {e}" -#: engine/core/viewsets.py:1119 +#: engine/core/viewsets.py:1132 msgid "" "Handles operations related to Product Tags within the application. This " "class provides functionality for retrieving, filtering, and serializing " @@ -3310,5 +3320,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.po b/engine/core/locale/th_TH/LC_MESSAGES/django.po index 887c9ee0..d70788e2 100644 --- a/engine/core/locale/th_TH/LC_MESSAGES/django.po +++ b/engine/core/locale/th_TH/LC_MESSAGES/django.po @@ -1,9 +1,9 @@ -# +# msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+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,8 @@ msgstr "กำลังใช้งานอยู่" #: engine/core/abstract.py:21 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:23 engine/core/choices.py:18 msgid "created" @@ -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:62 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:164 msgid "download a digital asset from purchased digital order" @@ -267,15 +262,11 @@ msgstr "ลบกลุ่มแอตทริบิวต์" #: engine/core/docs/drf/viewsets.py:89 msgid "rewrite an existing attribute group saving non-editables" -msgstr "" -"เขียนกลุ่มคุณลักษณะที่มีอยู่ใหม่โดยเก็บรักษาข้อมูลที่ไม่สามารถแก้ไขได้" +msgstr "เขียนกลุ่มคุณลักษณะที่มีอยู่ใหม่โดยเก็บรักษาข้อมูลที่ไม่สามารถแก้ไขได้" #: engine/core/docs/drf/viewsets.py:96 -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:106 msgid "list all attributes (simple view)" @@ -299,9 +290,7 @@ msgstr "เขียนแอตทริบิวต์ที่มีอยู #: engine/core/docs/drf/viewsets.py:141 msgid "rewrite some fields of an existing attribute saving non-editables" -msgstr "" -"เขียนฟิลด์บางส่วนของแอตทริบิวต์ที่มีอยู่ใหม่ " -"โดยบันทึกเฉพาะข้อมูลที่ไม่มีการแก้ไข" +msgstr "เขียนฟิลด์บางส่วนของแอตทริบิวต์ที่มีอยู่ใหม่ โดยบันทึกเฉพาะข้อมูลที่ไม่มีการแก้ไข" #: engine/core/docs/drf/viewsets.py:151 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:186 -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:196 engine/core/docs/drf/viewsets.py:197 msgid "list all categories (simple view)" @@ -356,9 +342,7 @@ msgstr "เขียนหมวดหมู่ที่มีอยู่ให #: engine/core/docs/drf/viewsets.py:244 engine/core/docs/drf/viewsets.py:245 msgid "rewrite some fields of an existing category saving non-editables" -msgstr "" -"เขียนฟิลด์บางส่วนของหมวดหมู่ที่มีอยู่แล้วใหม่ " -"โดยบันทึกเฉพาะข้อมูลที่ไม่สามารถแก้ไขได้" +msgstr "เขียนฟิลด์บางส่วนของหมวดหมู่ที่มีอยู่แล้วใหม่ โดยบันทึกเฉพาะข้อมูลที่ไม่สามารถแก้ไขได้" #: engine/core/docs/drf/viewsets.py:252 engine/core/docs/drf/viewsets.py:704 #: engine/core/docs/drf/viewsets.py:988 @@ -382,11 +366,11 @@ msgstr "สำหรับผู้ใช้ที่ไม่ใช่พนั #: engine/core/docs/drf/viewsets.py:281 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:288 msgid "Filter orders with buy_time >= this ISO 8601 datetime" @@ -406,8 +390,7 @@ msgstr "กรองตามหมายเลขคำสั่งซื้อ #: engine/core/docs/drf/viewsets.py:308 msgid "Filter by user's email (case-insensitive exact match)" -msgstr "" -"กรองตามอีเมลของผู้ใช้ (ตรงตามตัวอักษรโดยไม่คำนึงถึงตัวพิมพ์ใหญ่หรือเล็ก)" +msgstr "กรองตามอีเมลของผู้ใช้ (ตรงตามตัวอักษรโดยไม่คำนึงถึงตัวพิมพ์ใหญ่หรือเล็ก)" #: engine/core/docs/drf/viewsets.py:313 msgid "Filter by user's UUID" @@ -415,18 +398,17 @@ msgstr "กรองตาม UUID ของผู้ใช้" #: engine/core/docs/drf/viewsets.py:318 msgid "Filter by order status (case-insensitive substring match)" -msgstr "" -"กรองตามสถานะคำสั่งซื้อ (การจับคู่สตริงย่อยโดยไม่คำนึงตัวพิมพ์ใหญ่/เล็ก)" +msgstr "กรองตามสถานะคำสั่งซื้อ (การจับคู่สตริงย่อยโดยไม่คำนึงตัวพิมพ์ใหญ่/เล็ก)" #: engine/core/docs/drf/viewsets.py:324 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:336 msgid "retrieve a single order (detailed view)" @@ -454,9 +436,7 @@ msgstr "เขียนหมวดหมู่ที่มีอยู่ให #: engine/core/docs/drf/viewsets.py:373 msgid "rewrite some fields of an existing order saving non-editables" -msgstr "" -"เขียนฟิลด์บางส่วนของหมวดหมู่ที่มีอยู่แล้วใหม่ " -"โดยบันทึกเฉพาะข้อมูลที่ไม่สามารถแก้ไขได้" +msgstr "เขียนฟิลด์บางส่วนของหมวดหมู่ที่มีอยู่แล้วใหม่ โดยบันทึกเฉพาะข้อมูลที่ไม่สามารถแก้ไขได้" #: engine/core/docs/drf/viewsets.py:380 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:397 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:429 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:438 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:447 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:459 msgid "list all wishlists (simple view)" @@ -540,9 +514,7 @@ msgstr "แสดงรายการคุณลักษณะทั้งห #: engine/core/docs/drf/viewsets.py:460 msgid "for non-staff users, only their own wishlists are returned." -msgstr "" -"สำหรับผู้ใช้ที่ไม่ใช่บุคลากร " -"จะแสดงเฉพาะรายการที่อยู่ในรายการสิ่งที่ต้องการของตนเองเท่านั้น" +msgstr "สำหรับผู้ใช้ที่ไม่ใช่บุคลากร จะแสดงเฉพาะรายการที่อยู่ในรายการสิ่งที่ต้องการของตนเองเท่านั้น" #: engine/core/docs/drf/viewsets.py:467 msgid "retrieve a single wishlist (detailed view)" @@ -566,9 +538,7 @@ msgstr "เขียนแอตทริบิวต์ที่มีอยู #: engine/core/docs/drf/viewsets.py:496 msgid "rewrite some fields of an existing wishlist saving non-editables" -msgstr "" -"เขียนฟิลด์บางส่วนของแอตทริบิวต์ที่มีอยู่ใหม่ " -"โดยบันทึกเฉพาะข้อมูลที่ไม่มีการแก้ไข" +msgstr "เขียนฟิลด์บางส่วนของแอตทริบิวต์ที่มีอยู่ใหม่ โดยบันทึกเฉพาะข้อมูลที่ไม่มีการแก้ไข" #: engine/core/docs/drf/viewsets.py:503 msgid "retrieve current pending wishlist of a user" @@ -576,8 +546,7 @@ msgstr "ดึงรายการสินค้าที่ผู้ใช้ #: engine/core/docs/drf/viewsets.py:504 msgid "retrieves a current pending wishlist of an authenticated user" -msgstr "" -"ดึงรายการความปรารถนาที่รอดำเนินการในปัจจุบันของผู้ใช้ที่ผ่านการยืนยันแล้ว" +msgstr "ดึงรายการความปรารถนาที่รอดำเนินการในปัจจุบันของผู้ใช้ที่ผ่านการยืนยันแล้ว" #: engine/core/docs/drf/viewsets.py:514 msgid "add product to wishlist" @@ -601,9 +570,7 @@ msgstr "เพิ่มสินค้าหลายรายการลงใ #: engine/core/docs/drf/viewsets.py:533 msgid "adds many products to an wishlist using the provided `product_uuids`" -msgstr "" -"เพิ่มสินค้าหลายรายการลงในรายการสินค้าที่ต้องการโดยใช้ `product_uuids` " -"ที่ให้มา" +msgstr "เพิ่มสินค้าหลายรายการลงในรายการสินค้าที่ต้องการโดยใช้ `product_uuids` ที่ให้มา" #: engine/core/docs/drf/viewsets.py:541 msgid "remove many products from wishlist" @@ -612,22 +579,34 @@ msgstr "ลบสินค้าออกจากคำสั่งซื้อ #: engine/core/docs/drf/viewsets.py:542 msgid "" "removes many products from an wishlist using the provided `product_uuids`" -msgstr "" -"ลบผลิตภัณฑ์หลายรายการออกจากรายการที่ต้องการโดยใช้ `product_uuids` ที่ให้มา" +msgstr "ลบผลิตภัณฑ์หลายรายการออกจากรายการที่ต้องการโดยใช้ `product_uuids` ที่ให้มา" #: engine/core/docs/drf/viewsets.py:549 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:568 engine/core/docs/drf/viewsets.py:569 msgid "list all products (simple view)" @@ -639,12 +618,13 @@ msgstr "(exact) รหัส UUID ของผลิตภัณฑ์" #: engine/core/docs/drf/viewsets.py:581 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:598 engine/core/docs/drf/viewsets.py:599 msgid "retrieve a single product (detailed view)" @@ -667,8 +647,7 @@ msgstr "เขียนใหม่ผลิตภัณฑ์ที่มีอ #: engine/core/docs/drf/viewsets.py:647 engine/core/docs/drf/viewsets.py:648 msgid "" "update some fields of an existing product, preserving non-editable fields" -msgstr "" -"อัปเดตบางฟิลด์ของสินค้าที่มีอยู่แล้ว โดยคงฟิลด์ที่ไม่สามารถแก้ไขได้ไว้" +msgstr "อัปเดตบางฟิลด์ของสินค้าที่มีอยู่แล้ว โดยคงฟิลด์ที่ไม่สามารถแก้ไขได้ไว้" #: engine/core/docs/drf/viewsets.py:666 engine/core/docs/drf/viewsets.py:667 msgid "delete a product" @@ -740,9 +719,7 @@ msgstr "เขียนใหม่ข้อเสนอแนะที่มี #: engine/core/docs/drf/viewsets.py:851 msgid "rewrite some fields of an existing feedback saving non-editables" -msgstr "" -"เขียนข้อมูลบางส่วนของฟิลด์ในข้อเสนอแนะที่มีอยู่ใหม่ " -"โดยเก็บรักษาข้อมูลที่ไม่สามารถแก้ไขได้" +msgstr "เขียนข้อมูลบางส่วนของฟิลด์ในข้อเสนอแนะที่มีอยู่ใหม่ โดยเก็บรักษาข้อมูลที่ไม่สามารถแก้ไขได้" #: engine/core/docs/drf/viewsets.py:861 msgid "list all order–product relations (simple view)" @@ -750,9 +727,7 @@ msgstr "แสดงความสัมพันธ์ระหว่างค #: engine/core/docs/drf/viewsets.py:871 msgid "retrieve a single order–product relation (detailed view)" -msgstr "" -"ดึงความสัมพันธ์ระหว่างคำสั่งซื้อและผลิตภัณฑ์เพียงรายการเดียว " -"(มุมมองรายละเอียด)" +msgstr "ดึงความสัมพันธ์ระหว่างคำสั่งซื้อและผลิตภัณฑ์เพียงรายการเดียว (มุมมองรายละเอียด)" #: engine/core/docs/drf/viewsets.py:881 msgid "create a new order–product relation" @@ -772,8 +747,7 @@ msgstr "ลบความสัมพันธ์ระหว่างคำส #: engine/core/docs/drf/viewsets.py:921 msgid "add or remove feedback on an order–product relation" -msgstr "" -"เพิ่มหรือลบความคิดเห็นเกี่ยวกับความสัมพันธ์ระหว่างคำสั่งซื้อและผลิตภัณฑ์" +msgstr "เพิ่มหรือลบความคิดเห็นเกี่ยวกับความสัมพันธ์ระหว่างคำสั่งซื้อและผลิตภัณฑ์" #: engine/core/docs/drf/viewsets.py:938 msgid "list all brands (simple view)" @@ -801,9 +775,7 @@ msgstr "เขียนใหม่แบรนด์ที่มีอยู่ #: engine/core/docs/drf/viewsets.py:981 msgid "rewrite some fields of an existing brand saving non-editables" -msgstr "" -"เขียนข้อมูลในบางช่องของแบรนด์ที่มีอยู่ใหม่ " -"โดยเก็บรักษาข้อมูลที่ไม่สามารถแก้ไขได้" +msgstr "เขียนข้อมูลในบางช่องของแบรนด์ที่มีอยู่ใหม่ โดยเก็บรักษาข้อมูลที่ไม่สามารถแก้ไขได้" #: engine/core/docs/drf/viewsets.py:1006 msgid "list all vendors (simple view)" @@ -827,9 +799,7 @@ msgstr "เขียนใหม่ผู้ขายที่มีอยู่ #: engine/core/docs/drf/viewsets.py:1041 msgid "rewrite some fields of an existing vendor saving non-editables" -msgstr "" -"เขียนข้อมูลในบางช่องของซัพพลายเออร์ที่มีอยู่แล้วใหม่ " -"โดยเก็บค่าที่ไม่สามารถแก้ไขได้ไว้" +msgstr "เขียนข้อมูลในบางช่องของซัพพลายเออร์ที่มีอยู่แล้วใหม่ โดยเก็บค่าที่ไม่สามารถแก้ไขได้ไว้" #: engine/core/docs/drf/viewsets.py:1051 msgid "list all product images (simple view)" @@ -853,9 +823,7 @@ msgstr "เขียนภาพสินค้าที่มีอยู่ใ #: engine/core/docs/drf/viewsets.py:1086 msgid "rewrite some fields of an existing product image saving non-editables" -msgstr "" -"เขียนข้อมูลบางส่วนของภาพสินค้าที่มีอยู่ใหม่ " -"โดยเก็บรักษาข้อมูลที่ไม่สามารถแก้ไขได้" +msgstr "เขียนข้อมูลบางส่วนของภาพสินค้าที่มีอยู่ใหม่ โดยเก็บรักษาข้อมูลที่ไม่สามารถแก้ไขได้" #: engine/core/docs/drf/viewsets.py:1096 msgid "list all promo codes (simple view)" @@ -879,9 +847,7 @@ msgstr "เขียนโค้ดโปรโมชั่นใหม่โด #: engine/core/docs/drf/viewsets.py:1131 msgid "rewrite some fields of an existing promo code saving non-editables" -msgstr "" -"เขียนฟิลด์บางส่วนของรหัสโปรโมชั่นที่มีอยู่ใหม่ " -"โดยคงค่าที่ไม่สามารถแก้ไขได้ไว้" +msgstr "เขียนฟิลด์บางส่วนของรหัสโปรโมชั่นที่มีอยู่ใหม่ โดยคงค่าที่ไม่สามารถแก้ไขได้ไว้" #: engine/core/docs/drf/viewsets.py:1141 msgid "list all promotions (simple view)" @@ -905,9 +871,7 @@ msgstr "เขียนโปรโมชั่นใหม่โดยคงส #: engine/core/docs/drf/viewsets.py:1176 msgid "rewrite some fields of an existing promotion saving non-editables" -msgstr "" -"เขียนข้อมูลบางส่วนของโปรโมชั่นที่มีอยู่ใหม่ " -"โดยเก็บรักษาข้อมูลที่ไม่สามารถแก้ไขได้" +msgstr "เขียนข้อมูลบางส่วนของโปรโมชั่นที่มีอยู่ใหม่ โดยเก็บรักษาข้อมูลที่ไม่สามารถแก้ไขได้" #: engine/core/docs/drf/viewsets.py:1186 msgid "list all stocks (simple view)" @@ -931,9 +895,7 @@ msgstr "เขียนบันทึกสต็อกที่มีอยู #: engine/core/docs/drf/viewsets.py:1221 msgid "rewrite some fields of an existing stock record saving non-editables" -msgstr "" -"เขียนฟิลด์บางส่วนของบันทึกสต็อกที่มีอยู่ใหม่ " -"โดยบันทึกข้อมูลที่ไม่สามารถแก้ไขได้" +msgstr "เขียนฟิลด์บางส่วนของบันทึกสต็อกที่มีอยู่ใหม่ โดยบันทึกข้อมูลที่ไม่สามารถแก้ไขได้" #: engine/core/docs/drf/viewsets.py:1231 msgid "list all product tags (simple view)" @@ -957,9 +919,7 @@ msgstr "เขียนแท็กสินค้าที่มีอยู่ #: engine/core/docs/drf/viewsets.py:1266 msgid "rewrite some fields of an existing product tag saving non-editables" -msgstr "" -"เขียนข้อมูลบางส่วนของแท็กสินค้าที่มีอยู่แล้วใหม่ " -"โดยบันทึกข้อมูลที่ไม่สามารถแก้ไขได้" +msgstr "เขียนข้อมูลบางส่วนของแท็กสินค้าที่มีอยู่แล้วใหม่ โดยบันทึกข้อมูลที่ไม่สามารถแก้ไขได้" #: engine/core/elasticsearch/__init__.py:122 #: engine/core/elasticsearch/__init__.py:570 @@ -1137,11 +1097,10 @@ msgstr "ซื้อคำสั่ง" #: engine/core/graphene/mutations.py:212 engine/core/graphene/mutations.py:266 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:237 engine/core/graphene/mutations.py:502 -#: engine/core/graphene/mutations.py:544 engine/core/viewsets.py:704 +#: engine/core/graphene/mutations.py:544 engine/core/viewsets.py:713 msgid "wrong type came from order.buy() method: {type(instance)!s}" msgstr "ประเภทไม่ถูกต้องมาจากเมธอด order.buy(): {type(instance)!s}" @@ -1194,10 +1153,9 @@ msgstr "ซื้อคำสั่ง" #: engine/core/graphene/mutations.py:517 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:550 msgid "add or delete a feedback for orderproduct" @@ -1219,7 +1177,7 @@ msgstr "สตริงที่อยู่ต้นฉบับที่ผู #: engine/core/graphene/mutations.py:680 engine/core/models.py:955 #: engine/core/models.py:968 engine/core/models.py:1383 #: engine/core/models.py:1412 engine/core/models.py:1437 -#: engine/core/viewsets.py:707 +#: engine/core/viewsets.py:716 #, python-brace-format msgid "{name} does not exist: {uuid}" msgstr "{name} ไม่พบ: {uuid}!" @@ -1271,8 +1229,7 @@ msgid "which attributes and values can be used for filtering this category." msgstr "คุณลักษณะและคุณค่าใดที่สามารถใช้สำหรับกรองหมวดหมู่นี้ได้" #: engine/core/graphene/object_types.py:204 -msgid "" -"minimum and maximum prices for products in this category, if available." +msgid "minimum and maximum prices for products in this category, if available." msgstr "ราคาต่ำสุดและราคาสูงสุดสำหรับสินค้าในหมวดนี้ (หากมี)" #: engine/core/graphene/object_types.py:206 @@ -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:124 msgid "stores credentials and endpoints required for vendor communication" -msgstr "" -"เก็บรักษาข้อมูลประจำตัวและจุดสิ้นสุดที่จำเป็นสำหรับการสื่อสาร API ของผู้ขาย" +msgstr "เก็บรักษาข้อมูลประจำตัวและจุดสิ้นสุดที่จำเป็นสำหรับการสื่อสาร API ของผู้ขาย" #: engine/core/models.py:125 msgid "authentication info" @@ -1629,8 +1584,8 @@ msgid "" "metadata customization for administrative purposes." msgstr "" "แทนแท็กผลิตภัณฑ์ที่ใช้ในการจัดประเภทหรือระบุผลิตภัณฑ์ คลาส ProductTag " -"ถูกออกแบบมาเพื่อระบุและจัดประเภทผลิตภัณฑ์อย่างเป็นเอกลักษณ์ผ่านการรวมกันของตัวระบุแท็กภายในและชื่อแสดงผลที่ใช้งานง่าย" -" รองรับการดำเนินการที่ส่งออกผ่าน mixins " +"ถูกออกแบบมาเพื่อระบุและจัดประเภทผลิตภัณฑ์อย่างเป็นเอกลักษณ์ผ่านการรวมกันของตัวระบุแท็กภายในและชื่อแสดงผลที่ใช้งานง่าย " +"รองรับการดำเนินการที่ส่งออกผ่าน mixins " "และให้การปรับแต่งเมตาดาต้าสำหรับวัตถุประสงค์ในการบริหารจัดการ" #: engine/core/models.py:209 engine/core/models.py:240 @@ -1683,13 +1638,13 @@ msgid "" "hierarchy of categories, as well as assign attributes like images, tags, or " "priority." msgstr "" -"แทนถึงเอนทิตีประเภทเพื่อจัดระเบียบและจัดกลุ่มรายการที่เกี่ยวข้องในโครงสร้างลำดับชั้น" -" หมวดหมู่สามารถมีความสัมพันธ์ลำดับชั้นกับหมวดหมู่อื่น ๆ ได้ " -"ซึ่งสนับสนุนความสัมพันธ์แบบพ่อแม่-ลูกคลาสนี้ประกอบด้วยฟิลด์สำหรับข้อมูลเมตาและตัวแทนภาพ" -" ซึ่งทำหน้าที่เป็นพื้นฐานสำหรับคุณสมบัติที่เกี่ยวข้องกับหมวดหมู่ " -"คลาสนี้มักใช้เพื่อกำหนดและจัดการหมวดหมู่สินค้าหรือการจัดกลุ่มที่คล้ายกันภายในแอปพลิเคชัน" -" ช่วยให้ผู้ใช้หรือผู้ดูแลระบบสามารถระบุชื่อ คำอธิบาย และลำดับชั้นของหมวดหมู่" -" รวมถึงกำหนดคุณลักษณะต่างๆ เช่น รูปภาพ แท็ก หรือความสำคัญ" +"แทนถึงเอนทิตีประเภทเพื่อจัดระเบียบและจัดกลุ่มรายการที่เกี่ยวข้องในโครงสร้างลำดับชั้น " +"หมวดหมู่สามารถมีความสัมพันธ์ลำดับชั้นกับหมวดหมู่อื่น ๆ ได้ ซึ่งสนับสนุนความสัมพันธ์แบบพ่อแม่-" +"ลูกคลาสนี้ประกอบด้วยฟิลด์สำหรับข้อมูลเมตาและตัวแทนภาพ " +"ซึ่งทำหน้าที่เป็นพื้นฐานสำหรับคุณสมบัติที่เกี่ยวข้องกับหมวดหมู่ " +"คลาสนี้มักใช้เพื่อกำหนดและจัดการหมวดหมู่สินค้าหรือการจัดกลุ่มที่คล้ายกันภายในแอปพลิเคชัน " +"ช่วยให้ผู้ใช้หรือผู้ดูแลระบบสามารถระบุชื่อ คำอธิบาย และลำดับชั้นของหมวดหมู่ " +"รวมถึงกำหนดคุณลักษณะต่างๆ เช่น รูปภาพ แท็ก หรือความสำคัญ" #: engine/core/models.py:274 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:448 @@ -1789,19 +1743,18 @@ msgstr "หมวดหมู่" #: engine/core/models.py:508 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:520 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:585 @@ -1941,15 +1892,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:733 @@ -2011,12 +1961,11 @@ msgstr "คุณสมบัติ" #: engine/core/models.py:777 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:788 @@ -2034,16 +1983,14 @@ msgstr "ค่าเฉพาะสำหรับคุณสมบัติน #: engine/core/models.py:815 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:826 @@ -2084,13 +2031,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:880 @@ -2132,10 +2079,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:926 msgid "products that the user has marked as wanted" @@ -2159,15 +2105,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:998 msgid "documentary" @@ -2183,24 +2128,23 @@ msgstr "ยังไม่ได้รับการแก้ไข" #: engine/core/models.py:1014 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:1029 msgid "address line for the customer" @@ -2263,13 +2207,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:1087 msgid "unique code used by a user to redeem a discount" @@ -2356,19 +2299,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:1213 msgid "the billing address used for this order" @@ -2438,13 +2378,11 @@ msgstr "คำสั่ง" #: engine/core/models.py:1319 msgid "a user must have only one pending order at a time" -msgstr "" -"ผู้ใช้ต้องมีคำสั่งซื้อที่รอดำเนินการเพียงหนึ่งรายการเท่านั้นในแต่ละครั้ง!" +msgstr "ผู้ใช้ต้องมีคำสั่งซื้อที่รอดำเนินการเพียงหนึ่งรายการเท่านั้นในแต่ละครั้ง!" #: engine/core/models.py:1351 msgid "you cannot add products to an order that is not a pending one" -msgstr "" -"คุณไม่สามารถเพิ่มสินค้าในคำสั่งซื้อที่ไม่ใช่คำสั่งซื้อที่รอดำเนินการได้" +msgstr "คุณไม่สามารถเพิ่มสินค้าในคำสั่งซื้อที่ไม่ใช่คำสั่งซื้อที่รอดำเนินการได้" #: engine/core/models.py:1356 msgid "you cannot add inactive products to order" @@ -2457,8 +2395,7 @@ msgstr "คุณไม่สามารถเพิ่มสินค้าไ #: engine/core/models.py:1395 engine/core/models.py:1420 #: engine/core/models.py:1428 msgid "you cannot remove products from an order that is not a pending one" -msgstr "" -"คุณไม่สามารถลบสินค้าออกจากคำสั่งซื้อที่ไม่ใช่คำสั่งซื้อที่อยู่ในสถานะรอดำเนินการได้" +msgstr "คุณไม่สามารถลบสินค้าออกจากคำสั่งซื้อที่ไม่ใช่คำสั่งซื้อที่อยู่ในสถานะรอดำเนินการได้" #: engine/core/models.py:1416 #, python-brace-format @@ -2471,8 +2408,7 @@ msgstr "รหัสโปรโมชั่นไม่มีอยู่" #: engine/core/models.py:1454 msgid "you can only buy physical products with shipping address specified" -msgstr "" -"คุณสามารถซื้อได้เฉพาะสินค้าทางกายภาพที่มีที่อยู่สำหรับจัดส่งระบุไว้เท่านั้น!" +msgstr "คุณสามารถซื้อได้เฉพาะสินค้าทางกายภาพที่มีที่อยู่สำหรับจัดส่งระบุไว้เท่านั้น!" #: engine/core/models.py:1473 msgid "address does not exist" @@ -2507,15 +2443,14 @@ msgid "" "you cannot buy without registration, please provide the following " "information: customer name, customer email, customer phone number" msgstr "" -"คุณไม่สามารถซื้อได้หากไม่มีการลงทะเบียน กรุณาให้ข้อมูลต่อไปนี้: ชื่อลูกค้า, " -"อีเมลลูกค้า, หมายเลขโทรศัพท์ลูกค้า" +"คุณไม่สามารถซื้อได้หากไม่มีการลงทะเบียน กรุณาให้ข้อมูลต่อไปนี้: ชื่อลูกค้า, อีเมลลูกค้า, " +"หมายเลขโทรศัพท์ลูกค้า" #: engine/core/models.py:1584 #, 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:1699 msgid "" @@ -2526,9 +2461,9 @@ msgid "" "fields to effectively model and manage feedback data." msgstr "" "จัดการข้อเสนอแนะของผู้ใช้สำหรับผลิตภัณฑ์ " -"คลาสนี้ถูกออกแบบมาเพื่อรวบรวมและจัดเก็บข้อมูลข้อเสนอแนะของผู้ใช้สำหรับผลิตภัณฑ์เฉพาะที่พวกเขาได้ซื้อ" -" ประกอบด้วยแอตทริบิวต์สำหรับจัดเก็บความคิดเห็นของผู้ใช้ " -"การอ้างอิงถึงผลิตภัณฑ์ที่เกี่ยวข้องในคำสั่งซื้อ และคะแนนที่ผู้ใช้กำหนด " +"คลาสนี้ถูกออกแบบมาเพื่อรวบรวมและจัดเก็บข้อมูลข้อเสนอแนะของผู้ใช้สำหรับผลิตภัณฑ์เฉพาะที่พวกเขาได้ซื้อ " +"ประกอบด้วยแอตทริบิวต์สำหรับจัดเก็บความคิดเห็นของผู้ใช้ การอ้างอิงถึงผลิตภัณฑ์ที่เกี่ยวข้องในคำสั่งซื้อ " +"และคะแนนที่ผู้ใช้กำหนด " "คลาสนี้ใช้ฟิลด์ในฐานข้อมูลเพื่อสร้างแบบจำลองและจัดการข้อมูลข้อเสนอแนะอย่างมีประสิทธิภาพ" #: engine/core/models.py:1711 @@ -2540,8 +2475,7 @@ msgid "feedback comments" msgstr "ความคิดเห็นจากผู้ตอบแบบสอบถาม" #: engine/core/models.py:1719 -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:1720 @@ -2568,14 +2502,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:1757 @@ -2684,14 +2616,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 " "สำหรับการดาวน์โหลดสินทรัพย์เมื่อคำสั่งซื้อที่เกี่ยวข้องอยู่ในสถานะเสร็จสมบูรณ์" @@ -2706,8 +2638,7 @@ msgstr "ดาวน์โหลด" #: engine/core/serializers/utility.py:89 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" @@ -2750,12 +2681,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 @@ -2778,9 +2709,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 @@ -2859,11 +2788,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 @@ -2943,9 +2873,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:123 msgid "" @@ -2961,8 +2890,7 @@ msgid "" "Handles cache operations such as reading and setting cache data with a " "specified key and timeout." msgstr "" -"จัดการการดำเนินการแคช เช่น " -"การอ่านและการตั้งค่าข้อมูลแคชด้วยคีย์ที่กำหนดและเวลาหมดอายุ" +"จัดการการดำเนินการแคช เช่น การอ่านและการตั้งค่าข้อมูลแคชด้วยคีย์ที่กำหนดและเวลาหมดอายุ" #: engine/core/views.py:201 msgid "Handles `contact us` form submissions." @@ -2973,8 +2901,7 @@ msgid "" "Handles requests for processing and validating URLs from incoming POST " "requests." msgstr "" -"จัดการคำขอสำหรับการประมวลผลและตรวจสอบความถูกต้องของ URL จากคำขอ POST " -"ที่เข้ามา" +"จัดการคำขอสำหรับการประมวลผลและตรวจสอบความถูกต้องของ URL จากคำขอ POST ที่เข้ามา" #: engine/core/views.py:262 msgid "Handles global search queries." @@ -2987,11 +2914,13 @@ msgstr "จัดการตรรกะของการซื้อในฐ #: engine/core/views.py:314 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:325 msgid "order_product_uuid is required" @@ -3020,21 +2949,23 @@ msgstr "ไม่พบไอคอนเว็บไซต์" #: engine/core/views.py:386 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:398 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:411 msgid "Returns current version of the eVibes. " @@ -3048,25 +2979,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:157 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:176 msgid "" @@ -3077,26 +3006,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:195 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:214 msgid "" @@ -3107,25 +3034,22 @@ msgid "" "can access specific data." msgstr "" "จัดการมุมมองสำหรับการดำเนินการที่เกี่ยวข้องกับหมวดหมู่ คลาส CategoryViewSet " -"รับผิดชอบในการจัดการการดำเนินการที่เกี่ยวข้องกับโมเดลหมวดหมู่ในระบบ " -"มันรองรับการดึงข้อมูล การกรอง และการแปลงข้อมูลหมวดหมู่เป็นรูปแบบที่ส่งต่อได้" -" " +"รับผิดชอบในการจัดการการดำเนินการที่เกี่ยวข้องกับโมเดลหมวดหมู่ในระบบ มันรองรับการดึงข้อมูล " +"การกรอง และการแปลงข้อมูลหมวดหมู่เป็นรูปแบบที่ส่งต่อได้ " "ชุดมุมมองนี้ยังบังคับใช้สิทธิ์การเข้าถึงเพื่อให้แน่ใจว่าเฉพาะผู้ใช้ที่ได้รับอนุญาตเท่านั้นที่สามารถเข้าถึงข้อมูลเฉพาะได้" -#: engine/core/viewsets.py:326 +#: engine/core/viewsets.py:327 msgid "" "Represents a viewset for managing Brand instances. This class provides " "functionality for querying, filtering, and serializing Brand objects. It " "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:438 +#: engine/core/viewsets.py:439 msgid "" "Manages operations related to the `Product` model in the system. This class " "provides a viewset for managing products, including their filtering, " @@ -3138,11 +3062,11 @@ msgstr "" "จัดการการดำเนินงานที่เกี่ยวข้องกับโมเดล `Product` ในระบบ " "คลาสนี้ให้ชุดมุมมองสำหรับการจัดการผลิตภัณฑ์ รวมถึงการกรอง การแปลงเป็นลำดับ " "และปฏิบัติการบนอินสแตนซ์เฉพาะ มันขยายจาก `EvibesViewSet` " -"เพื่อใช้ฟังก์ชันทั่วไปและผสานรวมกับเฟรมเวิร์ก Django REST สำหรับการดำเนินการ" -" API แบบ RESTful รวมถึงวิธีการสำหรับการดึงรายละเอียดผลิตภัณฑ์ การใช้สิทธิ์ " +"เพื่อใช้ฟังก์ชันทั่วไปและผสานรวมกับเฟรมเวิร์ก Django REST สำหรับการดำเนินการ API แบบ " +"RESTful รวมถึงวิธีการสำหรับการดึงรายละเอียดผลิตภัณฑ์ การใช้สิทธิ์ " "และการเข้าถึงข้อเสนอแนะที่เกี่ยวข้องของผลิตภัณฑ์" -#: engine/core/viewsets.py:568 +#: engine/core/viewsets.py:575 msgid "" "Represents a viewset for managing Vendor objects. This viewset allows " "fetching, filtering, and serializing Vendor data. It defines the queryset, " @@ -3150,99 +3074,93 @@ 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" -#: engine/core/viewsets.py:588 +#: engine/core/viewsets.py:595 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:615 +#: engine/core/viewsets.py:622 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:813 +#: engine/core/viewsets.py:826 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:867 +#: engine/core/viewsets.py:880 msgid "Manages operations related to Product images in the application. " msgstr "จัดการการดำเนินงานที่เกี่ยวข้องกับภาพผลิตภัณฑ์ในแอปพลิเคชัน" -#: engine/core/viewsets.py:880 +#: engine/core/viewsets.py:893 msgid "" "Manages the retrieval and handling of PromoCode instances through various " "API actions." -msgstr "" -"จัดการการดึงและการจัดการของตัวอย่าง PromoCode ผ่านการกระทำของ API ต่าง ๆ" +msgstr "จัดการการดึงและการจัดการของตัวอย่าง PromoCode ผ่านการกระทำของ API ต่าง ๆ" -#: engine/core/viewsets.py:902 +#: engine/core/viewsets.py:915 msgid "Represents a view set for managing promotions. " msgstr "แสดงมุมมองที่ตั้งค่าไว้สำหรับการจัดการโปรโมชั่น" -#: engine/core/viewsets.py:915 +#: engine/core/viewsets.py:928 msgid "Handles operations related to Stock data in the system." msgstr "จัดการการดำเนินงานที่เกี่ยวข้องกับข้อมูลสต็อกในระบบ" -#: engine/core/viewsets.py:929 +#: engine/core/viewsets.py:942 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:1044 +#: engine/core/viewsets.py:1057 msgid "" "This class provides viewset functionality for managing `Address` objects. " "The AddressViewSet class enables CRUD operations, filtering, and custom " @@ -3252,16 +3170,15 @@ msgid "" msgstr "" "คลาสนี้ให้ฟังก์ชันการทำงานของ viewset สำหรับจัดการออบเจ็กต์ `Address` คลาส " "AddressViewSet ช่วยให้สามารถดำเนินการ CRUD การกรอง " -"และการดำเนินการที่กำหนดเองที่เกี่ยวข้องกับเอนทิตีที่อยู่ " -"รวมถึงพฤติกรรมเฉพาะสำหรับวิธีการ HTTP ที่แตกต่างกัน การแทนที่ตัวแปลงข้อมูล " -"และการจัดการสิทธิ์ตามบริบทของคำขอ" +"และการดำเนินการที่กำหนดเองที่เกี่ยวข้องกับเอนทิตีที่อยู่ รวมถึงพฤติกรรมเฉพาะสำหรับวิธีการ HTTP " +"ที่แตกต่างกัน การแทนที่ตัวแปลงข้อมูล และการจัดการสิทธิ์ตามบริบทของคำขอ" -#: engine/core/viewsets.py:1111 +#: engine/core/viewsets.py:1124 #, python-brace-format msgid "Geocoding error: {e}" msgstr "ข้อผิดพลาดในการแปลงพิกัดภูมิศาสตร์: {e}" -#: engine/core/viewsets.py:1119 +#: engine/core/viewsets.py:1132 msgid "" "Handles operations related to Product Tags within the application. This " "class provides functionality for retrieving, filtering, and serializing " diff --git a/engine/core/locale/tr_TR/LC_MESSAGES/django.po b/engine/core/locale/tr_TR/LC_MESSAGES/django.po index 20c78567..7b69fe27 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" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+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:21 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" @@ -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:62 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:130 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:139 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:96 -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:106 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:186 -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:196 engine/core/docs/drf/viewsets.py:197 msgid "list all categories (simple view)" @@ -387,12 +384,11 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:281 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:288 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:318 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:324 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:397 @@ -553,8 +549,7 @@ msgstr "Tüm öznitelikleri listele (basit görünüm)" #: engine/core/docs/drf/viewsets.py:460 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:467 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:581 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:598 engine/core/docs/drf/viewsets.py:599 msgid "retrieve a single product (detailed view)" @@ -1160,11 +1168,11 @@ msgstr "Bir sipariş satın alın" #: engine/core/graphene/mutations.py:212 engine/core/graphene/mutations.py:266 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:237 engine/core/graphene/mutations.py:502 -#: engine/core/graphene/mutations.py:544 engine/core/viewsets.py:704 +#: engine/core/graphene/mutations.py:544 engine/core/viewsets.py:713 msgid "wrong type came from order.buy() method: {type(instance)!s}" msgstr "order.buy() metodundan yanlış tip geldi: {type(instance)!s}" @@ -1217,8 +1225,8 @@ msgstr "Bir sipariş satın alın" #: engine/core/graphene/mutations.py:517 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" @@ -1243,7 +1251,7 @@ msgstr "Kullanıcı tarafından sağlanan orijinal adres dizesi" #: engine/core/graphene/mutations.py:680 engine/core/models.py:955 #: engine/core/models.py:968 engine/core/models.py:1383 #: engine/core/models.py:1412 engine/core/models.py:1437 -#: engine/core/viewsets.py:707 +#: engine/core/viewsets.py:716 #, python-brace-format msgid "{name} does not exist: {uuid}" msgstr "{name} mevcut değil: {uuid}!" @@ -1296,8 +1304,7 @@ msgstr "" "Bu kategoriyi filtrelemek için hangi nitelikler ve değerler kullanılabilir." #: engine/core/graphene/object_types.py:204 -msgid "" -"minimum and maximum prices for products in this category, if available." +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:206 @@ -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:91 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:209 engine/core/models.py:240 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:508 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:520 @@ -1977,8 +1983,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 " @@ -2048,9 +2054,9 @@ msgstr "Öznitelik" #: engine/core/models.py:777 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 " @@ -2071,14 +2077,14 @@ msgstr "Bu öznitelik için özel değer" #: engine/core/models.py:815 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." @@ -2120,8 +2126,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ı " @@ -2169,10 +2175,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:926 msgid "products that the user has marked as wanted" @@ -2196,14 +2202,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:998 msgid "documentary" @@ -2219,19 +2225,19 @@ msgstr "Çözümlenmemiş" #: engine/core/models.py:1014 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. " @@ -2310,8 +2316,7 @@ msgstr "" #: engine/core/models.py:1087 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:1088 msgid "promo code identifier" @@ -2395,16 +2400,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." @@ -2515,8 +2520,7 @@ msgstr "Adres mevcut değil" #: engine/core/models.py:1494 engine/core/models.py:1563 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:1497 engine/core/models.py:1559 msgid "invalid force value" @@ -2565,8 +2569,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:1711 msgid "user-provided comments about their experience with the product" @@ -2578,11 +2582,9 @@ msgid "feedback comments" msgstr "Geri bildirim yorumları" #: engine/core/models.py:1719 -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:1720 msgid "related order product" @@ -2724,15 +2726,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:1961 @@ -2747,8 +2749,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" @@ -2791,7 +2793,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 " @@ -2850,8 +2853,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 "" @@ -2906,7 +2909,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 " @@ -2992,9 +2996,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:123 msgid "" @@ -3012,8 +3016,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:201 msgid "Handles `contact us` form submissions." @@ -3038,10 +3042,14 @@ msgstr "Kayıt olmadan bir işletme olarak satın alma mantığını ele alır." #: engine/core/views.py:314 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:325 msgid "order_product_uuid is required" @@ -3070,15 +3078,19 @@ msgstr "favicon bulunamadı" #: engine/core/views.py:386 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:398 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 " @@ -3101,16 +3113,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:157 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 " @@ -3139,8 +3150,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, " @@ -3164,7 +3175,7 @@ msgstr "" "kullanıcıların belirli verilere erişebilmesini sağlamak için izinleri de " "zorlar." -#: engine/core/viewsets.py:326 +#: engine/core/viewsets.py:327 msgid "" "Represents a viewset for managing Brand instances. This class provides " "functionality for querying, filtering, and serializing Brand objects. It " @@ -3176,7 +3187,7 @@ msgstr "" "sağlar. Brand nesneleri için API uç noktalarının uygulanmasını " "basitleştirmek için Django'nun ViewSet çerçevesini kullanır." -#: engine/core/viewsets.py:438 +#: engine/core/viewsets.py:439 msgid "" "Manages operations related to the `Product` model in the system. This class " "provides a viewset for managing products, including their filtering, " @@ -3187,14 +3198,14 @@ 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." -#: engine/core/viewsets.py:568 +#: engine/core/viewsets.py:575 msgid "" "Represents a viewset for managing Vendor objects. This viewset allows " "fetching, filtering, and serializing Vendor data. It defines the queryset, " @@ -3209,61 +3220,61 @@ msgstr "" "tanımlar. Bu sınıfın amacı, Django REST çerçevesi aracılığıyla Vendor ile " "ilgili kaynaklara kolaylaştırılmış erişim sağlamaktır." -#: engine/core/viewsets.py:588 +#: engine/core/viewsets.py:595 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." -#: engine/core/viewsets.py:615 +#: engine/core/viewsets.py:622 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." -#: engine/core/viewsets.py:813 +#: engine/core/viewsets.py:826 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:867 +#: engine/core/viewsets.py:880 msgid "Manages operations related to Product images in the application. " msgstr "Uygulamadaki Ürün görselleri ile ilgili işlemleri yönetir." -#: engine/core/viewsets.py:880 +#: engine/core/viewsets.py:893 msgid "" "Manages the retrieval and handling of PromoCode instances through various " "API actions." @@ -3271,20 +3282,20 @@ msgstr "" "Çeşitli API eylemleri aracılığıyla PromoCode örneklerinin alınmasını ve " "işlenmesini yönetir." -#: engine/core/viewsets.py:902 +#: engine/core/viewsets.py:915 msgid "Represents a view set for managing promotions. " msgstr "Promosyonları yönetmek için bir görünüm kümesini temsil eder." -#: engine/core/viewsets.py:915 +#: engine/core/viewsets.py:928 msgid "Handles operations related to Stock data in the system." msgstr "Sistemdeki Stok verileri ile ilgili işlemleri yürütür." -#: engine/core/viewsets.py:929 +#: engine/core/viewsets.py:942 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." @@ -3297,7 +3308,7 @@ msgstr "" "verilmediği sürece kullanıcıların yalnızca kendi istek listelerini " "yönetebilmelerini sağlamak için entegre edilmiştir." -#: engine/core/viewsets.py:1044 +#: engine/core/viewsets.py:1057 msgid "" "This class provides viewset functionality for managing `Address` objects. " "The AddressViewSet class enables CRUD operations, filtering, and custom " @@ -3311,12 +3322,12 @@ msgstr "" "serileştirici geçersiz kılmaları ve istek bağlamına dayalı izin işleme için " "özel davranışlar içerir." -#: engine/core/viewsets.py:1111 +#: engine/core/viewsets.py:1124 #, python-brace-format msgid "Geocoding error: {e}" msgstr "Coğrafi kodlama hatası: {e}" -#: engine/core/viewsets.py:1119 +#: engine/core/viewsets.py:1132 msgid "" "Handles operations related to Product Tags within the application. This " "class provides functionality for retrieving, filtering, and serializing " @@ -3325,7 +3336,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.po b/engine/core/locale/vi_VN/LC_MESSAGES/django.po index bc1ce39a..40951827 100644 --- a/engine/core/locale/vi_VN/LC_MESSAGES/django.po +++ b/engine/core/locale/vi_VN/LC_MESSAGES/django.po @@ -1,9 +1,9 @@ -# +# msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+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 "Đang hoạt động" #: engine/core/abstract.py:21 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." @@ -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:164 msgid "download a digital asset from purchased digital order" @@ -275,8 +273,7 @@ msgstr "" "chỉnh sửa." #: engine/core/docs/drf/viewsets.py:96 -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:186 -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:196 engine/core/docs/drf/viewsets.py:197 msgid "list all categories (simple view)" @@ -366,8 +362,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:244 engine/core/docs/drf/viewsets.py:245 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:252 engine/core/docs/drf/viewsets.py:704 #: engine/core/docs/drf/viewsets.py:988 @@ -393,12 +389,12 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:281 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:288 msgid "Filter orders with buy_time >= this ISO 8601 datetime" @@ -434,9 +430,9 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:324 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:373 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:380 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:568 engine/core/docs/drf/viewsets.py:569 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:581 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:598 engine/core/docs/drf/viewsets.py:599 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:666 engine/core/docs/drf/viewsets.py:667 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:851 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:861 msgid "list all order–product relations (simple view)" @@ -833,8 +844,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:981 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:1006 msgid "list all vendors (simple view)" @@ -861,8 +872,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:1041 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:1051 msgid "list all product images (simple view)" @@ -889,8 +900,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:1086 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:1096 msgid "list all promo codes (simple view)" @@ -917,8 +928,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:1131 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:1141 msgid "list all promotions (simple view)" @@ -945,8 +956,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:1176 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:1186 msgid "list all stocks (simple view)" @@ -973,8 +984,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:1221 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:1231 msgid "list all product tags (simple view)" @@ -1001,8 +1012,8 @@ msgstr "" #: engine/core/docs/drf/viewsets.py:1266 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:122 #: engine/core/elasticsearch/__init__.py:570 @@ -1186,10 +1197,9 @@ msgstr "" "trường này là tương hỗ!" #: engine/core/graphene/mutations.py:237 engine/core/graphene/mutations.py:502 -#: engine/core/graphene/mutations.py:544 engine/core/viewsets.py:704 +#: engine/core/graphene/mutations.py:544 engine/core/viewsets.py:713 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:246 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:517 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" @@ -1267,7 +1277,7 @@ msgstr "Dòng địa chỉ gốc do người dùng cung cấp" #: engine/core/graphene/mutations.py:680 engine/core/models.py:955 #: engine/core/models.py:968 engine/core/models.py:1383 #: engine/core/models.py:1412 engine/core/models.py:1437 -#: engine/core/viewsets.py:707 +#: engine/core/viewsets.py:716 #, python-brace-format msgid "{name} does not exist: {uuid}" msgstr "{name} không tồn tại: {uuid}!" @@ -1316,12 +1326,10 @@ msgstr "Tỷ lệ phần trăm đánh dấu" #: engine/core/graphene/object_types.py:200 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:204 -msgid "" -"minimum and maximum prices for products in this category, if available." +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." @@ -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:91 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:124 @@ -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:209 engine/core/models.py:240 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:274 @@ -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:508 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:585 msgid "category this product belongs to" @@ -2007,16 +2014,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:733 msgid "group of this attribute" @@ -2077,13 +2084,13 @@ msgstr "Thuộc tính" #: engine/core/models.py:777 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:788 msgid "attribute of this value" @@ -2100,8 +2107,8 @@ msgstr "Giá trị cụ thể cho thuộc tính này" #: engine/core/models.py:815 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 "" @@ -2149,11 +2156,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 " @@ -2199,9 +2206,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:926 msgid "products that the user has marked as wanted" @@ -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 "" "Đạ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:998 msgid "documentary" @@ -2249,14 +2256,14 @@ msgstr "Chưa được giải quyết" #: engine/core/models.py:1014 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 " @@ -2328,12 +2335,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:1087 msgid "unique code used by a user to redeem a discount" @@ -2421,15 +2428,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." @@ -2523,8 +2530,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:1428 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:1416 #, python-brace-format @@ -2594,11 +2601,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:1711 msgid "user-provided comments about their experience with the product" @@ -2610,8 +2617,7 @@ msgid "feedback comments" msgstr "Phản hồi" #: engine/core/models.py:1719 -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." @@ -2755,16 +2761,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:1961 msgid "download" @@ -2822,7 +2828,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 " @@ -2851,8 +2858,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 @@ -2902,8 +2909,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 @@ -2929,13 +2936,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 " @@ -3061,18 +3069,20 @@ msgstr "Xử lý các truy vấn tìm kiếm toàn cầu." #: engine/core/views.py:277 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:314 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:325 msgid "order_product_uuid is required" @@ -3088,8 +3098,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:338 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:344 msgid "the order product does not have a product" @@ -3102,23 +3111,24 @@ msgstr "Biểu tượng trang web không tìm thấy" #: engine/core/views.py:386 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:398 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:411 msgid "Returns current version of the eVibes. " @@ -3140,17 +3150,16 @@ msgstr "" #: engine/core/viewsets.py:157 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:176 msgid "" @@ -3164,17 +3173,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:195 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 " @@ -3196,7 +3205,7 @@ msgstr "" "của các danh mục. Chế độ xem này cũng áp dụng các quyền truy cập để đảm bảo " "chỉ những người dùng được ủy quyền mới có thể truy cập vào dữ liệu cụ thể." -#: engine/core/viewsets.py:326 +#: engine/core/viewsets.py:327 msgid "" "Represents a viewset for managing Brand instances. This class provides " "functionality for querying, filtering, and serializing Brand objects. It " @@ -3208,7 +3217,7 @@ msgstr "" "thương hiệu. Nó sử dụng khung ViewSet của Django để đơn giản hóa việc triển " "khai các điểm cuối API cho các đối tượng thương hiệu." -#: engine/core/viewsets.py:438 +#: engine/core/viewsets.py:439 msgid "" "Manages operations related to the `Product` model in the system. This class " "provides a viewset for managing products, including their filtering, " @@ -3226,7 +3235,7 @@ msgstr "" "thức để lấy thông tin chi tiết về sản phẩm, áp dụng quyền truy cập và truy " "cập phản hồi liên quan đến sản phẩm." -#: engine/core/viewsets.py:568 +#: engine/core/viewsets.py:575 msgid "" "Represents a viewset for managing Vendor objects. This viewset allows " "fetching, filtering, and serializing Vendor data. It defines the queryset, " @@ -3241,13 +3250,13 @@ msgstr "" "khác nhau. Mục đích của lớp này là cung cấp truy cập thuận tiện đến các tài " "nguyên liên quan đến Nhà cung cấp thông qua khung làm việc Django REST." -#: engine/core/viewsets.py:588 +#: engine/core/viewsets.py:595 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 " @@ -3257,18 +3266,18 @@ msgstr "" "với các đối tượng Feedback có thể truy cập. Nó kế thừa từ lớp cơ sở " "`EvibesViewSet` và sử dụng hệ thống lọc của Django để truy vấn dữ liệu." -#: engine/core/viewsets.py:615 +#: engine/core/viewsets.py:622 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 " @@ -3276,12 +3285,12 @@ msgstr "" "serializer khác nhau tùy thuộc vào hành động cụ thể đang được thực hiện và " "áp dụng quyền truy cập tương ứng khi tương tác với dữ liệu đơn hàng." -#: engine/core/viewsets.py:813 +#: engine/core/viewsets.py:826 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 " @@ -3291,11 +3300,11 @@ msgstr "" "hành động được yêu cầu. Ngoài ra, nó cung cấp một hành động chi tiết để xử " "lý phản hồi cho các thực thể OrderProduct." -#: engine/core/viewsets.py:867 +#: engine/core/viewsets.py:880 msgid "Manages operations related to Product images in the application. " msgstr "Quản lý các hoạt động liên quan đến hình ảnh sản phẩm trong ứng dụng." -#: engine/core/viewsets.py:880 +#: engine/core/viewsets.py:893 msgid "" "Manages the retrieval and handling of PromoCode instances through various " "API actions." @@ -3303,20 +3312,20 @@ msgstr "" "Quản lý việc truy xuất và xử lý các thực thể PromoCode thông qua các hành " "động API khác nhau." -#: engine/core/viewsets.py:902 +#: engine/core/viewsets.py:915 msgid "Represents a view set for managing promotions. " msgstr "Đại diện cho một bộ xem để quản lý các chương trình khuyến mãi." -#: engine/core/viewsets.py:915 +#: engine/core/viewsets.py:928 msgid "Handles operations related to Stock data in the system." msgstr "Quản lý các hoạt động liên quan đến dữ liệu kho trong hệ thống." -#: engine/core/viewsets.py:929 +#: engine/core/viewsets.py:942 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." @@ -3324,13 +3333,13 @@ 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:1044 +#: engine/core/viewsets.py:1057 msgid "" "This class provides viewset functionality for managing `Address` objects. " "The AddressViewSet class enables CRUD operations, filtering, and custom " @@ -3339,17 +3348,17 @@ 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." -#: engine/core/viewsets.py:1111 +#: engine/core/viewsets.py:1124 #, python-brace-format msgid "Geocoding error: {e}" msgstr "Lỗi địa chỉ địa lý: {e}" -#: engine/core/viewsets.py:1119 +#: engine/core/viewsets.py:1132 msgid "" "Handles operations related to Product Tags within the application. This " "class provides functionality for retrieving, filtering, and serializing " @@ -3357,8 +3366,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.po b/engine/core/locale/zh_Hans/LC_MESSAGES/django.po index 05168bf9..25fae62a 100644 --- a/engine/core/locale/zh_Hans/LC_MESSAGES/django.po +++ b/engine/core/locale/zh_Hans/LC_MESSAGES/django.po @@ -1,9 +1,9 @@ -# +# msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+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:21 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:23 engine/core/choices.py:18 @@ -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 "失败" @@ -191,7 +189,9 @@ msgid "" "OpenApi3 schema for this API. Format can be selected via content " "negotiation. Language can be selected with Accept-Language and query " "parameter both." -msgstr "该 API 的 OpenApi3 模式。可通过内容协商选择格式。可通过 Accept-Language 和查询参数选择语言。" +msgstr "" +"该 API 的 OpenApi3 模式。可通过内容协商选择格式。可通过 Accept-Language 和查" +"询参数选择语言。" #: engine/core/docs/drf/views.py:44 engine/core/graphene/mutations.py:38 msgid "cache I/O" @@ -237,7 +237,9 @@ msgstr "以企业身份购买订单" msgid "" "purchase an order as a business, using the provided `products` with " "`product_uuid` and `attributes`." -msgstr "使用提供的带有 `product_uuid` 和 `attributes` 的 `products` 作为企业购买订单。" +msgstr "" +"使用提供的带有 `product_uuid` 和 `attributes` 的 `products` 作为企业购买订" +"单。" #: engine/core/docs/drf/views.py:164 msgid "download a digital asset from purchased digital order" @@ -264,8 +266,7 @@ msgid "rewrite an existing attribute group saving non-editables" msgstr "重写保存不可编辑的现有属性组" #: engine/core/docs/drf/viewsets.py:96 -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:106 @@ -313,8 +314,7 @@ msgid "rewrite an existing attribute value saving non-editables" msgstr "重写现有属性值,保存不可编辑属性" #: engine/core/docs/drf/viewsets.py:186 -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:196 engine/core/docs/drf/viewsets.py:197 @@ -367,11 +367,11 @@ msgstr "对于非工作人员用户,只有他们自己的订单才会被退回 #: engine/core/docs/drf/viewsets.py:281 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:288 msgid "Filter orders with buy_time >= this ISO 8601 datetime" @@ -403,11 +403,12 @@ msgstr "按订单状态筛选(不区分大小写的子串匹配)" #: engine/core/docs/drf/viewsets.py:324 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:336 msgid "retrieve a single order (detailed view)" @@ -446,7 +447,9 @@ msgid "" "finalizes the order purchase. if `force_balance` is used, the purchase is " "completed using the user's balance; if `force_payment` is used, a " "transaction is initiated." -msgstr "完成订单购买。如果使用 \"force_balance\",则使用用户的余额完成购买;如果使用 \"force_payment\",则启动交易。" +msgstr "" +"完成订单购买。如果使用 \"force_balance\",则使用用户的余额完成购买;如果使用 " +"\"force_payment\",则启动交易。" #: engine/core/docs/drf/viewsets.py:397 msgid "retrieve current pending order of a user" @@ -581,17 +584,25 @@ msgstr "使用提供的 `product_uuids` 从愿望清单中删除多个产品" 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" +"- 方法**(如果省略,默认为 `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" @@ -607,7 +618,8 @@ msgstr "(产品 UUID" #: engine/core/docs/drf/viewsets.py:581 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" @@ -1087,7 +1099,7 @@ msgid "please provide either order_uuid or order_hr_id - mutually exclusive" msgstr "请提供 order_uuid 或 order_hr_id(互斥)!" #: engine/core/graphene/mutations.py:237 engine/core/graphene/mutations.py:502 -#: engine/core/graphene/mutations.py:544 engine/core/viewsets.py:704 +#: engine/core/graphene/mutations.py:544 engine/core/viewsets.py:713 msgid "wrong type came from order.buy() method: {type(instance)!s}" msgstr "order.buy() 方法中的类型有误:{type(instance)!s}" @@ -1140,8 +1152,8 @@ msgstr "购买订单" #: engine/core/graphene/mutations.py:517 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:550 @@ -1164,7 +1176,7 @@ msgstr "用户提供的原始地址字符串" #: engine/core/graphene/mutations.py:680 engine/core/models.py:955 #: engine/core/models.py:968 engine/core/models.py:1383 #: engine/core/models.py:1412 engine/core/models.py:1437 -#: engine/core/viewsets.py:707 +#: engine/core/viewsets.py:716 #, python-brace-format msgid "{name} does not exist: {uuid}" msgstr "{name} 不存在:{uuid}!" @@ -1216,8 +1228,7 @@ msgid "which attributes and values can be used for filtering this category." msgstr "哪些属性和值可用于筛选该类别。" #: engine/core/graphene/object_types.py:204 -msgid "" -"minimum and maximum prices for products in this category, if available." +msgid "minimum and maximum prices for products in this category, if available." msgstr "该类别产品的最低和最高价格(如有)。" #: engine/core/graphene/object_types.py:206 @@ -1484,7 +1495,8 @@ 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:91 msgid "parent of this group" @@ -1512,7 +1524,10 @@ 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:124 msgid "stores credentials and endpoints required for vendor communication" @@ -1562,8 +1577,9 @@ msgid "" "display name. It supports operations exported through mixins and provides " "metadata customization for administrative purposes." msgstr "" -"代表用于分类或识别产品的产品标签。ProductTag " -"类旨在通过内部标签标识符和用户友好显示名称的组合,对产品进行唯一标识和分类。它支持通过混合功能导出的操作,并为管理目的提供元数据定制功能。" +"代表用于分类或识别产品的产品标签。ProductTag 类旨在通过内部标签标识符和用户友" +"好显示名称的组合,对产品进行唯一标识和分类。它支持通过混合功能导出的操作,并" +"为管理目的提供元数据定制功能。" #: engine/core/models.py:209 engine/core/models.py:240 msgid "internal tag identifier for the product tag" @@ -1590,7 +1606,9 @@ msgid "" "Represents a category tag used for products. This class models a category " "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 "代表用于产品的类别标签。该类是类别标签的模型,可用于关联和分类产品。它包括内部标签标识符和用户友好显示名称的属性。" +msgstr "" +"代表用于产品的类别标签。该类是类别标签的模型,可用于关联和分类产品。它包括内" +"部标签标识符和用户友好显示名称的属性。" #: engine/core/models.py:254 msgid "category tag" @@ -1612,7 +1630,10 @@ msgid "" "hierarchy of categories, as well as assign attributes like images, tags, or " "priority." msgstr "" -"代表类别实体,用于在分层结构中组织和分组相关项目。类别可与其他类别建立层次关系,支持父子关系。该类包括元数据和可视化表示字段,是类别相关功能的基础。该类通常用于定义和管理应用程序中的产品类别或其他类似分组,允许用户或管理员指定类别的名称、描述和层次结构,以及分配图像、标记或优先级等属性。" +"代表类别实体,用于在分层结构中组织和分组相关项目。类别可与其他类别建立层次关" +"系,支持父子关系。该类包括元数据和可视化表示字段,是类别相关功能的基础。该类" +"通常用于定义和管理应用程序中的产品类别或其他类似分组,允许用户或管理员指定类" +"别的名称、描述和层次结构,以及分配图像、标记或优先级等属性。" #: engine/core/models.py:274 msgid "upload an image representing this category" @@ -1663,10 +1684,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:448 msgid "name of this brand" @@ -1710,15 +1732,16 @@ msgstr "类别" #: engine/core/models.py:508 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:520 msgid "the vendor supplying this product stock" @@ -1796,8 +1819,11 @@ msgid "" "properties to improve performance. It is used to define and manipulate " "product data and its associated information within an application." msgstr "" -"代表产品的属性,如类别、品牌、标签、数字状态、名称、描述、零件编号和标签。提供相关的实用属性,以检索评级、反馈计数、价格、数量和订单总数。设计用于处理电子商务或库存管理的系统。该类可与相关模型(如类别、品牌和" -" ProductTag)交互,并对频繁访问的属性进行缓存管理,以提高性能。它用于在应用程序中定义和操作产品数据及其相关信息。" +"代表产品的属性,如类别、品牌、标签、数字状态、名称、描述、零件编号和标签。提" +"供相关的实用属性,以检索评级、反馈计数、价格、数量和订单总数。设计用于处理电" +"子商务或库存管理的系统。该类可与相关模型(如类别、品牌和 ProductTag)交互,并" +"对频繁访问的属性进行缓存管理,以提高性能。它用于在应用程序中定义和操作产品数" +"据及其相关信息。" #: engine/core/models.py:585 msgid "category this product belongs to" @@ -1852,11 +1878,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 "" -"代表系统中的一个属性。该类用于定义和管理属性,属性是可与其他实体关联的自定义数据块。属性有相关的类别、组、值类型和名称。该模型支持多种类型的值,包括字符串、整数、浮点数、布尔值、数组和对象。这样就可以实现动态、灵活的数据结构。" +"代表系统中的一个属性。该类用于定义和管理属性,属性是可与其他实体关联的自定义" +"数据块。属性有相关的类别、组、值类型和名称。该模型支持多种类型的值,包括字符" +"串、整数、浮点数、布尔值、数组和对象。这样就可以实现动态、灵活的数据结构。" #: engine/core/models.py:733 msgid "group of this attribute" @@ -1917,10 +1945,12 @@ msgstr "属性" #: engine/core/models.py:777 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." -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." +msgstr "" +"代表与产品相关联的属性的特定值。它将 \"属性 \"与唯一的 \"值 \"联系起来,从而" +"更好地组织和动态呈现产品特征。" #: engine/core/models.py:788 msgid "attribute of this value" @@ -1937,12 +1967,14 @@ msgstr "该属性的具体值" #: engine/core/models.py:815 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:826 msgid "provide alternative text for the image for accessibility" @@ -1982,10 +2014,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 "" -"代表有折扣的产品促销活动。该类用于定义和管理为产品提供百分比折扣的促销活动。该类包括用于设置折扣率、提供促销详情以及将其链接到适用产品的属性。它与产品目录集成,以确定促销活动中受影响的产品。" +"代表有折扣的产品促销活动。该类用于定义和管理为产品提供百分比折扣的促销活动。" +"该类包括用于设置折扣率、提供促销详情以及将其链接到适用产品的属性。它与产品目" +"录集成,以确定促销活动中受影响的产品。" #: engine/core/models.py:880 msgid "percentage discount for the selected products" @@ -2025,7 +2059,9 @@ msgid "" "class provides functionality to manage a collection of products, supporting " "operations such as adding and removing products, as well as supporting " "operations for adding and removing multiple products at once." -msgstr "代表用户用于存储和管理所需产品的愿望清单。该类提供管理产品集合的功能,支持添加和删除产品等操作,还支持同时添加和删除多个产品的操作。" +msgstr "" +"代表用户用于存储和管理所需产品的愿望清单。该类提供管理产品集合的功能,支持添" +"加和删除产品等操作,还支持同时添加和删除多个产品的操作。" #: engine/core/models.py:926 msgid "products that the user has marked as wanted" @@ -2049,10 +2085,12 @@ 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:998 msgid "documentary" @@ -2068,17 +2106,20 @@ msgstr "未解决" #: engine/core/models.py:1014 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:1029 msgid "address line for the customer" @@ -2141,8 +2182,10 @@ 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:1087 msgid "unique code used by a user to redeem a discount" @@ -2212,7 +2255,8 @@ msgstr "促销代码" msgid "" "only one type of discount should be defined (amount or percent), but not " "both or neither." -msgstr "只能定义一种折扣类型(金额或百分比),而不能同时定义两种类型或两者都不定义。" +msgstr "" +"只能定义一种折扣类型(金额或百分比),而不能同时定义两种类型或两者都不定义。" #: engine/core/models.py:1171 msgid "promocode already used" @@ -2227,12 +2271,15 @@ 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:1213 msgid "the billing address used for this order" @@ -2380,7 +2427,9 @@ 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:1711 msgid "user-provided comments about their experience with the product" @@ -2391,8 +2440,7 @@ msgid "feedback comments" msgstr "反馈意见" #: engine/core/models.py:1719 -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:1720 @@ -2419,9 +2467,10 @@ msgid "" "download URL for digital products. The model integrates with the Order and " "Product models and stores a reference to them." msgstr "" -"代表与订单及其属性相关联的产品。OrderProduct " -"模型维护订单中产品的相关信息,包括购买价格、数量、产品属性和状态等详细信息。它为用户和管理员管理通知,并处理返回产品余额或添加反馈等操作。该模型还提供支持业务逻辑的方法和属性,如计算总价或为数字产品生成下载" -" URL。该模型与订单和产品模型集成,并存储对它们的引用。" +"代表与订单及其属性相关联的产品。OrderProduct 模型维护订单中产品的相关信息,包" +"括购买价格、数量、产品属性和状态等详细信息。它为用户和管理员管理通知,并处理" +"返回产品余额或添加反馈等操作。该模型还提供支持业务逻辑的方法和属性,如计算总" +"价或为数字产品生成下载 URL。该模型与订单和产品模型集成,并存储对它们的引用。" #: engine/core/models.py:1757 msgid "the price paid by the customer for this product at purchase time" @@ -2529,13 +2578,13 @@ 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:1961 msgid "download" @@ -2591,9 +2640,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 @@ -2616,7 +2668,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 @@ -2697,7 +2750,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 "感谢您的订购!我们很高兴确认您的购买。以下是您的订单详情:" @@ -2771,14 +2825,17 @@ msgstr "图像尺寸不应超过 w{max_width} x h{max_height} 像素!" 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 内容类型标头。" +msgstr "" +"处理网站地图索引请求并返回 XML 响应。它确保响应包含适当的 XML 内容类型标头。" #: engine/core/views.py:88 msgid "" "Handles the detailed view response for a sitemap. This function processes " "the request, fetches the appropriate sitemap detail response, and sets the " "Content-Type header for XML." -msgstr "处理网站地图的详细视图响应。该函数处理请求,获取相应的网站地图详细响应,并将 Content-Type 标头设置为 XML。" +msgstr "" +"处理网站地图的详细视图响应。该函数处理请求,获取相应的网站地图详细响应,并将 " +"Content-Type 标头设置为 XML。" #: engine/core/views.py:123 msgid "" @@ -2816,10 +2873,13 @@ msgstr "处理未注册企业的购买逻辑。" #: engine/core/views.py:314 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:325 msgid "order_product_uuid is required" @@ -2848,19 +2908,22 @@ msgstr "未找到 favicon" #: engine/core/views.py:386 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 请求。\n" -"该函数会尝试为位于项目静态目录中的 favicon 文件提供服务。如果找不到 favicon 文件,就会出现 HTTP 404 错误,表示资源不可用。" +"该函数会尝试为位于项目静态目录中的 favicon 文件提供服务。如果找不到 favicon " +"文件,就会出现 HTTP 404 错误,表示资源不可用。" #: engine/core/views.py:398 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 管理界面索引页面。它使用 Django 的 " -"`redirect` 函数来处理 HTTP 重定向。" +"将请求重定向到管理索引页面。该函数处理传入的 HTTP 请求并将其重定向到 Django " +"管理界面索引页面。它使用 Django 的 `redirect` 函数来处理 HTTP 重定向。" #: engine/core/views.py:411 msgid "Returns current version of the eVibes. " @@ -2874,19 +2937,20 @@ 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:157 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:176 msgid "" @@ -2897,19 +2961,21 @@ msgid "" "specific fields or retrieving detailed versus simplified information " "depending on the request." msgstr "" -"在应用程序中处理与属性对象相关的操作。提供一组 API " -"端点,用于与属性数据交互。该类管理属性对象的查询、过滤和序列化,允许对返回的数据进行动态控制,例如根据请求按特定字段进行过滤或检索详细信息与简化信息。" +"在应用程序中处理与属性对象相关的操作。提供一组 API 端点,用于与属性数据交互。" +"该类管理属性对象的查询、过滤和序列化,允许对返回的数据进行动态控制,例如根据" +"请求按特定字段进行过滤或检索详细信息与简化信息。" #: engine/core/viewsets.py:195 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 框架的视图集机制集成,并为不同的操作使用适当的序列化器。过滤功能通过 DjangoFilterBackend 提供。" +"用于管理 AttributeValue 对象的视图集。该视图集提供了用于列出、检索、创建、更" +"新和删除 AttributeValue 对象的功能。它与 Django REST 框架的视图集机制集成,并" +"为不同的操作使用适当的序列化器。过滤功能通过 DjangoFilterBackend 提供。" #: engine/core/viewsets.py:214 msgid "" @@ -2919,20 +2985,21 @@ msgid "" "The viewset also enforces permissions to ensure that only authorized users " "can access specific data." msgstr "" -"管理类别相关操作的视图。CategoryViewSet " -"类负责处理系统中与类别模型相关的操作。它支持类别数据的检索、过滤和序列化。视图集还强制执行权限,确保只有授权用户才能访问特定数据。" +"管理类别相关操作的视图。CategoryViewSet 类负责处理系统中与类别模型相关的操" +"作。它支持类别数据的检索、过滤和序列化。视图集还强制执行权限,确保只有授权用" +"户才能访问特定数据。" -#: engine/core/viewsets.py:326 +#: engine/core/viewsets.py:327 msgid "" "Represents a viewset for managing Brand instances. This class provides " "functionality for querying, filtering, and serializing Brand objects. It " "uses Django's ViewSet framework to simplify the implementation of API " "endpoints for Brand objects." msgstr "" -"代表用于管理品牌实例的视图集。该类提供了查询、过滤和序列化品牌对象的功能。它使用 Django 的 ViewSet 框架来简化品牌对象 API " -"端点的实现。" +"代表用于管理品牌实例的视图集。该类提供了查询、过滤和序列化品牌对象的功能。它" +"使用 Django 的 ViewSet 框架来简化品牌对象 API 端点的实现。" -#: engine/core/viewsets.py:438 +#: engine/core/viewsets.py:439 msgid "" "Manages operations related to the `Product` model in the system. This class " "provides a viewset for managing products, including their filtering, " @@ -2942,11 +3009,12 @@ msgid "" "product details, applying permissions, and accessing related feedback of a " "product." msgstr "" -"管理与系统中的 \"产品 \"模型相关的操作。该类为管理产品提供了一个视图集,包括产品的筛选、序列化和对特定实例的操作。该类从 " -"`EvibesViewSet` 扩展而来,使用通用功能,并与 Django REST 框架集成,用于 RESTful API " -"操作。包括检索产品详细信息、应用权限和访问产品相关反馈的方法。" +"管理与系统中的 \"产品 \"模型相关的操作。该类为管理产品提供了一个视图集,包括" +"产品的筛选、序列化和对特定实例的操作。该类从 `EvibesViewSet` 扩展而来,使用通" +"用功能,并与 Django REST 框架集成,用于 RESTful API 操作。包括检索产品详细信" +"息、应用权限和访问产品相关反馈的方法。" -#: engine/core/viewsets.py:568 +#: engine/core/viewsets.py:575 msgid "" "Represents a viewset for managing Vendor objects. This viewset allows " "fetching, filtering, and serializing Vendor data. It defines the queryset, " @@ -2954,79 +3022,85 @@ msgid "" "actions. The purpose of this class is to provide streamlined access to " "Vendor-related resources through the Django REST framework." msgstr "" -"代表用于管理供应商对象的视图集。该视图集允许获取、过滤和序列化 Vendor " -"数据。它定义了用于处理不同操作的查询集、过滤器配置和序列化器类。该类的目的是通过 Django REST 框架提供对 Vendor 相关资源的简化访问。" +"代表用于管理供应商对象的视图集。该视图集允许获取、过滤和序列化 Vendor 数据。" +"它定义了用于处理不同操作的查询集、过滤器配置和序列化器类。该类的目的是通过 " +"Django REST 框架提供对 Vendor 相关资源的简化访问。" -#: engine/core/viewsets.py:588 +#: engine/core/viewsets.py:595 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:615 +#: engine/core/viewsets.py:622 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:813 +#: engine/core/viewsets.py:826 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 实体的视图集。该视图集可进行 CRUD 操作和特定于 " +"OrderProduct 模型的自定义操作。它包括过滤、权限检查和根据请求的操作切换序列化" +"器。此外,它还提供了一个详细的操作,用于处理有关 OrderProduct 实例的反馈信息" -#: engine/core/viewsets.py:867 +#: engine/core/viewsets.py:880 msgid "Manages operations related to Product images in the application. " msgstr "管理应用程序中与产品图像相关的操作。" -#: engine/core/viewsets.py:880 +#: engine/core/viewsets.py:893 msgid "" "Manages the retrieval and handling of PromoCode instances through various " "API actions." msgstr "通过各种 API 操作管理 PromoCode 实例的检索和处理。" -#: engine/core/viewsets.py:902 +#: engine/core/viewsets.py:915 msgid "Represents a view set for managing promotions. " msgstr "代表用于管理促销活动的视图集。" -#: engine/core/viewsets.py:915 +#: engine/core/viewsets.py:928 msgid "Handles operations related to Stock data in the system." msgstr "处理系统中与库存数据有关的操作。" -#: engine/core/viewsets.py:929 +#: engine/core/viewsets.py:942 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:1044 +#: engine/core/viewsets.py:1057 msgid "" "This class provides viewset functionality for managing `Address` objects. " "The AddressViewSet class enables CRUD operations, filtering, and custom " @@ -3034,15 +3108,16 @@ msgid "" "different HTTP methods, serializer overrides, and permission handling based " "on the request context." msgstr "" -"该类为管理 \"地址 \"对象提供了视图集功能。AddressViewSet 类支持与地址实体相关的 CRUD 操作、过滤和自定义操作。它包括针对不同 " -"HTTP 方法的专门行为、序列化器重载以及基于请求上下文的权限处理。" +"该类为管理 \"地址 \"对象提供了视图集功能。AddressViewSet 类支持与地址实体相关" +"的 CRUD 操作、过滤和自定义操作。它包括针对不同 HTTP 方法的专门行为、序列化器" +"重载以及基于请求上下文的权限处理。" -#: engine/core/viewsets.py:1111 +#: engine/core/viewsets.py:1124 #, python-brace-format msgid "Geocoding error: {e}" msgstr "地理编码错误:{e}" -#: engine/core/viewsets.py:1119 +#: engine/core/viewsets.py:1132 msgid "" "Handles operations related to Product Tags within the application. This " "class provides functionality for retrieving, filtering, and serializing " @@ -3050,4 +3125,6 @@ msgid "" "using the specified filter backend and dynamically uses different " "serializers based on the action being performed." msgstr "" -"在应用程序中处理与产品标签相关的操作。该类提供了检索、筛选和序列化产品标签对象的功能。它支持使用指定的过滤后端对特定属性进行灵活过滤,并根据正在执行的操作动态使用不同的序列化器。" +"在应用程序中处理与产品标签相关的操作。该类提供了检索、筛选和序列化产品标签对" +"象的功能。它支持使用指定的过滤后端对特定属性进行灵活过滤,并根据正在执行的操" +"作动态使用不同的序列化器。" diff --git a/engine/payments/locale/ar_AR/LC_MESSAGES/django.po b/engine/payments/locale/ar_AR/LC_MESSAGES/django.po index 3cefbd41..697e77e6 100644 --- a/engine/payments/locale/ar_AR/LC_MESSAGES/django.po +++ b/engine/payments/locale/ar_AR/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" diff --git a/engine/payments/locale/cs_CZ/LC_MESSAGES/django.po b/engine/payments/locale/cs_CZ/LC_MESSAGES/django.po index 0c0100fd..b22ed1d2 100644 --- a/engine/payments/locale/cs_CZ/LC_MESSAGES/django.po +++ b/engine/payments/locale/cs_CZ/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" diff --git a/engine/payments/locale/da_DK/LC_MESSAGES/django.po b/engine/payments/locale/da_DK/LC_MESSAGES/django.po index 1584f425..b861b898 100644 --- a/engine/payments/locale/da_DK/LC_MESSAGES/django.po +++ b/engine/payments/locale/da_DK/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" diff --git a/engine/payments/locale/de_DE/LC_MESSAGES/django.po b/engine/payments/locale/de_DE/LC_MESSAGES/django.po index 01f686a8..a53cf3cc 100644 --- a/engine/payments/locale/de_DE/LC_MESSAGES/django.po +++ b/engine/payments/locale/de_DE/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" diff --git a/engine/payments/locale/en_GB/LC_MESSAGES/django.po b/engine/payments/locale/en_GB/LC_MESSAGES/django.po index 1786bd95..7c4e49ef 100644 --- a/engine/payments/locale/en_GB/LC_MESSAGES/django.po +++ b/engine/payments/locale/en_GB/LC_MESSAGES/django.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" diff --git a/engine/payments/locale/en_US/LC_MESSAGES/django.po b/engine/payments/locale/en_US/LC_MESSAGES/django.po index f0a7740c..f8ba857a 100644 --- a/engine/payments/locale/en_US/LC_MESSAGES/django.po +++ b/engine/payments/locale/en_US/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" diff --git a/engine/payments/locale/es_ES/LC_MESSAGES/django.po b/engine/payments/locale/es_ES/LC_MESSAGES/django.po index 38713627..23648a60 100644 --- a/engine/payments/locale/es_ES/LC_MESSAGES/django.po +++ b/engine/payments/locale/es_ES/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" diff --git a/engine/payments/locale/fa_IR/LC_MESSAGES/django.po b/engine/payments/locale/fa_IR/LC_MESSAGES/django.po index dbddec2b..3c24f7f6 100644 --- a/engine/payments/locale/fa_IR/LC_MESSAGES/django.po +++ b/engine/payments/locale/fa_IR/LC_MESSAGES/django.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" diff --git a/engine/payments/locale/fr_FR/LC_MESSAGES/django.po b/engine/payments/locale/fr_FR/LC_MESSAGES/django.po index 07d89fd5..5a6c57c9 100644 --- a/engine/payments/locale/fr_FR/LC_MESSAGES/django.po +++ b/engine/payments/locale/fr_FR/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" diff --git a/engine/payments/locale/he_IL/LC_MESSAGES/django.po b/engine/payments/locale/he_IL/LC_MESSAGES/django.po index 91f352f3..05bd854c 100644 --- a/engine/payments/locale/he_IL/LC_MESSAGES/django.po +++ b/engine/payments/locale/he_IL/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" diff --git a/engine/payments/locale/hi_IN/LC_MESSAGES/django.po b/engine/payments/locale/hi_IN/LC_MESSAGES/django.po index 21485575..8d583e82 100644 --- a/engine/payments/locale/hi_IN/LC_MESSAGES/django.po +++ b/engine/payments/locale/hi_IN/LC_MESSAGES/django.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: LANGUAGE \n" diff --git a/engine/payments/locale/hr_HR/LC_MESSAGES/django.po b/engine/payments/locale/hr_HR/LC_MESSAGES/django.po index dbddec2b..3c24f7f6 100644 --- a/engine/payments/locale/hr_HR/LC_MESSAGES/django.po +++ b/engine/payments/locale/hr_HR/LC_MESSAGES/django.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" diff --git a/engine/payments/locale/id_ID/LC_MESSAGES/django.po b/engine/payments/locale/id_ID/LC_MESSAGES/django.po index 4fdc8998..5dcec524 100644 --- a/engine/payments/locale/id_ID/LC_MESSAGES/django.po +++ b/engine/payments/locale/id_ID/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" diff --git a/engine/payments/locale/it_IT/LC_MESSAGES/django.po b/engine/payments/locale/it_IT/LC_MESSAGES/django.po index cb975163..8ef0e2d5 100644 --- a/engine/payments/locale/it_IT/LC_MESSAGES/django.po +++ b/engine/payments/locale/it_IT/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" diff --git a/engine/payments/locale/ja_JP/LC_MESSAGES/django.po b/engine/payments/locale/ja_JP/LC_MESSAGES/django.po index 04ed6aa2..27f8ded7 100644 --- a/engine/payments/locale/ja_JP/LC_MESSAGES/django.po +++ b/engine/payments/locale/ja_JP/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" diff --git a/engine/payments/locale/kk_KZ/LC_MESSAGES/django.po b/engine/payments/locale/kk_KZ/LC_MESSAGES/django.po index 21485575..8d583e82 100644 --- a/engine/payments/locale/kk_KZ/LC_MESSAGES/django.po +++ b/engine/payments/locale/kk_KZ/LC_MESSAGES/django.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: LANGUAGE \n" diff --git a/engine/payments/locale/ko_KR/LC_MESSAGES/django.po b/engine/payments/locale/ko_KR/LC_MESSAGES/django.po index c8328c6f..4796fe5f 100644 --- a/engine/payments/locale/ko_KR/LC_MESSAGES/django.po +++ b/engine/payments/locale/ko_KR/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" diff --git a/engine/payments/locale/nl_NL/LC_MESSAGES/django.po b/engine/payments/locale/nl_NL/LC_MESSAGES/django.po index bcf0ea19..da66db62 100644 --- a/engine/payments/locale/nl_NL/LC_MESSAGES/django.po +++ b/engine/payments/locale/nl_NL/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" diff --git a/engine/payments/locale/no_NO/LC_MESSAGES/django.po b/engine/payments/locale/no_NO/LC_MESSAGES/django.po index 882818ca..14cfd8e0 100644 --- a/engine/payments/locale/no_NO/LC_MESSAGES/django.po +++ b/engine/payments/locale/no_NO/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" diff --git a/engine/payments/locale/pl_PL/LC_MESSAGES/django.po b/engine/payments/locale/pl_PL/LC_MESSAGES/django.po index b0b490f1..56e0a8a6 100644 --- a/engine/payments/locale/pl_PL/LC_MESSAGES/django.po +++ b/engine/payments/locale/pl_PL/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" diff --git a/engine/payments/locale/pt_BR/LC_MESSAGES/django.po b/engine/payments/locale/pt_BR/LC_MESSAGES/django.po index d8e033bd..2bcee62f 100644 --- a/engine/payments/locale/pt_BR/LC_MESSAGES/django.po +++ b/engine/payments/locale/pt_BR/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" diff --git a/engine/payments/locale/ro_RO/LC_MESSAGES/django.po b/engine/payments/locale/ro_RO/LC_MESSAGES/django.po index 0939a075..68f496a2 100644 --- a/engine/payments/locale/ro_RO/LC_MESSAGES/django.po +++ b/engine/payments/locale/ro_RO/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" diff --git a/engine/payments/locale/ru_RU/LC_MESSAGES/django.po b/engine/payments/locale/ru_RU/LC_MESSAGES/django.po index 17c68e84..a4fe15dd 100644 --- a/engine/payments/locale/ru_RU/LC_MESSAGES/django.po +++ b/engine/payments/locale/ru_RU/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" diff --git a/engine/payments/locale/sv_SE/LC_MESSAGES/django.po b/engine/payments/locale/sv_SE/LC_MESSAGES/django.po index afe12481..3152495e 100644 --- a/engine/payments/locale/sv_SE/LC_MESSAGES/django.po +++ b/engine/payments/locale/sv_SE/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" diff --git a/engine/payments/locale/th_TH/LC_MESSAGES/django.po b/engine/payments/locale/th_TH/LC_MESSAGES/django.po index 4c45c424..da355d69 100644 --- a/engine/payments/locale/th_TH/LC_MESSAGES/django.po +++ b/engine/payments/locale/th_TH/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" diff --git a/engine/payments/locale/tr_TR/LC_MESSAGES/django.po b/engine/payments/locale/tr_TR/LC_MESSAGES/django.po index 69da6633..3c9e9852 100644 --- a/engine/payments/locale/tr_TR/LC_MESSAGES/django.po +++ b/engine/payments/locale/tr_TR/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" diff --git a/engine/payments/locale/vi_VN/LC_MESSAGES/django.po b/engine/payments/locale/vi_VN/LC_MESSAGES/django.po index 306d4221..a4cae5f9 100644 --- a/engine/payments/locale/vi_VN/LC_MESSAGES/django.po +++ b/engine/payments/locale/vi_VN/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" diff --git a/engine/payments/locale/zh_Hans/LC_MESSAGES/django.po b/engine/payments/locale/zh_Hans/LC_MESSAGES/django.po index a01d39c6..55f353c2 100644 --- a/engine/payments/locale/zh_Hans/LC_MESSAGES/django.po +++ b/engine/payments/locale/zh_Hans/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \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 56740f0c48d037597e19ed719ce495ddde6ec880..274dbe44fbae3e9208400291c4e398e0b82b336b 100644 GIT binary patch delta 3700 zcmZYAeQ;FO8OQOH@Y=|m5JDso4vC_au!>+4NGQb87POStKoJ{UlN++S*-iIugjAR< zF|WutZJE}FDjkd%2!u#iQeTFdwmO~GKNvgO&b`waN^8Y3w$p#KQ+1s7`@45TvAvV$ ze$IV8&w0+do98pH_vB?R%^d#&!*+luCB~08W)S~2i5**Sfic^#59i?}oPwX?R4ll` z82(H#JDtA;i*PAU#C13uH)3<1F%Ev7KHL5?Nf1Z{kfjp)gEvK2~ykHax+JfL7E}tQ8S9F+#5*I%vD^BAK-lY zHf!!@YPH=?S)9aXCOoP9|0=0%)|zrtGdaXyw%cU`YWie)ySDzppLaWr=vNA;7! zj2>*Kp^^8a*1?Oo1Miv>j_44!aC{W?;>pxgBP_ztVHxUt1#ZTbx$}onQ}9DnWqyqO znbYhR;_JoKUvu$3CvL}L>Z}peB8$UpMU`+b*5DJU5&ar9f{Up8e}}5bd$<5UMompA zqmosq`?eutGfk)g9GFY}m3bd0Scm2*)Z9FWOpkdJH3jeD3Y@{)G*$Pa65EONWm=Fw z)5ER{2k?Ge#6r@0I#CJsqXu#YmC)5puJH+~qp3F=LzPVxs&t!B9o3;;5JNq;h?DUED^Zp1MomFxga+5l?@^!E2RO{}PHW71oJ2h}!p*1= zK9aKsmFNH}@mEnDTtR)d|G?6G7Iztg;ds?8e46+uYB7!?31rMKXsG0W#UvIojH^7@ ziAhY5Za?QQ(ThH_ecb$2?8BeqZ&6eCeHN0g{{-*A7qEfnFXI-D*K%?LK7~8+U98mi zznXNp$Lz&wd=4#MMrOt2Ee(GG=b=jHB43<&8dZ^>;tafq4A%S+w_*NWVPZRQGslg{ zpBZJR`>$dN{hN8$63FbB@8Kf6fDht($RlRm3hJ-9`p$~5L@%Je`+Umq04_vz^f+oYKZ$ej z8Du$_^GNRIGLpL~V*b8}8&Dk{#w9q4D*0dVCj1apvFSC`ee=$;V)68 zdkg8q{1YuMuMHEZ%Xttrm%~_yAE8D(?H*(PfK{jj3t1?ta0K}?_3RelvzUh&BG`7a zj}xp#vz54?NE1zj7LT@X5vtbMww8vH9@|tIl~tP-?7E;8?wYS_>uVrCC7cNs(6_I< zIM&=jL#5aDFtI0S@dJXpiPGHh1K3J@BX>MTD%bdO&adHAVjrO?C?K@{g0j#K7L;Ty z1yiC=@0*0ms8Va2L~J68i8^90p=~{JfZ)puw(6XM-!bzD!BR472(7cRZMy2O6|Kcl zPH1kleI+E=GquJc^yy6@^d*cVw9O;xiT#A;nIF+$o6Ek9&}Z97M2Q%&nn)1(D)i-K zlI(U7EZpE*hv0wu4LE^#j95lYChjDb5@kd_(N2sf9wNR@JV-PUErd2L%=tkp{2xn@Oxb8#y4gvjV-3-?(`dP}#7#$= znrxfvq+IJdiALMvxNdZh<3?<4+)Y}yt+h3oO1n1Nkd7r2t6F1;JrPsuy0JY8$FVJK z?vd(Qv$9nM)%oi;IjJS-=9Cj{wBc(Tnxlz?6E|C&)_8k`ZHOmbr@}_*MX#}YW9jBt z!bYvz>NLcfVhuKYI+9IIIXx~DWEM+2l-y?o`Z_nl9uC(!(o8Fyl zbrQTeNUOr8KGR>2vaL(d1A}%Rr2w`y+8$3v8yQy0u}(`YO+6xJYrC6vT1*|)Fm-d- zU#o`Yp;UWoGL}eZZ<}#+TIQUW^*gOM=y&>EUe+7(&Uzz$m*4AmkDWZ@_i)%5o*M9b zbLahD@3h|$oaKJ*e#JlJo%`>_m;8hNA)TiOZ_s<*?~GXP81Y{AyR0`rbJTyrTRa#% z;hpf#aO0qNd=<^$iCk9KJ)XTV@11d(4!@iGPW^vJr1&@wDS2Mq>%D9=DxM$l4qJ|O zaDps5X?29BuJy{>82FHP62mdj81l~RA0a7S0Tf&acuMLX+ykWW+@lHju$I1#O zuI0I5GU>7^fc4Ik?+9h;2nTx7JIByR!t_Z>`B_q@{N$J`nmICUQE}!hSI?_6vij_G zy}HBu*-A@kd44z757O-r4-AJR8=}mIRR8esS`q%I0E5AlGbcQGJYu~e9yrO-Y3mIy zS4OIqHx#Bm5Daus7sv9^$WKK~aNO;^Hq)$ delta 2659 zcmYk+drVhl9LMo5APC4^Za+l1r74&20wJP=8k&lT7gX>9i4pBlt;u2xi% z8^f0IN4ajK>o!;D)aI&XZMHO*%GO+sbhTzHwD;$C4vlAg&+9ygbI$WT-{*UNXWIRG zyxyxZBVIAuE+U!uKEUh^JT#I6Eiu$=9C|Per(-yl;wW71Ua!G;`dcvwpT#&lhz)*b zM=_Ir2rtRNJRD)>wbh*H#&!4|H#Xx&oF8GfiR;HB%>pq#%6V}z@}Onl9PXQl+4Q$W zJ1_3U68fKE5)PskmKejJn2#RZjB$)_t(+8a;Ruewi^w}|02$lvp;j6>+KfLN!$BFz zMHXe{n1xlCf^Ep$?M+lBK13z+Q&a{{yAEJ9<=XJawyMSGFS+fh`?KR{*T zbJW0R-Tt?zfi9t*yNX)*UEG5n(z^-|qZaf#HsU?>>cx$0oL1O^A=r+({vs~LZuk0a zRO_0Pz&fm?fFN@qU{RK#9ImEUn|PtEn2}e)B`h687adw ztU+zfKG!bPeIFxpu?wgLTt`iO04XE;7qvAZY&glVeAE^!#6sNZA^+N|ce$XMokITX zA_ool8@6FE`K-q0Q7^iQn&4g3N}{=06DoJDMGe%1EY`YEnLB|R=M&WPUwb*xgV)>( ze;|{#AWC*Trl2xZikj#mY{zO0#_On5|BBjz*s*5(SrG?)MOCGc0(KOVxIbf*X#Q3F4XH@UAHpTGmm{xz=ueZTWH zbude9$uZQ|^*+}5v;TdZEaSoiHfk~M#wt9A1(-%fsi>+r6ybB2ihanU?FOzu%W*PM zi4?XygIej!r~%(Y=4M}@?(fGiegB0II8{Cmr}B?Z)B_h#FSvqXcn4=-V6I~c&Zpmk zi}5tB#Awns7aK4YkE8bdDA_#{ zbsR)hfA=(}hEAfsqVuTVhi`Bh{)l=mC(l{PTvR41&`XxBnUhJ_jkWkCD)pK9{L0}5 zT#7HDzT${q3k)@}g?#FmkK)A%Av=%NvOpTEY`OzD#AMAVM2qdt#a`FW~}F2?@AzQ2yNYLLQRWM zCd&zb!b{j3LbKgSXtvrbwOtOrBGaidq^9p(t(H)_hqu*q8VD7lYGO0-7_oz>B1o() zCs?1=Yy4t{0h$F(3{}e)BK_oGj$Ru_WB?N{0e+%Gj9Fa$CB32T?#88{eNySjdRn`hNQ7tq@_J~*i3)$F9+pR@bp{{v3^0bc+B 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 d9ba99a2..9f4a8439 100644 --- a/engine/vibes_auth/locale/ar_AR/LC_MESSAGES/django.po +++ b/engine/vibes_auth/locale/ar_AR/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" @@ -74,6 +74,38 @@ msgstr "الموظفون" msgid "System" msgstr "النظام" +#: engine/vibes_auth/docs/drf/messaging.py:17 +msgid "User messages entrypoint" +msgstr "نقطة إدخال رسائل المستخدم" + +#: engine/vibes_auth/docs/drf/messaging.py:18 +msgid "" +"Anonymous or authenticated non-staff users send messages. Also supports " +"action=ping." +msgstr "" +"يرسل المستخدمون المجهولون أو الموثقون من غير الموظفين رسائل. يدعم أيضًا " +"الإجراء=إرسال الرسائل." + +#: engine/vibes_auth/docs/drf/messaging.py:28 +msgid "Staff inbox control" +msgstr "التحكم في صندوق البريد الوارد للموظفين" + +#: engine/vibes_auth/docs/drf/messaging.py:29 +msgid "" +"Staff-only actions: list_open, assign, reply, close, ping. Unified event " +"payloads are emitted." +msgstr "" +"الإجراءات الخاصة بالموظفين فقط: سرد_افتتاح، وتعيين، ورد، وإغلاق، واستدعاء. " +"تنبعث حمولات الأحداث الموحدة." + +#: engine/vibes_auth/docs/drf/messaging.py:39 +msgid "Per-thread staff channel" +msgstr "قناة الموظفين لكل موضوع" + +#: engine/vibes_auth/docs/drf/messaging.py:40 +msgid "Reply, close, and ping within a specific thread." +msgstr "الرد، والإغلاق، وإجراء اختبار الاتصال ضمن سلسلة رسائل محددة." + #: engine/vibes_auth/docs/drf/views.py:18 msgid "obtain a token pair" msgstr "الحصول على زوج رمزي" @@ -238,19 +270,19 @@ msgstr "اللغة هي واحدة من {settings.LANGUAGES} مع {settings.LANG msgid "address set" msgstr "العناوين" -#: engine/vibes_auth/messaging/services.py:48 +#: engine/vibes_auth/messaging/services.py:51 msgid "Valid email is required for anonymous chats." msgstr "مطلوب بريد إلكتروني صالح للمحادثات المجهولة." -#: engine/vibes_auth/messaging/services.py:56 +#: engine/vibes_auth/messaging/services.py:59 msgid "Message must be 1..1028 characters." msgstr "يجب أن تتكون الرسالة من 1...1028 حرفاً." -#: engine/vibes_auth/messaging/services.py:90 +#: engine/vibes_auth/messaging/services.py:95 msgid "We're searching for the operator to answer you already, hold by!" msgstr "نحن نبحث عن عامل التشغيل للرد عليك بالفعل، انتظر!" -#: engine/vibes_auth/messaging/services.py:133 +#: engine/vibes_auth/messaging/services.py:138 msgid "Assignee must be a staff user." msgstr "يجب أن يكون المعين مستخدمًا من الموظفين." 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 f12c125869e015f046f82ec98a27360aca22e214..c9c0e8db50c766354bfe1dddd0bc9d81144fdbc7 100644 GIT binary patch delta 3523 zcma*ne{dXS9mnyfX&P(k@05~4X`ZIE6`O>nrII$q_E03yV$vT;ZPC`v-KMv>yWMkl zFXdw6A)+N(_y=tXoe?|0Xn;(|3FC|+oxw{)oe^;ynPHqk#~E80WX3=0AEJ!DKX(@_ z{N*$Ez1OpQyU#w)_xbL<;ysuzy}7*pJBBt&tS0K~jrl(Q?IV2A9$sL~K^((1_$DsI z_izy|xW*Vhrim||zX?}j2R2|gUW+}Lo@0!QALsa0E?#F$$^4TJ&onnOnl5a?ChWw` zxDS8FjSpf9`~U@%ZzEnO?VV{p&tBQ)VR-}#(Ng;;QlhUa@@d8>v+D| zN@q7G4&n9qI4ToUcq_h!t8m_m>I9qdHjcO94VXjbV#biUnJ17%nrD$)&5ux-`xTNj z^A>KxE7;8Qjb+)3aW`t_J*e#Wqf&LW<`^=0^8zl%pJM{wz-GLGyzBQaBw6NOREF+D zJ=m!oXHm}yv7{S|bhPquR2{s4hj7bv)fIgca~wZ`8hAeW)CyPPN3jKUz7_Z3j@tRt zs4X~y%FH?BW1iz{15P)Qf9=KFocI_vk!P(SffR>1fJ)&B+=<^pt>_o16}*bN{`aVi zT*kHdE^2F5vntt%y6zydHZzD?!07elUo#)$1a)Z6qW0!#WP8kOs4e&lZpWpJrmeaM zHL=6UvrG>8m{WXx9iPG@cr%5haUMcVa2&Oe=TQ@St5oa!3-zEyHyT5hO(!aKy{HHE zp$70!H=e8=KZ;7}d0dY_L1pMqsEJ;}Q}_>@kE2wgGW`wI7L+c~;WzU->h-#UCpbQA ztFPa0QPo{XUbTmfsEntZXM(WWd@$4LG3vc0g8T;9S3Dk8dB&j9i*M1no zUHtGo&aLAQ2!Fr;e`i_jk{RDv-J(@Y-*UVGb^b2Y+wux(;NKv(nm6zy_rHf*I36Lr zZ8(Xy;U92~MrdTim4Pj|6?>7HnTJp-eiCoT3)qbBptfKUl`ET3#n^$$L?>>>{Wu@L zh8=hsEnY-r@Q>J_6}&@7E4YH%!++OoVY(Wy8#SQ;{3MQ|uKOvnTjtNGnwisHoyaQG zmRZ!e9W}S3CYC^r8)E4(I;ZLMp=G0V<1n7YQ>YBobJs##f!E+#)P&k_4|dnie;ZY_ z-$UxzJcDH4{0x=Zw=sduq~lg}I>^7O@C+w(;Y+A$zJxpRKd1-pWCLY4>TNiPdacs9 z2}e;Ann3OSG-`!^MO|OV)3tz=xD40fa@@9+{BNVv%?YLOE66?O4BmmiL}g$h)0L}H zHPDKh=w5sPU3BphYT&&Lx)hILH|DVse~g;guTfihxkN{MxZxAk>b(Q^pj>^otsFgKP+5tA9Cj2levyY={=4I6VmywsF@&*C#Es-U(`UAuf zA|?h2tw`-lL{Ftx{rWU$m9veyt*lbV_Yzw9Y)j8}a37)U-mK^Er!zu)xE zQnos5GVS=jn>G90e74wXli470Tdl)WG>kpr#c9vCj*aqe(i`-Wwt9E_RJicDxuwd? zJbxg#-zEb;4uh;YpmS}3pDotr6Ya2BFN%)^dDmy;%CuT-_<`qDrfmCsp1`8rVG>~T zPB9xeDV7zw*3Ee_`Dix>ic#$5Odr`Web@2*el{#Og~fc}`SH}orDqqHj^xAg`Qf6? z1?iw*^FdUe%sMe^Q?~u`r1jl_zy`z9=Vr!T9T#RUdc&kWTb^jOnb@5fuUs?~ar=mq zn?4uCzT+pocH0}INO@t%wXu^aPkb=*y}ED6otjzm!@7Yzj$b~XwfQi(dI;D0jvdaH z&u9F=^f1ZGhulmX0GX=cDvI)Rao0qU)obm zKO2=ybGh$ku72Lk1(V1mU6N23;rm0A`M)=)zgWrP5NU~AJLIPPfXPgdxI-7c*qwev z2O~~go}9T@&1j0n2N5T#J6E1y>t?fT`lGmzSKnQ DzIH8< delta 2672 zcmZA34NO&K9LMoLFY=}rxXOz+O|feNf>J7>V7_2r3KCZ`1tPS-1i=gtS7{e9W3}d1 zuF+~Pmc2{Mack3RR9d>`)+V)8E7^3KH63Pcwv}Sv-{G)T&-mZZbB^ac=Xw6m|D4&m z^+ZE(aD3#8M%zwICccd@JAltc^Fx~$XEp_WI1cBd2a9klR=DSDF@@tMjKbZRjL+hx zFtZ+<$#E=$_;DUangwkg9bH(1-*90o*5UGavj)!hCYX)El*EyNCnGnS9}BrI1G72a z>>U~SC0xSsCwLQHM=fmPcpi$m=)*=#=K1y%ojgvwjFWHx8PkT4XWI?bN)slS@n@6x zQATo*MOhhUVI@w*J;>bc4OAvRKqd2IR0fW@4xyLln=i?XXIK_4#YL!rI*`d*4=Uw- zs7!o@dhl`g_!R0v-=XdsM6G-nccPEH;7!z?A4V2!KjA|BEtULhMY9-1E0~MAAs>~I zQk;ghsIA%Mx*v7j5o9iQ619M{sEH3DWn|Y-TNBHMlMKs6ZNW-hfZKfJUwidFCp5Eu zhMl% zL*{6GsEiJ{oydJ?Mhub->!PF79>S$~4(H*F*&{_&jk>NA zRh$QLA%1}xIE=!O9#nPvP;bdB%)&y{gtnl*1J9rq_+AeA*9|8)p%wgy+Phy+ug71Q ziyqRV6fQ&6N;MYZUQEDKu4hm+a0N9{FZS~2*`p~GYC#bRiv~?V9B2?+|L?f}0Xd^0#0-}OgOt2+E zCoQ~5PHX44$?Ypm%FHU_QQ~1DhtQj%mPW)8s^}_WB{AA2(7D$=VCS5sI#Oo!t)L9t z#{O%c*$$gdY#=rh|8A-eeet#ss`}+bF|nE`B1YR7x8uPU;(qsdtE*6L)ex!)eO<@# ze5Yc0Y!+BdY-H-)ZcL?!$K5Uu+F 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 f658bfbf..8d1a748e 100644 --- a/engine/vibes_auth/locale/cs_CZ/LC_MESSAGES/django.po +++ b/engine/vibes_auth/locale/cs_CZ/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" @@ -74,6 +74,38 @@ msgstr "Zaměstnanci" msgid "System" msgstr "Systém" +#: engine/vibes_auth/docs/drf/messaging.py:17 +msgid "User messages entrypoint" +msgstr "Vstupní bod uživatelských zpráv" + +#: engine/vibes_auth/docs/drf/messaging.py:18 +msgid "" +"Anonymous or authenticated non-staff users send messages. Also supports " +"action=ping." +msgstr "" +"Zprávy mohou posílat anonymní nebo ověření uživatelé, kteří nejsou " +"zaměstnanci. Podporuje také action=ping." + +#: engine/vibes_auth/docs/drf/messaging.py:28 +msgid "Staff inbox control" +msgstr "Kontrola schránek zaměstnanců" + +#: engine/vibes_auth/docs/drf/messaging.py:29 +msgid "" +"Staff-only actions: list_open, assign, reply, close, ping. Unified event " +"payloads are emitted." +msgstr "" +"Akce pouze pro zaměstnance: list_open, assign, reply, close, ping. Vysílají " +"se jednotné užitečné zatížení událostí." + +#: engine/vibes_auth/docs/drf/messaging.py:39 +msgid "Per-thread staff channel" +msgstr "Kanál pro zaměstnance na vlákno" + +#: engine/vibes_auth/docs/drf/messaging.py:40 +msgid "Reply, close, and ping within a specific thread." +msgstr "Odpovídat, zavírat a pingovat v rámci konkrétního vlákna." + #: engine/vibes_auth/docs/drf/views.py:18 msgid "obtain a token pair" msgstr "Získání páru tokenů" @@ -238,19 +270,19 @@ msgstr "" msgid "address set" msgstr "Adresy" -#: engine/vibes_auth/messaging/services.py:48 +#: engine/vibes_auth/messaging/services.py:51 msgid "Valid email is required for anonymous chats." msgstr "Pro anonymní chaty je vyžadován platný e-mail." -#: engine/vibes_auth/messaging/services.py:56 +#: engine/vibes_auth/messaging/services.py:59 msgid "Message must be 1..1028 characters." msgstr "Zpráva musí mít 1..1028 znaků." -#: engine/vibes_auth/messaging/services.py:90 +#: engine/vibes_auth/messaging/services.py:95 msgid "We're searching for the operator to answer you already, hold by!" msgstr "Už hledáme operátora, který vám odpoví, vydržte!" -#: engine/vibes_auth/messaging/services.py:133 +#: engine/vibes_auth/messaging/services.py:138 msgid "Assignee must be a staff user." msgstr "Příjemce musí být zaměstnanecký uživatel." 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 8d1de9c5b0e0dd3c7a308e44abcbfb77ed9b97a9..1a622e8132c263a4166de9bc902432e44ce12de8 100644 GIT binary patch delta 3416 zcmbu1-dN=Wrbe0+k%y)vwLRGj^~`2 z)0sJKk8M2(0cz3shMNT;7_276NYZTxDj3NUL0?d!fka-AMk9tOzL1)TxA^^?nMLuf zPxe2bXJ*elm;duT^V{MpmBzbsTOKvaapEeXrN!)f_{V8nC|_+g+k+=@5x$GF@Sivv zTW6Z_XY;w}`7-RlwKx@T!+E#^M=vq+@iW}N!H=&tYuHCr=+hR`ntr$x=VK49!Cm+( zUc3(rxc5@CfagDMGn<0TFEeY$RXB(@p*nsV)$VCjduMPf?~h|A_fvW4YWlZpschlF zK3ss`L}g+O*W;V`DV%b7Ho(Pr9rqjXN~|Dbv6INy>0Y3u@#$P}$#$O4VTQNo4SL4(H;}uor)gi}6bGuK#aBl4W-1dpLI z^Ca?T&v99Sug)j`T8lsM;2NAyo;8DBWOG>;#tw@LBucJ46V=fGs(}FY z;<5bx8>p0i8<*pcP#L;_8t8j?0{?>3@i;qCnSKzp1dZpZ@IQMSb-XU(Aoq7WMvpI| zQuP~Drv8N5O#eVVpGLklz;@JUW2@9tMMrB_hUEr=b4T6+P`os zu3}Wn)N)A0@!(-xi|0^l`W|W~+7No79Z8PuMVllSj!ycTfnH8u^!xHjm2^Wp{8B|B-Q3JVvJMhE&|J%B<=P_!nA3$Z`5mb9m z=J(I$_h*n~*;!P^-@(RlDj!n06%W#@8u}rY@b&zD{p#%bHq=aa<4oL-w__1!;91nB zeF-)2SCE5azeHBSKEU^dn!&ov!Zy_IUx>=c zY9y<+657lYpa5PUAaNdbB!9<%g z*Vij0MhMMBYao(*8p*tP}xrCB(ZwUvME>SqgEm|6I%!^+eEok=U*F3YoeX14}{9+ zGMd+3u0Emtp;Iu2m`tc>?+g;h2u>GYw5;gZ)d=m00^tz>aT5^|IwfooYeZc36WXO6 zgo@7cOkxUglweag&;1%)ODrWO5p_c6eTcY|I6w>&6+%TDd2zFrZQARo?2|&4ByvfuT8-i~ao%tmMBxq9AS`xUZ;}MX(Dz-XmOQ+vy?v~wbvT z9gTgj;Id|iN4+rg%eLFEmg}8vxEv*Zr}OAV&A7usIvRw|b4k@74n~4um%ZIR7SDQa za-%u2ARLO0xZx;FgC8QFs;~kekDlBN4NFYlhm)+0NJpCE4Y4~4aZAyy&45!I<~Uy@i~K8T6woz z=4ZvIP$GG$?}Adv@AAULqeV9q*NQ$JD6#x%$WKZ>m2L(DNjm-_zlvQ{OvX=tBEe%X zFZ#-)8_8!9g3>toO81F7YcsaFDGO1@`H2!4VGBy(f|Me delta 2662 zcmZA2eN0t#9LMpm7gV0%BB)m^5ehLt10nDsK@BkUX24kzd9>3{c+9IEWh1Zy3ZY7*fYUCQc*VkFhv_y8bxU z;d9>gaa8I5LUm*_C@Z934$enSMJ?uHA8G(EqUQWKGHCk_m*MX-sJ}*3Krb4>BGeC- zpenK+=VA+LYVP+OLf!Wkl8b$c8o)VJ;$z4%vI*4G#4_O&!%9$7uof3%Z-Dx1u3qJW zG8;zz>oE# z;`-TZ+%?tAXw+}J=Wg6TiCcO(S-=MScqSvrYMGCE5R(( z{UxYvc@Jv)4x-k^%NT?2Aw{xJP!+j=aY`|n)?zNqLXx+QsMWm}mGMJ36%V2kJd8^C z6zW0as6>2}rv}qe-?yQzKZ!~B5~{y9Q2o8Dwo3G&ci}WLI2%E&feGxxbe3=xK7s1! zTkOQ2y>3SP#q&*mqeYh4M##kIdEy7V$;^#5M0=7$>Pz_5ia9@#Scs=bPDv@VV z-@l3a;rFPDjiW}C$8Zy{2(_5YQ6sNIaD zCgK`Y2Mwr2){jbL5bN z9{3FM3b2onU1XaG9jQbaQA#W!?jUX=^cx+UU7UBuHqKWOO0b2fBUTVPQV1nhO|V;? zE$VEabu?NDmH7rj$37Ql8|hSu>Bw<$O3Kpt&#{Hp4noyRB6bpY5;Jg#!P%FBL&`OUS(>U4aHK??6l<=v=ej`!n zT+xR&|5V#~+1!Smy8f?Y4d+?JZekgst+<-Fg{UMV$7JtB3%857)oW`3Mh?BWnu&Nq z3p9b}JO8t_Es_Z>9&MFgqJq#iiyTp$XfYNO9Yg~WLqrZ1x79`(p7Z|K-b#Bt(d}K& zui+%\n" "Language-Team: BRITISH ENGLISH \n" @@ -74,6 +74,38 @@ msgstr "Personale" msgid "System" msgstr "System" +#: engine/vibes_auth/docs/drf/messaging.py:17 +msgid "User messages entrypoint" +msgstr "Indgangspunkt for brugermeddelelser" + +#: engine/vibes_auth/docs/drf/messaging.py:18 +msgid "" +"Anonymous or authenticated non-staff users send messages. Also supports " +"action=ping." +msgstr "" +"Anonyme eller godkendte ikke-ansatte brugere sender beskeder. Understøtter " +"også action=ping." + +#: engine/vibes_auth/docs/drf/messaging.py:28 +msgid "Staff inbox control" +msgstr "Kontrol af personalets indbakke" + +#: engine/vibes_auth/docs/drf/messaging.py:29 +msgid "" +"Staff-only actions: list_open, assign, reply, close, ping. Unified event " +"payloads are emitted." +msgstr "" +"Kun personalehandlinger: list_open, assign, reply, close, ping. Unified " +"event payloads udsendes." + +#: engine/vibes_auth/docs/drf/messaging.py:39 +msgid "Per-thread staff channel" +msgstr "Personalekanal pr. tråd" + +#: engine/vibes_auth/docs/drf/messaging.py:40 +msgid "Reply, close, and ping within a specific thread." +msgstr "Svar, luk og ping i en bestemt tråd." + #: engine/vibes_auth/docs/drf/views.py:18 msgid "obtain a token pair" msgstr "Få et token-par" @@ -240,19 +272,19 @@ msgstr "" msgid "address set" msgstr "Adresser" -#: engine/vibes_auth/messaging/services.py:48 +#: engine/vibes_auth/messaging/services.py:51 msgid "Valid email is required for anonymous chats." msgstr "Gyldig e-mail er påkrævet for anonyme chats." -#: engine/vibes_auth/messaging/services.py:56 +#: engine/vibes_auth/messaging/services.py:59 msgid "Message must be 1..1028 characters." msgstr "Beskeden skal bestå af 1..1028 tegn." -#: engine/vibes_auth/messaging/services.py:90 +#: engine/vibes_auth/messaging/services.py:95 msgid "We're searching for the operator to answer you already, hold by!" msgstr "Vi leder allerede efter en operatør, der kan svare dig, så vent!" -#: engine/vibes_auth/messaging/services.py:133 +#: engine/vibes_auth/messaging/services.py:138 msgid "Assignee must be a staff user." msgstr "Modtageren skal være en personalebruger." 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 377ca0bcf12af57779a97299666647f66e94c9fc..67879aa69383adb10fa5c99e7e7879ae7cb97518 100644 GIT binary patch delta 3526 zcma*pZH!da9mnw_EL(YAKyXEr11N~@ZbhLitSF1piV7_3F32L>H(#chp7Ew$3Ljj^T;Hri$lX{#ottF4--Gz}VG)EZk=X3oEUtVNP#e7PKIn7y&rY|nUW^Bg`aSQ&9 z2XDtLZkuk5&;6&GjG2Jv&M;;cUVzu*WvGdNjvDt-)OZJR9nX(p3)hW2w21l5#dOwk zV>`~ppP(`^ip%jZo`DliOBXmFS8}}q&%^?<7BhmZ%^W~BX$~TfnnS3}y@Vvq9K#Fn zIL>E&W7+mJT#H)yW>ogKp;C2y%@Jhr=1H81f5uLH1LxzJnZFOlOhhfzmx6jxyrqv@!wLM?0u zGM6bJ|I9u!I##K5K1WS7^(w8cseHhQhKcX`97HXmI;6D5WPsP1dqB8w`)Dcvkpu^wHYpB=jINrha4$GT? ze@6{8gS@KBEh=@(YOX=m(1zNzk6LgEUq6M+Vk_4k=PB<+J^u`nq>6cwj&^VqufP+y zd7LqqpJU8F8Q=kyc@Ou8ShjZ1xHQewbX2NWqiW$<)ZhPt8t*XP%k#%jM_1-t+i?^( z;fHvh-v16Nkhx42^@S1Cj{bxi=xyx4&yls6m25*tu@fl^6QCv@K^@)wsG~fH6Y&UM zga1Iy)6$k6;TCLUev_f2Guw?Tu~_rhsH1tS<_Wxx>v`YgR}RZa*_c0|CVmZ-iH}hW z`lNP!0`+?`fuB=0ZKk3Yz6vY9qtioYGd3m9kfH63$zmzMe}^ zJ6(=?kFP=2WHPAg-;WySDbzUc<3em)krv%j)XrC+Hqy0%{9j3@j~hzmBgmZQS#)?D zHBsNU(g$xu)xh0o@wa#%{uOV;4BOHIkKkuai>rV=+3DnixOD((MrI%?;q7&24+ ziTn=kB9zvv2{pY&U4)LJmlz_{HV}IW>aE)Jdr@yH%ss><#9BhfP;b+ff1R(YRfV;H zQ2TaD^|O;t6{Fs5o#`}UJfX&~b@hKex1#DnKQL-@i4rk`$Pymm6PFPI!EceFwoN7E zV<&MbF^5pot1+3FK-@y;jZl&CGf{orRDk1%GNJdqpV&lvm&gzWLQNGvzuHTyekJ{F zL_5(##P#~)?J-M;#e^mF>Z~D5XAlPELRgAz7+J5BCpkZ`o{ftx;}7^5n?Bt( z8clg@e5JZFKj;r{wwW+UqA+i|b+0uH^5xok;?*|q$H@(0(FKfLT~>>YzBXTV$+kCO z1~%<(A_2DOmGhyOWm}Q6uHYx+qs?@egVQQ$ zTAdBEe5;<;0e{$cQR3`67nG7=7q!@|?`+^_a)})-6)YKw!@$eiL6;jl6lu+S#txCA zz;5y~xkz86uY+(w8*5H@AQ^i)8BUlalRJ3|4LXL=XU?8Deph|WJ)QGk0~gzV7bkw9pcSM;#BHO`FL=43a&?;i zyt7%p))kT^M(~2cm>ZGZ=qFy(?|c?(HkBefF!uDOxY@P$;p$fpF{OX|L0*oy!eZzuK*+2AJPB- delta 2666 zcmZA3dra0<9LMo50>;DrjwA|%CEzU(@`4w@NCN_mynra0l7ircOU@X3(sGt-I9pB4 zVU}r|>#}-mb}?+#{HNxY<=mROqS|s58TD70_Wt~y!{$1BzQ5P+9G>6robx^BJo;mI z{}%t%#IP5QvYp5vz6muuhR@x>g)%16Y&@o8G|t2rtiUL&bL~x-O1%w7<5QS|dvRlk z*-^}=?&BpnScG9_ep|tfzPJj%=8K)U9v8-%wb1@XoLM-g#s^=VfjnqASkCuyaWeHy z3Bea1#8T>K@J{>}HL)>?bc)58j;)wN|MoODGiZ1T$KnO#oi>E@ZMRS}jY~4)V`I4} zBh!#cSq)CYdd$S#$k^>TDifzr$@~bFfzO;nm_YxQo@_=RHVMmc9_mF;B7?W1sFc5p z%ETwAj?cOJSE!CIp`N>nn)yxa#dOlU91ox-^gFiWE%fWf?JS&T*n>XYgKFQ8OYmja z{s$`c|DaxEX`~h6@gB@WEyZHY#a`3|PN3HOePq&h8Ry{jH1e+*P2nw?!F1FEvr!qT z#%ydtEzM46Kk9oQAY-vFP!kwL4SWdMMs@?WG(HxbWLPn32`X_GcBhknt<~E!Xk-J( z$1ZSDhri-(j3A#4*oS)2HPiraqGpo7mo=ao=NeQ;9mr&@ACC^|6UY|re=`dW z^jSuyC4L@NKZN^2SpQeKnMFe()0l~EScAurkNw4kciFhS;NQ!Uu~-i(Q-`qxPoXy1 zbyRAT$v>-O6EOnIQA<&Ud~6*TpU!_DH`O#8M0NBNYDps5IT~>WY6)_12Ie`}qEdax zc^Vt3U&Q%X$WdTbtOM2YKGgeOM-AvL)#=|(bE6-K0pwXbhZ^}XzJoF3yB5!))-G-; zzYUm$8t5yi_5k|ubBw|BxD+p=IxL(P+=L~l43(l^GpOT+zHA#-;t|wLuc6j9`(88N zVRKRSHmt^HFcL3fG=7Jg>2IiG8D3z<$1=ERGuNQr(}jA^u>$gc7dK~Vh{8eC%!g1j z@fDga!X#8G8&SJ?2R7rIsE(3o)N}c$Jy3yJ*n<0UFK)w(qTm4gkRLxgQAGZiaC3$R zo$J`*;F{*3Hf0%RVh<{Xhf$mEHPnDUM$PzJ*FKDzP}F_=`+!qX&#gv&N^AqZfICqc zOZAgy_M7FPQd5KKuopQ+-ui*JUOF8#+iYSTaX+E`qOv@Qm*&;nFCfy0CPEV|BUIuE zuOH;JYX5UIh$><|p)4>suWWawI<;mhoLH}{;i`Reds#tcBcYuhOSBS?5nV(*Q9{%a z^9h#F@9kiYtXCfA+UD-JU@q|xp|#sUD5W|nDp`a!Ul`FqR1za4iJM1Ug)QP0R>s>S zbFm=U#FhEa1NMh^_SfPj;`XwLiq>>9F^5=4JU~25R1hO2+}-Htbr6lNzSSwT2UZc< z>?uUF@}Eg?w7q{)bsV)Hx`|Rkn{cFra>LKJ_rI7HTt;YfjTBCuEgq>jC;qR#l6p1K z>DnjPa?|cA4?1;(w99n_vx!Fu?e@Tx$d#i4yJAj;M(*hBYHqisoy{GAPZJKr2Cig9 cga#H&_%bZ6F8HVN=FQz*Pw?lT^KQid2i_X?#{d8T 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 42d750cd..bda6af60 100644 --- a/engine/vibes_auth/locale/de_DE/LC_MESSAGES/django.po +++ b/engine/vibes_auth/locale/de_DE/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" @@ -74,6 +74,38 @@ msgstr "Personal" msgid "System" msgstr "System" +#: engine/vibes_auth/docs/drf/messaging.py:17 +msgid "User messages entrypoint" +msgstr "User messages entrypoint" + +#: engine/vibes_auth/docs/drf/messaging.py:18 +msgid "" +"Anonymous or authenticated non-staff users send messages. Also supports " +"action=ping." +msgstr "" +"Anonyme oder authentifizierte Benutzer, die nicht zum Personal gehören, " +"können Nachrichten senden. Unterstützt auch action=ping." + +#: engine/vibes_auth/docs/drf/messaging.py:28 +msgid "Staff inbox control" +msgstr "Kontrolle des Posteingangs der Mitarbeiter" + +#: engine/vibes_auth/docs/drf/messaging.py:29 +msgid "" +"Staff-only actions: list_open, assign, reply, close, ping. Unified event " +"payloads are emitted." +msgstr "" +"Nur für Mitarbeiter bestimmte Aktionen: list_open, assign, reply, close, " +"ping. Es werden einheitliche Ereignis-Payloads ausgesendet." + +#: engine/vibes_auth/docs/drf/messaging.py:39 +msgid "Per-thread staff channel" +msgstr "Personalkanal pro Thread" + +#: engine/vibes_auth/docs/drf/messaging.py:40 +msgid "Reply, close, and ping within a specific thread." +msgstr "Antworten, Schließen und Pingen innerhalb eines bestimmten Threads." + #: engine/vibes_auth/docs/drf/views.py:18 msgid "obtain a token pair" msgstr "Erhalten Sie ein Token-Paar" @@ -246,21 +278,21 @@ msgstr "" msgid "address set" msgstr "Adressen" -#: engine/vibes_auth/messaging/services.py:48 +#: engine/vibes_auth/messaging/services.py:51 msgid "Valid email is required for anonymous chats." msgstr "Für anonyme Chats ist eine gültige E-Mail erforderlich." -#: engine/vibes_auth/messaging/services.py:56 +#: engine/vibes_auth/messaging/services.py:59 msgid "Message must be 1..1028 characters." msgstr "Die Nachricht muss 1..1028 Zeichen lang sein." -#: engine/vibes_auth/messaging/services.py:90 +#: engine/vibes_auth/messaging/services.py:95 msgid "We're searching for the operator to answer you already, hold by!" msgstr "" "Wir suchen bereits nach dem Operator, um Ihnen zu antworten, bleiben Sie " "dran!" -#: engine/vibes_auth/messaging/services.py:133 +#: engine/vibes_auth/messaging/services.py:138 msgid "Assignee must be a staff user." msgstr "Der Abtretungsempfänger muss ein Mitarbeiter sein." 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 e8be32ffffb7d2dd3522d08ae2c7c39c3a0251b2..e4631a5cb04e96966bd40615bcdcbc94da63684e 100644 GIT binary patch delta 3405 zcmd7TS!`5Q9LMoLvbSX|`_@a@MA|}Gq<}z+3yUC2TNaVxFuiR@X6_7gr$B)^iK#4t zMngnFFhNBPpgxq~_T&;ZJP?cu>H{GzDAB}3F)9T0`HSC5txn}&?08Y9;68m8( zcEWks7Z+ngJ2Mw=;rcXR9$}WYKWNaW4dre6Vj&K|GMs=*@e>|=2y1b953>mO-|lJF z5l8hh%g1q8gR@Z`KZ|Y9~>dJB1|8F5x)5j0N;>4%6S%&&v6*4!gLrtK0 z5c${0cX5MtXiuSP^8!*HJA*30w>S-Z@-~%f0cv2YkiIO2{Mimp599NAFOFp)={+r| z0q#dl&%W#dX*TR_z<8%$!4I>Kjz*en#E@6P40j@~)B; zBJ0t{qW1f2R7PJe3`+VbYGS`5-%Hyy8k#{q1=oHrLhbi8sQq5bv>Ld-kKt-&f1xtc zaZIq^2ckOOjCyez^}ZI=em{g-V;7jV)>OB#!FDgjvD*Jh8uVcYaWcM(s_Ad2ne?JA zQ*jKc#%odgeJg5J??I*ZAZlPokR;lhn1i3AGVnE$4C}##N>hrR=-JcWiOi zEvQ-_LDl|stiV%PfO$+ypBJG@GYgf8g{Y1zQ5mbr-mgVHw;ox~wj0yUG+v~!0!J1H zGunnRuJ>R!yn?ydr6kzzeNgv@;ZiKh-hU8Pf}N<$Jc=sCA*2d+66wm$qZVQAc=E5+ zK6!jln}w(pCQ#d?1vP_rP&4}wHRIE$j9fsa^cPfV`m%sj%2HIvD^QCwfttV$)WG** z9v+@R{>i4j$_?$)FHt4<3ANt`l?Jt{LJcg8S{s{C9X^2(d<9ow|B1nSHlPN$9W{~t z*bC2Q{T|iNl{5`yVAP}_bu&>N%|Q)lIqJdn*c+QswR;>j(_^R%eT?1l9InTUs71Mq z6|GdSMmCPMpcdybWOHc!2Zu%fnQh&f zbs?(un~4QP4lzyhznz8-)kDX0LMfX|tRYnIy9piIrb`Gdu4-Zvp<_OwokUhM$Be8( zWl~AB4$27@|Ba)E@~`@9G3nPyt69fg0hzP*yh~^YXw|CD?Fk*KWeu^7U=!F#LWkB! zBcZiZON0n5)Y*hb6cba3bez*_ViuvTqN6L3OK4$jC0I+D#l)ttQi5M>yNPHbwBOee z_Yn6JVIoH8=tC4_TEYLAskE09WkeO>UtfQ>a-kmxtx$*1&+bgZD!jPY6pJ_dPCV&^ z8dD9fmx_c#DYw?)lVU#=s;hGveK+YlzU$RGG1vD)^{!vyR7Cx_<2NP}@np((Lg7>- z?#)a@y!sNW@cl@==eka;(ce2GKfkpsXU0wQm$=E|R727Y)jGjz!wn(NbECG*O+=fD zoNzSmyG2fjUi2DgQzX?8@tlz3C){wPE)sTvr%PIsdB@tPGb4+5>*AZ8aNJ8J<58>B zz2dkRZOV?vpYB8>erjzz;d;C|Gpr&f`H%iGLw2e?dSKG-MiSs8LQTH@JmRHV$Mk%zd-Z>k)x8t)hmp#w?e>1MAHvMu#)IQI&=S37x1k@SaS{5k2%~VVd%qedbG;KI@CBTNFX8qO zv*UON*O7FRfjJm%7O)CV^x$SZ$Ac|cgT*ms_1r%(!E78(j&(XtL0+^BEabUaIEU+o zIH%)w%;)+uOv3+A3rmb=P|QU??!ZZmZ+kge$c@)983&L)Z3G$HZlG2=VWJs-mdrsJ z$wn4sr8pZaF%|bAbGJ@ZCQhP~`6(&`U%HN99OIim!Hh9%HWuJAR7cMtlegojlz)KA z#A(#PeeU)5sDXx1@0~}jd=%TzPkJ}tE2stijg5E%1M0Yu!fA!iU?d(u-9Lim_@;aR z3M%#2P#xJ6(h9LS12a*jSc9{$4Yh!GP&MyC7HvP_QoKBc{A)#7^r96kK)tXSm66pr z4XaV5+2h)QdhTOnF4m7)zy;LAN04n~*HNX3q~IjOa#1B%g?YH!PySV__qd^%^&)>Z zz(E84h5OJ$KCAFBs-r(p6C6dYB#wtQp;FhasDYZ1#aag{bEi<_e1dxay8tJ8@mKf8 zRbj9fxx=pR(Z z0-@{}{SbpnWiqN1^O5~wd8qHV43)~BG^duop;qLfK6=iF`g}7`pYOlvyvO}b)13vJ zLG{~@dT#*vd;>Pbi8f6V)7K^`#(ZqROgw?g#31J2bySJw&2$DX!G&CJLy~8&qCVeK zs7>03%G4k#^~0!)Tt%@unpi5ysr6`^)-6RI@(Q7P=grPzzw zoYzn*3(0a;>_KHD36;?-RB6gkrEEZrdnAkeYtwacBMLu9AAXC`_#-kW`yKV!CCqh7 zkcoL*uS1pUFlu5QsJ-z%YQTQ1$4gj=<=IX@@1iDnI-C4!CFi)ITE*V!n2u!Ea!?tl zMy0M5HPExD3B8PZuM^ebN2t=BMXmHADnn88oQcL^1J`Nj!Gi%#lRF;t_%>1wTcwG{Q@$ELFrRVyvk|>)ea^uDPhv+)a>Nx3T_ZoGu`y6Wa*Y z=jL`F7yL7`CPI6qm{>tPKok*UO?6iD5zWLVUCe~gc4Iz~M~t;FPP8|22<_?z2@f&W*lV_C?7~%__04S~7psXD_vV~3P8!{dm9816 z?=zB^Mm$8M5Zym}H->gU@9PTlKGm|Tw$awN)HZj&K65anyM5v}(cQydf9TPH^a37v PE9~g#49~5P&Gr2cjxqVL 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 59e42878..973e2af2 100644 --- a/engine/vibes_auth/locale/en_GB/LC_MESSAGES/django.po +++ b/engine/vibes_auth/locale/en_GB/LC_MESSAGES/django.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" @@ -78,6 +78,38 @@ msgstr "Staff" msgid "System" msgstr "System" +#: engine/vibes_auth/docs/drf/messaging.py:17 +msgid "User messages entrypoint" +msgstr "User messages entrypoint" + +#: engine/vibes_auth/docs/drf/messaging.py:18 +msgid "" +"Anonymous or authenticated non-staff users send messages. Also supports " +"action=ping." +msgstr "" +"Anonymous or authenticated non-staff users send messages. Also supports " +"action=ping." + +#: engine/vibes_auth/docs/drf/messaging.py:28 +msgid "Staff inbox control" +msgstr "Staff inbox control" + +#: engine/vibes_auth/docs/drf/messaging.py:29 +msgid "" +"Staff-only actions: list_open, assign, reply, close, ping. Unified event " +"payloads are emitted." +msgstr "" +"Staff-only actions: list_open, assign, reply, close, ping. Unified event " +"payloads are emitted." + +#: engine/vibes_auth/docs/drf/messaging.py:39 +msgid "Per-thread staff channel" +msgstr "Per-thread staff channel" + +#: engine/vibes_auth/docs/drf/messaging.py:40 +msgid "Reply, close, and ping within a specific thread." +msgstr "Reply, close, and ping within a specific thread." + #: engine/vibes_auth/docs/drf/views.py:18 msgid "obtain a token pair" msgstr "Obtain a token pair" @@ -243,19 +275,19 @@ msgstr "" msgid "address set" msgstr "Adresses" -#: engine/vibes_auth/messaging/services.py:48 +#: engine/vibes_auth/messaging/services.py:51 msgid "Valid email is required for anonymous chats." msgstr "Valid email is required for anonymous chats." -#: engine/vibes_auth/messaging/services.py:56 +#: engine/vibes_auth/messaging/services.py:59 msgid "Message must be 1..1028 characters." msgstr "Message must be 1..1028 characters." -#: engine/vibes_auth/messaging/services.py:90 +#: engine/vibes_auth/messaging/services.py:95 msgid "We're searching for the operator to answer you already, hold by!" msgstr "We're searching for the operator to answer you already, hold by!" -#: engine/vibes_auth/messaging/services.py:133 +#: engine/vibes_auth/messaging/services.py:138 msgid "Assignee must be a staff user." msgstr "Assignee must be a staff user." 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 4ba458219b39f78e04e9865b09caf9a6cd803f9e..120a9b6168623d8c325ebe87fc1085c05dd40436 100644 GIT binary patch delta 3414 zcmciDS!`5Q9LMoLl&z&$pa^B{rEDT?*>@0%BD*Z5ETX_Ly``fwcZRuBV1QUHr8zCyt#3W{Ytb_Q7jdi1)Aq7PL3x&q_Gyet+zW z!?6v{#7A*H*0(To@o}!t^W}bK8M{M+KCL%z(-+II1jpepT!ngX9m8one;UiVZo@0kH(%DL&jpekg?f8WRi9adDKp!GIth9n%%%5cneGE-yEj>2u?+fd_F4s zOHip=nR6F1csq%m@eEes6)eS`Nu3Uj-vWWVnz?9X=vsLQ0w3% zF2xbuf*HMvF|H4yUfhm+YKC1gAInhp%W)x2$lc$KD#3nKW}1*cJI-k!eo;dHRf}J^ z@fennXU(7rSsYf4O5p~ags-7y^d)Kr=TYCkgv!Xz*cbmqm8KW7lH*X{Ta3)j>QEDC z>_PrD@?G3u9oieH+PsaF$1b2s@FR}Lj=W8!nvELRa-=VdA%C`m(>6Sc&*ESflHT(Q zYJdk&6L}9cpc|Q7<1VVB4!zCDvW-KfZUL&J8q^CSs0X*?uJ@o)`W6nrk5C!<9yQRP za0lMTcG$>DRHnD1N{~50gU{?TYJ1(n#au6Uf>rwgDl=cBGW9Jgb=Oh%Z=q7!g1oCF zCCGZTQq+DQjmqeuvY@1AQ4{+e`Ci8UprIM$Q*iC~GSq&rMh$2X)2iqGZicIw-9}~P zF0RC)K|#kJ>ctJH_iaM$_kCE-^<}25HI+9w*zSXHu=amF4W(``j=~R7HT?}WleW}l zEcQm#xCXV~*P&MRR#a;Dq6XH4B+*V_0iH)?;0lrqYt4m9GYH$zzm1{M7AGU$vFSMz zs9HCnYX3e~;b*9A+mdPN^D%TQ}0it2DXM(_wO$HEc8d+JaF+>DyY9_)l) z<-CgO=Vpe6GSFjWkh&45j>e(}GzazIYV3?jRPDB*W_lQvp)>dhp2HXMJJh0_!HQO@ z7a$wP(x}CG7}*?J|G}ZrM+wGb)r5Y%QbZl0j&-af=4V^M=_%;=(6wq?oV%WfGave_ z{-O3l+S3R&SjHC7*!0kc_nTUfDvgd8h_%_4*?L?>@PnB>p5vS#mIap&&dFSBdd|71 z+HWLg69vS0&HqUnI#drG69}bj2Jt+hde0$rXqzq|w76=B4TO$agmw~H%^nkT3YAGE z(K?t)u=pPwMasYGuf?QaC#_~3PX}br+Vd`<9iUaKI_D8OR7?E|ZXwtN)}PR!HPS$6 z?bH$>LJM^Y;Sua)8%<>5oK_G|5ZWp_@`?6@7S?8hwUk{) zSWSe97@?yJQJQT9|6|6|UP6o`78Cyc^*4qK{Xl4iI)r|9ClglX#l3Va-rzg&q!VgL z)w^CQ5)P%@T8B?6{8Xr}&S~)7r0@8ySL?)F-w&;I{Ys}Q>c<_wA(4nDQ@#@lry_B0 zaw6ibt+XoNkF51v*NHXw`z96_H(%{@x5d7Zg;QrOaFZ3O`lK7Gb%Ixi>qDOBMs1Os zh^EV(a5V0_8E1OID9?8o%R;>XBXD8yViEnhm zaW9pOM}vD6aW9(A4bGq7L?eD`RXpK(bdeonxs&``$Jy~aH6C4&0e3ywa1x<(G#;vD zj!D;XW04feskG{}pW@1D$W8Y2ATwmdL^Sw@=7uNhIdEPgyxDUyl c)bd|V?6JH|w(S3VJ|CpB8%h0#d{%V$3)tx7wEzGB delta 2679 zcmY+^eN0t#9LMo*g2)9fa8bmY1Sl4uA(asFpn{6#6NzXDYCs5yf+=9E8N2yFZmx3b zT8_;@wfsZvVUazEQ?sqPg{>^s#?&ph*6e|-w$>Ba`*Y7>qu=T=jmyOm=BobeTn7xiKOyEG95@D8vevHDo=*1F@#B%p~HBP4AgkiW3EN#iDOXAK|gNAc*eK=oaAz$3#Z~$_9*1t-x1M3;G3{@eT&`;${k`74Ak49zb0`jAhvE zUjG%9`hQR_vINo!v3MV5ph~eC)3F1!fD@>ie~2vFu3;hGP9XnUQ6_KE3g)05$VX*l zB~HU?RB86O9!K5x5i%G147GrpsEH3D+sOV!mBvHCNrvU1O0XRBaF?I_t5$DwK{Gp# z{Ml6w8t^CV#BlOig)gCAbPF}X5!6b2+^h+ey4IiuYC#rj$5EL(gBs^7>iN$Doan)C z-3z}XleRFn?7f(b%1{YvqATzKR$(~aM5X#iR0$^CW5%BqaL`v&iQ25^IVdC7Q5pIH zm9fB|?hm2t9Hr8SDn&Z7KP(IN{g$9o`BsWk%R$tNMo{;KP$zx9e$>D}Pv<$VubJU2 zpbz!lk5SKEMn2zwUExHVCYI@Ilgz^+ti=p`4V8(0%*NkPB}z+k1}?^2`V~m>>=5en zJ%!q&=TMpIN2PuMS+m{32z~$IR4Ke1ScK)Hc5fZ3G`mqL?8ZXu zMXl&IY5{+sRy>T#NKB@a(dnqtEJl^G1~u;UndD!auA2*y_&$2^5=P+{$eipt>a+9A zc1nJ5dwrL_ODqdf{nQ=`NsFI*7`UJ?Km{47bsZ$8g*e;6$lDh-_@@MeWW( zWNIMLq7CbX*`Bf^Q%#$L14qa9a$)??cSIxC4*_u}kFIcat~%Un}Y z-=~L|Mm#|z5>|Zlota6!!x07JdiQ!yhD1Em+E(9e>ssqudN28oMF)Sql2WK&Uk!<~ R^0wNB1}h(P*O9bL?|*0a`VRmA 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 c6227b91..dc07eaca 100644 --- a/engine/vibes_auth/locale/en_US/LC_MESSAGES/django.po +++ b/engine/vibes_auth/locale/en_US/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" @@ -74,6 +74,38 @@ msgstr "Staff" msgid "System" msgstr "System" +#: engine/vibes_auth/docs/drf/messaging.py:17 +msgid "User messages entrypoint" +msgstr "User messages entrypoint" + +#: engine/vibes_auth/docs/drf/messaging.py:18 +msgid "" +"Anonymous or authenticated non-staff users send messages. Also supports " +"action=ping." +msgstr "" +"Anonymous or authenticated non-staff users send messages. Also supports " +"action=ping." + +#: engine/vibes_auth/docs/drf/messaging.py:28 +msgid "Staff inbox control" +msgstr "Staff inbox control" + +#: engine/vibes_auth/docs/drf/messaging.py:29 +msgid "" +"Staff-only actions: list_open, assign, reply, close, ping. Unified event " +"payloads are emitted." +msgstr "" +"Staff-only actions: list_open, assign, reply, close, ping. Unified event " +"payloads are emitted." + +#: engine/vibes_auth/docs/drf/messaging.py:39 +msgid "Per-thread staff channel" +msgstr "Per-thread staff channel" + +#: engine/vibes_auth/docs/drf/messaging.py:40 +msgid "Reply, close, and ping within a specific thread." +msgstr "Reply, close, and ping within a specific thread." + #: engine/vibes_auth/docs/drf/views.py:18 msgid "obtain a token pair" msgstr "Obtain a token pair" @@ -239,19 +271,19 @@ msgstr "" msgid "address set" msgstr "Adresses" -#: engine/vibes_auth/messaging/services.py:48 +#: engine/vibes_auth/messaging/services.py:51 msgid "Valid email is required for anonymous chats." msgstr "Valid email is required for anonymous chats." -#: engine/vibes_auth/messaging/services.py:56 +#: engine/vibes_auth/messaging/services.py:59 msgid "Message must be 1..1028 characters." msgstr "Message must be 1..1028 characters." -#: engine/vibes_auth/messaging/services.py:90 +#: engine/vibes_auth/messaging/services.py:95 msgid "We're searching for the operator to answer you already, hold by!" msgstr "We're searching for the operator to answer you already, hold by!" -#: engine/vibes_auth/messaging/services.py:133 +#: engine/vibes_auth/messaging/services.py:138 msgid "Assignee must be a staff user." msgstr "Assignee must be a staff user." 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 1bff057b11dc48c2f582725ddb826b25afd397a5..3fa45c2c5638be6bd192204b9c5f10406e0a0370 100644 GIT binary patch delta 3519 zcma);Z){cN9mjuSL4g7l5Gsf~A_z*`O+cws2c<(nbhMTNofA3Sd)j;O-gEBGxwrH> zySpqpz!|p8_y@PREY2AevKPf=ahZv!5nYIy=w|kYm@M03G{hG!bAQbC`QCGiVXyY2 z-}8B%=bqGf?|J2esb|a5L*CU>oCUEV_pCZ7rQm zOzeh>;8ReM7>DcNJMaoPb$)8#Qn;S+jc_q6L2R)j5Zml&h?DjLWU2iMDssPr1kFB# ztKp|`Dd(HR?b&b>l;u01qQ46&RC_ZXff#S6;9U4R?1q1YOW|VTuHU;L!LqxcB6JVb z!Cp2lLY))Cx)#>x$n#@Rb#MyqhHDn49z6m}jGu3twv`{>sHiOss;f#91D6LyE)tp+a~N-U7c5<h5@{3lduuEZ;`6Y9O45Z`PF%7L*(#9x*lVS+leC!uolb4YsZ9jFxi8Qu(A*iEUr z1In;L$XQl`{MjKM55s5S*Wq;(lJ1}}wURH7pNJ*X7ae@Tbm><>`a>r)sr z9&~13f@h#|_iv~wZzjIfn=OHg+*-&I>xL@YeNY}3;KW572-oU&@_8MsLK*l|$hmcU zjtKN8wi) zZziu=cL;8PFTusS|DVutOf*x8YhXLnt=I<@>hC~p@FS>=--q(>KTyRqpIv9d)ew(t zJyhfd;B@#f?14Xk_+;-wrRFm@jq~l2jx;2*p}u(YGj4&Zg%PM6ABDHU=b<8X4$6Qw zPE(EaWZVsPJMM=Hb)1byA!k}0s%THbdPwIqo%`TToUS5!0zL$f!xq?aL+as1*vxo4 zoDKKD0XPhmn%`!89jYeYhKkrZsK_qhu^DcI>)@knh(GDESD7H~_7Rk)bEp`Fd=+eh zC8*rSa1ML`UIrh5*ls_8*lK4oeh!y0?%))qqz}r#2&#BT;e2>>9r4$~XPMCbeGg)+ zeFE=?%Wh0la5UpDAO&r&WaAHDiScL9heJ1|DLDh@G5!o}GYm;Y;u^d;=;{eSEca&poI}9forB z*O1Gh`cK;+C?Yao{YYQ03K~M%SnZo=N28ZMlp@u~WaC0Kyw>Rp@qfFS-ILhiXbuFKR^t=pa(thQ<(O(`a28g%wD(bPL*ql(xw>NAX{X zloRDu#igcuKH0kIsJL{eb^UbpE=Fp)W_!_tNcmlk)E1#C(k;m&4+Ur=3Xy7ynzeew z;~w-Cv;e71M>Ek>^ex0~Y807nif)Grb_%K?UC;gKYiJ+Jp%PM4Aunz8vM(e3U5MIj z{7;!o)}OAzN~B74=yIeloOOp$SSv-<#6_|5s+EEtR)U;Y@$-&f+LMYmG~}v@A15yH z!@Mi`N#YIrNr&q$CXq|3<#H5P66fVAK@{Fv4#MFM>rRqjIP`s2swR(h&6_vgIiqXJ zwq8GOuM}e6%e!>jT)_)Nzi4;+ghfw2eC$R0=`pJeQRHTrd>mT)Mhr zJZ^sR;(EifAlx5~x?B`i;;3l-nrn~3VlA^L+2D#nQn@cG`yo3w%xZJ-1?M$Pb^{?N z;IuzN09@It6(cW?Te0u_Qcxit9oAnZkh z_6HNkiAf%t{0oD=rRZ{gLJ~OivDMcvA3t~1=_z}9JZ+Wtzu1<1xk6Bk2zyeF!n_|7 zdOwc6*wtLYqnn05FP|bUt%i*Sj`#iC#7Qy{b&Q|7`rA$Qo;2`!spz@=q|QI!X{5DY zUfnMovhG|C^YGFi%@wOjFybW_yzqY~t3OSOKNz~47Z0<|#LJbS$j&-i8C3X{(Hur3 fWR4>6OCG6fq{MowymFzP=fkY&>Uh_+xt9L|(@Ylf delta 2660 zcmZA3drZ}J7{~F4YaH$%pacbo28bq#gdi!BNP?k&D4+(Wct0i_g|)^`nGRR2MO%_> zn6A~9)!I7Qh?*U%yfJ3Qn%$0>7>`Ra0c$Z1Tip3h%wWDBqwz6J$H#GZ znAvHZ$K1n3@^J}9n)$7b1ATETe#RGlxC84F&GvBqwIs7B%t#JhI2-w)rrgMKg%0W3Np2sY_j9k+uk$c-s)J~ITnDMeK z-jtDr$fm3ji?JPZ@EEdodkK|^w@}G^7nOkv&Phz+{+5|$#yzYUSK@Nig&si`Z>Lcy ze-o97_fa?g(9JKQZuAA}cN3_cPvHP&lHN@?jM~so=*64p*M+?lPCI-UJvfLuKZH&A zf;;~UD)oP&E@U%FDIapm zjI6~x>_nC3QRfKid+#7?v5!$3xQbf%B+^Fq7pgQK3QjVt3{`@9tiZ#WOw!D7C434NeW-qf*PG&s2lYno3#;C=FXw+Glu&8r+yCf z!|&XQ-;hOHG%Y(9b5I$oMJ==e2eAWV@G2_RKcY&IcAFV5TgIE7qIO)!{5&12l1-wT zdkQJP`IG1vrED&$t4mSc+Kk$12VUSp4`Qi4ryfPP3$?Hz)D4HRA)FoJD`93~b3)Dc zD!b4^i&&kmyVzNY7sIH34F{|EAf9b3z$UCjKava^!(99v7vptgEjEu;D0B6w-*3SJ zJcC;JMO1H0pnBtX)I!6ki!zdf9zFl-IJk!s?Z~2S1eNM>jK)i-oqmZWIN?m9vsBw^ zRLR+NeC$Mc@r~vQ6 z6{wZ=p>}u@)9?(Eb$c6g@q5%pqRK*<%14rEb*R+$VJiCZI6i~QRF zogP7+qG0_X_~WHmPUz{_PN)R*R&Z=`^0e9ggc@2KQQtHXD+!HcLJMmocv{u}p_(fT zI|%KLdk06qGsCHcX=uS3T?D=PpV7u_H=zzsB=!@| z+24k0tbdPtnWzU25LHASv6^TmYKiF)G!T%X;#28|F=t)^WJ#iNNZ@!uNTEgef&tJ!Z*G<+q^HI;a zhsYxyAo%yi0^h`L4i6kjI2#fBknd2p*IIquy@BzR;l#ivx!1!3*>eUWJuQ3m(Kc%h J^b~DR{s#&)@bdrw 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 9c158076..8e79bf37 100644 --- a/engine/vibes_auth/locale/es_ES/LC_MESSAGES/django.po +++ b/engine/vibes_auth/locale/es_ES/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" @@ -74,6 +74,38 @@ msgstr "Personal" msgid "System" msgstr "Sistema" +#: engine/vibes_auth/docs/drf/messaging.py:17 +msgid "User messages entrypoint" +msgstr "Punto de entrada de mensajes de usuario" + +#: engine/vibes_auth/docs/drf/messaging.py:18 +msgid "" +"Anonymous or authenticated non-staff users send messages. Also supports " +"action=ping." +msgstr "" +"Los usuarios anónimos o autenticados no pertenecientes al personal envían " +"mensajes. También admite action=ping." + +#: engine/vibes_auth/docs/drf/messaging.py:28 +msgid "Staff inbox control" +msgstr "Control de la bandeja de entrada del personal" + +#: engine/vibes_auth/docs/drf/messaging.py:29 +msgid "" +"Staff-only actions: list_open, assign, reply, close, ping. Unified event " +"payloads are emitted." +msgstr "" +"Acciones exclusivas del personal: list_open, assign, reply, close, ping. Se " +"emiten cargas útiles de eventos unificadas." + +#: engine/vibes_auth/docs/drf/messaging.py:39 +msgid "Per-thread staff channel" +msgstr "Canal de personal por hilo" + +#: engine/vibes_auth/docs/drf/messaging.py:40 +msgid "Reply, close, and ping within a specific thread." +msgstr "Responder, cerrar y hacer ping dentro de un hilo específico." + #: engine/vibes_auth/docs/drf/views.py:18 msgid "obtain a token pair" msgstr "Obtener un par de fichas" @@ -242,19 +274,19 @@ msgstr "" msgid "address set" msgstr "Direcciones" -#: engine/vibes_auth/messaging/services.py:48 +#: engine/vibes_auth/messaging/services.py:51 msgid "Valid email is required for anonymous chats." msgstr "Se requiere un correo electrónico válido para los chats anónimos." -#: engine/vibes_auth/messaging/services.py:56 +#: engine/vibes_auth/messaging/services.py:59 msgid "Message must be 1..1028 characters." msgstr "El mensaje debe tener 1..1028 caracteres." -#: engine/vibes_auth/messaging/services.py:90 +#: engine/vibes_auth/messaging/services.py:95 msgid "We're searching for the operator to answer you already, hold by!" msgstr "Ya estamos buscando al operador que le responda, ¡espera!" -#: engine/vibes_auth/messaging/services.py:133 +#: engine/vibes_auth/messaging/services.py:138 msgid "Assignee must be a staff user." msgstr "El cesionario debe ser un usuario del personal." diff --git a/engine/vibes_auth/locale/fa_IR/LC_MESSAGES/django.po b/engine/vibes_auth/locale/fa_IR/LC_MESSAGES/django.po index ea682bd9..801de7a7 100644 --- a/engine/vibes_auth/locale/fa_IR/LC_MESSAGES/django.po +++ b/engine/vibes_auth/locale/fa_IR/LC_MESSAGES/django.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -77,6 +77,34 @@ msgstr "" msgid "System" msgstr "" +#: engine/vibes_auth/docs/drf/messaging.py:17 +msgid "User messages entrypoint" +msgstr "" + +#: engine/vibes_auth/docs/drf/messaging.py:18 +msgid "" +"Anonymous or authenticated non-staff users send messages. Also supports " +"action=ping." +msgstr "" + +#: engine/vibes_auth/docs/drf/messaging.py:28 +msgid "Staff inbox control" +msgstr "" + +#: engine/vibes_auth/docs/drf/messaging.py:29 +msgid "" +"Staff-only actions: list_open, assign, reply, close, ping. Unified event " +"payloads are emitted." +msgstr "" + +#: engine/vibes_auth/docs/drf/messaging.py:39 +msgid "Per-thread staff channel" +msgstr "" + +#: engine/vibes_auth/docs/drf/messaging.py:40 +msgid "Reply, close, and ping within a specific thread." +msgstr "" + #: engine/vibes_auth/docs/drf/views.py:18 msgid "obtain a token pair" msgstr "" @@ -236,19 +264,19 @@ msgstr "" msgid "address set" msgstr "" -#: engine/vibes_auth/messaging/services.py:48 +#: engine/vibes_auth/messaging/services.py:51 msgid "Valid email is required for anonymous chats." msgstr "" -#: engine/vibes_auth/messaging/services.py:56 +#: engine/vibes_auth/messaging/services.py:59 msgid "Message must be 1..1028 characters." msgstr "" -#: engine/vibes_auth/messaging/services.py:90 +#: engine/vibes_auth/messaging/services.py:95 msgid "We're searching for the operator to answer you already, hold by!" msgstr "" -#: engine/vibes_auth/messaging/services.py:133 +#: engine/vibes_auth/messaging/services.py:138 msgid "Assignee must be a staff user." msgstr "" diff --git a/engine/vibes_auth/locale/fr_FR/LC_MESSAGES/django.mo b/engine/vibes_auth/locale/fr_FR/LC_MESSAGES/django.mo index 66565a9822502d1ee9f03e472b6b4923594bb99c..fc4bd4739df142ba36238d5414f6a8a04e37a713 100644 GIT binary patch delta 3545 zcma*nZHyJw9mnw_ETG84vLGxAxCeB*>MpAw$ik|yfK||yg=L|O1sU$0yF2#Ynaj*v z@G5wf*cEEqw6PB^Mw6y(+LhM6SYjHR#uvAt+836z>4Rw`rbUboX=0-q# zos;{Y&zZS1XU_Sb|IC^2*>dGvL){Mz+fiaMQCDZoFYx_o?AVS^H)bcEz^m~b&cM%c zCQiT77=EUaoz7p2^Kk`E#k=q-+=fG!8ROy&9KXiJ*BDbVAJgEOW(mFN!e!Wqop=*& z$G>vpG0ftw*~WOB|6RQ?Q?O-@F>|pE_u+cfgP%k7`*T!(&*Mh!uVOpLQ@QCHo^NiZ zv4Io2u?e3>Wnv6h;aOaWQ|6@uY{oSluf|1KK*nNDAY(Hpkx828kz37+sLcHdNt$^F z+wend=K01l?OC`1HS%q!?C(OQYG2J0$l%RsY``U=wH$91*y-$pIL zk5HL;2Kkv&?7o73Xe9qyi}yHj9X66@&7d184%3H9;bFWLpG3{*71Rt~LtXzjR7T#$ zrT7VIX%;gp*@?PtCo(saLrvgl6ZzN3PjG@dG(SeI&CihKF=tUr@D{GcdV14RZAA@i z0C|=vAV2d2yKmx8aSvWkA*r9oQ3D)7P2^Xo0libHH9kc>Xyy`Q$g=4~rLGtCpng;b z9_q#;wd3!iQu-5Y!Iw}OdJ{F!3-|iLc@jUl?cn8P# zQfL~;53mQ%V2j@WdCSvcTZb$8V;?TV@1xf4G^&GFu@z@`q%&WG%G_4e0ESS-br5gC zi(u1(@bu}sXX8G(a`(82X*6tnj^@oZO)=PzJNRMb6k(TH>Dq{@1bV= zYt%r_p!)kWD%Jm}9iPK>9A7}n%`7Dym8WRjP9u+h!P&T;G(3shupa+~Gx2@Yj6Ol7 zx{d{PupVb&h;{fFHsCPo?HECRW{lk?d>i#PwXGumT6=euF?ZslsMqKf+=1s&Gg`Ac zeeecU$6HaE*^8P{gj{M~Kz`;w?3!^Q>7;zjTGW8|qXv}6`8a$F`QJ(7Sx)GN|Dif; zSd(U?2UXoKA%$#SN9xUdiqx%X>7-C`3w{G%Mm?a7>CMGEa61m5CUy$1!aw5e_(p{W z%V8GtRE@9)n{WU%@)%V#&!ELBUWey#BhKtfKU}@2%4r_AW7%m_g`On@niaTJ9r`5PTMrPcI}jq{37UWC@4xi1ma| z@GVQ;luAJ3K0?(vpU`#%p<(36>kZ>BDWEy+YkJ5At*&Q2(43!hg?7QGEVGfE&nW! zVkeigrN|8<8@Ybg7ThRu2HmK`cITtOMx|mg2;;~)nb-^b+lrn)*kQV($Q$%s*A`0A zQ(bfCj&)A&nzW_Y4VTA5q3dLA+HGdY@qIUMcDTiSx!q>+LFBeuho`6;d)SMIJl{Gt zD!Lgj=VfeqcgI*bS8>W8&`-yB=ZVJoA z!1Lp=*7}iImB^N2k4KZp5~*{NEW0GRG?C<-R~?P)!IEcv*XEc3PmPE$_FS7S*&;a) zlpi`j6nGj|mL9%XfW9>MuC0y^I(fICEAp+$LQJcz#MtkzzHxGPljA%2OS|MTHs_K0 z>S!_WvmtrUxnY4Rxv|YT9@8%Q=`v&;pV|1joB`OZ7iCH$GVocK>ZlgxV9D(mdv9sO zl*%S8MD=u@%Uqjx?17;ALYy3gTMyHUnc zQX$ouWFNAv)lvHNljLX?j8<7Eu`y{YcoCJHtZVg`1=sX{v1Z9CPbB-|^_|nYy5av7 C? zZezJwuC-cQSko-mWbsEWw~Vd+C}-qW&PEy=YNGE^&s{|A{5I~v6w+Ibuc9{e2e#uK^l9LB4o*AVjc)8k-G2$!;akrA z>!{TKgBr+^NGrtQ{g{b5igKKddr%uVfjaY3$foT_EXHd|?Z1H+#EQ`umaQ(tinR;fN}@OM0j5#+NLUqB6X1+~E2sGWHDvKCb4*od0Qi)_~VQJMP~HP5H0=g<4N(1Sla zH^z`fn~RdY57SW@Dn%`HHTGgHM&Jl4)mKqRkTA`RKU>I$-l7_uPyZ|xt0Nmn6}O8* z(Y(GSF0_(NR8<$Fj-n1{;%5ATfqF5Iek12G7hgtwZwU3=H+U$RjN$blUSl5a<9;)% zQcaDa7JLhJRIXWOmxDO}crHr0@fX|B1dB4w)?x=L1D~Uc=NHV!aPoRD7NL%!9`(Ez z8OlzfHgpMLM!2CByIF-6 zl!!`cE>_|S)B|s#GIR!&k#SV_|AxW?=Q41VLWh9t)N(-Ncs+r|D9ovvPwmvMuPcRy9U_81O@ZT9s zK@XnvaiJ9tA!FM$)Q)D6f8HXiBGmLS|Kxv{m4Pk9aw3~hs}A6QV;<*P$CyMk5Zd4} zLM@JtL1Ae73r#7^Q#f1->V4yEO9 z9J&AK7GYlC7N6{2=S&^>f9;x3g>rX$gpPi2o+63~y$LIb^@M(SCR&(t5rbZ0lhfbf zC{%p)glb837OniJ6TIU7-)H?|@q^{B+NDSt{MSObQf*Mo{{J)DfDyz*Q=yhmbR1Qj zcegq^Ylu$gX3k?=v^$+g9WyYQa1%3#&4hlC27ZdH3m(`P^Ik|~PiI$iyH#~Idk4;W qUXLBPJUu65pnIk#ETMvb8hp3C*{Zr)+gdxDx|+Ma11(tv@&5u?SpPNv diff --git a/engine/vibes_auth/locale/fr_FR/LC_MESSAGES/django.po b/engine/vibes_auth/locale/fr_FR/LC_MESSAGES/django.po index 159bc134..9c52ea57 100644 --- a/engine/vibes_auth/locale/fr_FR/LC_MESSAGES/django.po +++ b/engine/vibes_auth/locale/fr_FR/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" @@ -74,6 +74,39 @@ msgstr "Personnel" msgid "System" msgstr "Système" +#: engine/vibes_auth/docs/drf/messaging.py:17 +msgid "User messages entrypoint" +msgstr "User messages entrypoint" + +#: engine/vibes_auth/docs/drf/messaging.py:18 +msgid "" +"Anonymous or authenticated non-staff users send messages. Also supports " +"action=ping." +msgstr "" +"Les utilisateurs anonymes ou authentifiés qui ne font pas partie du " +"personnel envoient des messages. Supporte également l'action=ping." + +#: engine/vibes_auth/docs/drf/messaging.py:28 +msgid "Staff inbox control" +msgstr "Contrôle de la boîte de réception du personnel" + +#: engine/vibes_auth/docs/drf/messaging.py:29 +msgid "" +"Staff-only actions: list_open, assign, reply, close, ping. Unified event " +"payloads are emitted." +msgstr "" +"Actions réservées au personnel : list_open, assign, reply, close, ping. Des " +"charges utiles d'événements unifiés sont émises." + +#: engine/vibes_auth/docs/drf/messaging.py:39 +msgid "Per-thread staff channel" +msgstr "Canal du personnel par fil" + +#: engine/vibes_auth/docs/drf/messaging.py:40 +msgid "Reply, close, and ping within a specific thread." +msgstr "" +"Répondre, fermer et faire un ping dans un fil de discussion spécifique." + #: engine/vibes_auth/docs/drf/views.py:18 msgid "obtain a token pair" msgstr "Obtenir une paire de jetons" @@ -246,20 +279,20 @@ msgstr "" msgid "address set" msgstr "Adresses" -#: engine/vibes_auth/messaging/services.py:48 +#: engine/vibes_auth/messaging/services.py:51 msgid "Valid email is required for anonymous chats." msgstr "Une adresse électronique valide est requise pour les chats anonymes." -#: engine/vibes_auth/messaging/services.py:56 +#: engine/vibes_auth/messaging/services.py:59 msgid "Message must be 1..1028 characters." msgstr "Le message doit comporter de 1 à 1028 caractères." -#: engine/vibes_auth/messaging/services.py:90 +#: engine/vibes_auth/messaging/services.py:95 msgid "We're searching for the operator to answer you already, hold by!" msgstr "" "Nous sommes en train de chercher l'opérateur pour vous répondre, attendez !" -#: engine/vibes_auth/messaging/services.py:133 +#: engine/vibes_auth/messaging/services.py:138 msgid "Assignee must be a staff user." msgstr "Le destinataire doit être un utilisateur du personnel." diff --git a/engine/vibes_auth/locale/he_IL/LC_MESSAGES/django.mo b/engine/vibes_auth/locale/he_IL/LC_MESSAGES/django.mo index 48db7e381d242ae00675105925524cf2d9d99211..bf69e5cbae2b080f6b55f8515cc65464c909bd2f 100644 GIT binary patch delta 3599 zcmZ{kZE##w8ONW#g%X;+zoajaLnwroB($}qX$v%|py8#YrA@nqrfP`=)j#iBcL;&jC^qhb*M7q?|<)Zr+o0t z{_pRcbMHCNbDrlp`{V4Z`NBK%rw87_h?uycx;2XAEj1|MHzR|@GeU45e z6T9IucpNGclW;A36E1}_7Df(M!S#&S!R4?E;*0e_e6tgfL)rvnsl5mlxz`~?^SBQFs*?CC7k_8sdRR%Eb%G{Hao7&15blS!!f!*J=vAl_yaDz7TTl`C zE4&(BfJ)5@P9-)#eYX>GHfx7Ez@cTtU!M0cK^@vLsN9@}q{rTbO2PYZ1DwllO4Z#^ zj_rZivM$Ka4)gdXd=~D7H&960=NnKC4nZB{1t^C;EEGHcfihHar5RDS2B^?&gEG_# zwLt=E;S4H_$ z(SrM63(Ug8RI^{gf3v}s8na&JH{K8}{4HG1_$_!8RuDE-_h^yhP>!F2FSGt{u$l1~ zg~k&52mB&jj@Q@e{>SOyq#c0@^$U<7*e@Vyw|C)IcmXPO&Gk`=9)n6n4^-_8LkGv8 z9C)ob|0#TcarwY;|O4A(VqvumRRWrQCysJ~~g**#;M{iK@5*_G%s~0*g3~JYEHr zyG=#j0Uu$!70!V_EYANN&S(4^s9W(zNbu}ma2H&;mObFXwZvbce~F1kcpfVB%Q&7w zz5&YcVW<=ILDk9+pw_(tbuHhA4pvcVx&@7p3uWz45quJA{REr`UxEwZYqt>pFVOiD z6ArGVvT)Mwgb%?yTm;{SRq!L|;4I>($kf5F!DiSEUxyAh;+59L;KOh~ycz~j4t)Y| zgRZbKTCfl5q#7#%N1$q99C88d_mB%=7hpB4B7WGiEl{;{5b8un;2<1@OW;}xMt^Ac zLZ#pUlp|;06sYZ7d`F(b1xa!(w7rzN?&u>iyobq z^taRBg1C+ayPwWiFL_z&?xrKp)xL~6!k*dVP$6AW96tmz=z-$6glw^MXOZ{93UmP7 zjTG$-I{)YCsNERBh;SHs{YiWYEk*YrwabuhN+oJV`;ppR=n$fQ!$$NkHWlPo5D^cH zoWFyMZI0rvJS|76Y~@BxMOkW1bUajsRK?2oG^D0l*@vD${9S}K0>a`{L8{u@Pz)u| zW|Tszg>|Tq=J6o99W6#``V+YV%|Hi{ZiMdrDzqA@0H>lnnvNbt_n}8n9CabJg{Ug* zMSnQ!>F+`++?~iT)gQMnta4oqhZZ4S4{J)LQ~9oRx9`$f7wgV-dZ}C@9?N-cjyH9F zF4o@ex_vL}JKsySxh~K5V;!Df@0yZ++WFm?OgfwMT`ZnUq*J$L5~+@QYx4a>N6PbD zSGV84X~BZYhVo5Q@7m^N>vEl0FV^OwZR4G>RLV=*{az-SuXXWc+V^T*3@h5k?N8)7 z6Db#Se#VO@+7odXt*)QU&U$`YA@nSfdNh5&#nY)=Hl4H`nyX8vlKG-P{zjKf__>GE z885}opIj<{`BOdj(Bk$+DE^8$k*1Ck} z#b`JdW%HSIB9)u0nR|S8VKf*ICIUT&g73TFXz)xhh=!ONDoqVKMn{<+<XY19D5B1BM#@r&|olT!2q4!S{IyTA0`}+ahY_yiOjL=bm&|kW+RtEw^fObB1pHQ#4sMU5@Bs@kb`TKldCq`|W-^3==lss^`}>{? z-*gYQ`-c<5jv1|sm_ghKHG2p9rm~@>N1Hu}UW~;B7>DH;gSGDQCQPNj2P5z>rr^uC zGsNr^=FyMhCfQhsVP<}-XGbS)#_OEef!ncin%ORnpNTgM$J7Mp#xsx$EgP3}UM|j} zzuV*7_&6@5{~1ole^C=lPh?OmLNB&r3gg=mc1k#K0yA(3xu=aHW7`C3rtwK;d@O^F zGBO*Pl+|E9HeeLuKM4R5CwBW#F>wD0&#*yvb&aVfnZWm!NKR5P5hzg-ZE( zR3^Sa4g8hc{}wgScc|-zQ8T}X2hdA;H{u(p3H^p`IDvlMxQ&I=3}3`3>_r{#$8~tp zJ^ni?_5Yx5WND-o67Uh6iCT)an2QHc6F7}p^G}dT+xNH_$I{5ZW>mmkG=ur53rbNL zsm3g9LM=^?>j3J!3&^wB71RVqP!B$el#$&DnsR{2VIT5*ocuhf=czTs3k~#z>JSAVxzaH0q4`dM8#^rKTs10 zr%=@QPiIF53a|i|qi(zpwPxKo!i@&7nEpZ5qYOVroi~n3u|34irm+4v&iQ9@s2>i$ z%TwvR;zymLEpx5H&qG-MI(AlZLdr}E2)D4Q#FtPrx`vElF&;DKIN#@^*1ix`e^$v3W7sy_fc>}#Z=q73GuQb^ ztw5!|7uVovRHptyO<)35GqLlW>*nA>`s>k$eW;>7i`1)KpGW?c!Z8l$25Bse2Xjzs zU5pi2g+A;@K6akX)A$Q2wJQppU%m$P(eFlO<^=ZOAa-I2>*B++sOzp4k^d%ke&RqD zuB62EKs)epd$~swUp;jwQ~!Ta2$_e3}2?< z+kSRbbQe%d@H6T`lE_;K))8un1YZUJP?h2~VkMz#)iyc=)4PTJ6@&)RIS{%_%s6f^BIRv-- zIkC+|43R>_D*u^;)?V+Z-upbFlUPdV^_gs;?5OxC=HP!u8!(cXY`m?(--*e-RB_(l zHqogjI^2V^o@A%Z?L6U{jp>Abt+I$`3B9j@AEGx+2^@<1AT+wWV}Em-)pazt2fp+i apBA|3+Z!6VoRbv(`pLZ1!0o&rJ^ulJW%v#N 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 76b5d747..fac49d3f 100644 --- a/engine/vibes_auth/locale/he_IL/LC_MESSAGES/django.po +++ b/engine/vibes_auth/locale/he_IL/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" @@ -74,6 +74,38 @@ msgstr "צוות" msgid "System" msgstr "מערכת" +#: engine/vibes_auth/docs/drf/messaging.py:17 +msgid "User messages entrypoint" +msgstr "נקודת כניסה להודעות משתמשים" + +#: engine/vibes_auth/docs/drf/messaging.py:18 +msgid "" +"Anonymous or authenticated non-staff users send messages. Also supports " +"action=ping." +msgstr "" +"משתמשים אנונימיים או מאומתים שאינם עובדים שולחים הודעות. תומך גם " +"ב-action=ping." + +#: engine/vibes_auth/docs/drf/messaging.py:28 +msgid "Staff inbox control" +msgstr "בקרת תיבת הדואר הנכנס של הצוות" + +#: engine/vibes_auth/docs/drf/messaging.py:29 +msgid "" +"Staff-only actions: list_open, assign, reply, close, ping. Unified event " +"payloads are emitted." +msgstr "" +"פעולות המיועדות לצוות בלבד: list_open, assign, reply, close, ping. נשלחים " +"מטעני אירועים מאוחדים." + +#: engine/vibes_auth/docs/drf/messaging.py:39 +msgid "Per-thread staff channel" +msgstr "ערוץ צוות לכל שרשור" + +#: engine/vibes_auth/docs/drf/messaging.py:40 +msgid "Reply, close, and ping within a specific thread." +msgstr "השב, סגור ושלח הודעת פינג בתוך שרשור ספציפי." + #: engine/vibes_auth/docs/drf/views.py:18 msgid "obtain a token pair" msgstr "השג זוג אסימונים" @@ -236,19 +268,19 @@ msgstr "" msgid "address set" msgstr "כתובות" -#: engine/vibes_auth/messaging/services.py:48 +#: engine/vibes_auth/messaging/services.py:51 msgid "Valid email is required for anonymous chats." msgstr "נדרש כתובת דוא\"ל תקפה לצ'אטים אנונימיים." -#: engine/vibes_auth/messaging/services.py:56 +#: engine/vibes_auth/messaging/services.py:59 msgid "Message must be 1..1028 characters." msgstr "ההודעה חייבת להכיל בין 1 ל-1028 תווים." -#: engine/vibes_auth/messaging/services.py:90 +#: engine/vibes_auth/messaging/services.py:95 msgid "We're searching for the operator to answer you already, hold by!" msgstr "אנו מחפשים את המפעיל שיענה לך, אנא המתן!" -#: engine/vibes_auth/messaging/services.py:133 +#: engine/vibes_auth/messaging/services.py:138 msgid "Assignee must be a staff user." msgstr "המקבל חייב להיות משתמש צוות." 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 4abfa04e..71a3e872 100644 --- a/engine/vibes_auth/locale/hi_IN/LC_MESSAGES/django.po +++ b/engine/vibes_auth/locale/hi_IN/LC_MESSAGES/django.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: LANGUAGE \n" @@ -77,6 +77,34 @@ msgstr "" msgid "System" msgstr "" +#: engine/vibes_auth/docs/drf/messaging.py:17 +msgid "User messages entrypoint" +msgstr "" + +#: engine/vibes_auth/docs/drf/messaging.py:18 +msgid "" +"Anonymous or authenticated non-staff users send messages. Also supports " +"action=ping." +msgstr "" + +#: engine/vibes_auth/docs/drf/messaging.py:28 +msgid "Staff inbox control" +msgstr "" + +#: engine/vibes_auth/docs/drf/messaging.py:29 +msgid "" +"Staff-only actions: list_open, assign, reply, close, ping. Unified event " +"payloads are emitted." +msgstr "" + +#: engine/vibes_auth/docs/drf/messaging.py:39 +msgid "Per-thread staff channel" +msgstr "" + +#: engine/vibes_auth/docs/drf/messaging.py:40 +msgid "Reply, close, and ping within a specific thread." +msgstr "" + #: engine/vibes_auth/docs/drf/views.py:18 msgid "obtain a token pair" msgstr "" @@ -236,19 +264,19 @@ msgstr "" msgid "address set" msgstr "" -#: engine/vibes_auth/messaging/services.py:48 +#: engine/vibes_auth/messaging/services.py:51 msgid "Valid email is required for anonymous chats." msgstr "" -#: engine/vibes_auth/messaging/services.py:56 +#: engine/vibes_auth/messaging/services.py:59 msgid "Message must be 1..1028 characters." msgstr "" -#: engine/vibes_auth/messaging/services.py:90 +#: engine/vibes_auth/messaging/services.py:95 msgid "We're searching for the operator to answer you already, hold by!" msgstr "" -#: engine/vibes_auth/messaging/services.py:133 +#: engine/vibes_auth/messaging/services.py:138 msgid "Assignee must be a staff user." msgstr "" diff --git a/engine/vibes_auth/locale/hr_HR/LC_MESSAGES/django.po b/engine/vibes_auth/locale/hr_HR/LC_MESSAGES/django.po index ea682bd9..801de7a7 100644 --- a/engine/vibes_auth/locale/hr_HR/LC_MESSAGES/django.po +++ b/engine/vibes_auth/locale/hr_HR/LC_MESSAGES/django.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -77,6 +77,34 @@ msgstr "" msgid "System" msgstr "" +#: engine/vibes_auth/docs/drf/messaging.py:17 +msgid "User messages entrypoint" +msgstr "" + +#: engine/vibes_auth/docs/drf/messaging.py:18 +msgid "" +"Anonymous or authenticated non-staff users send messages. Also supports " +"action=ping." +msgstr "" + +#: engine/vibes_auth/docs/drf/messaging.py:28 +msgid "Staff inbox control" +msgstr "" + +#: engine/vibes_auth/docs/drf/messaging.py:29 +msgid "" +"Staff-only actions: list_open, assign, reply, close, ping. Unified event " +"payloads are emitted." +msgstr "" + +#: engine/vibes_auth/docs/drf/messaging.py:39 +msgid "Per-thread staff channel" +msgstr "" + +#: engine/vibes_auth/docs/drf/messaging.py:40 +msgid "Reply, close, and ping within a specific thread." +msgstr "" + #: engine/vibes_auth/docs/drf/views.py:18 msgid "obtain a token pair" msgstr "" @@ -236,19 +264,19 @@ msgstr "" msgid "address set" msgstr "" -#: engine/vibes_auth/messaging/services.py:48 +#: engine/vibes_auth/messaging/services.py:51 msgid "Valid email is required for anonymous chats." msgstr "" -#: engine/vibes_auth/messaging/services.py:56 +#: engine/vibes_auth/messaging/services.py:59 msgid "Message must be 1..1028 characters." msgstr "" -#: engine/vibes_auth/messaging/services.py:90 +#: engine/vibes_auth/messaging/services.py:95 msgid "We're searching for the operator to answer you already, hold by!" msgstr "" -#: engine/vibes_auth/messaging/services.py:133 +#: engine/vibes_auth/messaging/services.py:138 msgid "Assignee must be a staff user." msgstr "" diff --git a/engine/vibes_auth/locale/id_ID/LC_MESSAGES/django.mo b/engine/vibes_auth/locale/id_ID/LC_MESSAGES/django.mo index 30521d344dd599dd56b311e6ba0a1dc8f3f99024..d554d8e1ee0853a3947b569caf485db364013d4e 100644 GIT binary patch delta 3431 zcmZA3eT-aH8OQNM*=}EVDSe~7bq{@!Ql{&+fL*%O?t&F4wB2^Qt+hydcINKRWoGUj z?hDIEn?bGCYK6px7HWKp3JEn}vc#wu_yc3qL~MeZkeEhe1RJD@3EF5i@%y{?)}SZ* z+|Rjp=AM`5oHOmS)u)2?+4&t$8OkBzI-;Y)nCI{>Gq_MbKiimHcodi7S)7ai#x9&a z#~A+15-xha0vF?2?8JL;5pKuoWyW~8n)}!J@^WL^<{wn((_Bw$`r!^MrZ0p4q70vt^)IN9#_u#s#@)>;r8{D5lH9V7iYKDt(7A`|QFX0Z{P&_||T7na( z%zOp;GpD(H0DrQC{A(@V;lV0gLY_5)A!Kuy5mX8%@eceVYDPap&ER#^_kV-R$lG`W z{u8w{*D)*EkNVy&WNv00HGxCdkbjN*C=b|&<|JxuzKtx8IfGh)KjG~-kJhwQTTlbr zi}Yn0$e%gF<+J!L{5amkMp8S6Q3HGiHIeV426V1nR4$@A>bl+-vTXWMsT)RhG>U4# zN4`7P>ry(hWfYmMo} zS5O&xx9}n=Q?tmkT#U-Va@3~Xh#KH#eDX5(5w79>?Pd7{7qPCI*dVeLZL^sQ8`wO6 z8!^J}X~ujHkI}%ZOzUBu-+yEN;wz{bzlP)ZJJepdi)m?wTaeW8vF+8i$6p)@D3{Foot8?;nm10nPF6F8>r6@q6Y9J(w8}b%G|3s z1JC0v_;=*btS;rpaW{6-zj0KQ$|{m2lNLUWTAG&&-^70IFW@@tBd^L_88wg=YVD8V zZ2U6L#IK@K{w!*Mr%_AxYiu8;a-PZq7&B~bzB4$1e@3n4@CWk_#!wxk#r5|3dBlE`G;X;4<8VcO!r1NFVuEs(-+pX7mPX0G+JE5H3Y^cmS2kany_h z)Qk_K8a|2I%|AxAgZU$BN$1e0&ie|~zy|P297GLx=Q{FF-5lVefgH#6_yP{&Tc`%s zvw-@18!B}^>b!pj6Z|?V6AN$6I|xxT{}kShCvZNVE&MBzbkotkEpKQYYOS`RzPJY$ z;X|kaJYIMbHINrjGygg2z4JH^FW{GOCOcO5Cy)bVo>KwBHR}osb zPY_DieT2#kVwlk88YLzPm3xUp1k0M0fkL75*N8iaK|;R`m&z5&zjnMf6F+#_zg}QI zs!LIH5Z_Mdr@p-FR0jt z7sqbGi+k-*Jq~T0Hk)CT#MYG)KMXcD{a~Wk48^fO5qO?$r19~A1q-J7XAexfci4;8 zB-O}s6`MC(uDT%b>Sm|cthY+GTn}TfWF5Vz89V7GRX?!K#!av6kNahtzuh|(%{_g2 zI~$oFjD?Tdau_60ST`ejwk8bftzta!23z;zWPjN70$R?7RkG3l^p_3Ujt2C=q`gN- zfNi=~J#-bO6?xWc_zC&wH6yJ!@fv27Y?#rjxc)aAmY1SdGxURG>c)Aey4}P?8aSpB z27bf3#HE%ID!iLjuoGrE9Es8`!p9!_z`b3z1Ri4c1t?p^stiFQoj8D93TJH zs=ldrmxj|uMqE9OT#)6I7bBY{E;d`e#+a+SxTN>fByE;#g)cR{x~ru%YFUaaK2Phe zk-cLRFVa}j-l=^zEbM6CmuJ=1!o<~V!^LSW>%{ExgNjodwQ3r(b2Oa|G&G*LX#W_k zmuM<+O}AO#BN&`P5S=MdCykwc+Thj|Ia!9_kEw|ea{%! zdaT7ik{Uf=v>qah_&mz&DE7thLYow4HU+&HkMl7B%W(qMxciNm!Sxm#kB?zG9>A6e zvmup zGE#^v$|^A*>oFVmB6GLrP?>lYmCUzL8F8a>0E~zs0&%F4Wcsl8fu(3QQ!aAPe)(8 z;BNeeOxnh?Wv62{DnsR{iLS)`*nl3qh)VU3s1i)P-i$vh;YFvY9&hIQ3_Dhtx#YZp z%8);n9ivVLYUR18-MSbxv2uKZ2i4*%uD{C(tt_3oXho%{5|m?Nq}dwmi{Lm?@J{ak zIW6?LHddn&cc3P|9lIi^zn{(=Zv4vhXW+D(IM-N-jA{L-jJ%Bc-1|t@?J6pTnJoWS zoQWjCnoyZ~1oi$w)WAc?pAGY(jC_JII{#yIintNO=-MnLsN=N>^~Ek!hIZf$xX<}K zD%Br4f57=%dno)ZScaT1>qbrF0FJ{!jKiboVSIauj#BwLYKEs#rT7+maSYdBFSFBT zx`3PTFI0(|3PJ<;Py_69*L~Q)^$}F<|3;1Dp^o~2OF+MN^AtLi$%^ncti#!O2$kyh zP%HWdHGxd>SB8bC0Xs1Udr&L(qgFhCdhT(gy7m!LHTxY^(yT)Augz0j7@AoHYDLwU zfa_5MccLcpEY8ETScQL}zQ3H=>itGk<{m~4l0A*xcoLO~>1-f9e>ZC3PtGC#%jgVq zLo>eYjAT?6Yw4&5EkzGDVk)+vR=N{4fqv(4)I`prR{kaGdt;c49yZ!R^rEhZ{d710 zb_zA%2x9E5nQ3V%7mI~skV+_PyMgean(ZTvbB;p7C{c3!u*eh2C_+)Z>6+VPY-xY59Jh&UpeP;FNb;g&|{K6gRpgRPiXm1Z$P zm0e@~OX!mIV7;1fvwJJdaymNqTZu)4_RF2by+kfh2w79h*Dw!5pGd*_}LEr7t@OO6WUziHk(dW_`<2<_TRReiweT$ zZWi1_r`=uL<;+E$&sbtA@gSj}*1*?st0M!CCcF?8x5L-n+-|FU&0T?WDTfoEI+tG% ZxRlco8914n7VW8N4Zd9!*qC=B@n48K^(X)U diff --git a/engine/vibes_auth/locale/id_ID/LC_MESSAGES/django.po b/engine/vibes_auth/locale/id_ID/LC_MESSAGES/django.po index 97d010ee..b7c244cb 100644 --- a/engine/vibes_auth/locale/id_ID/LC_MESSAGES/django.po +++ b/engine/vibes_auth/locale/id_ID/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" @@ -74,6 +74,38 @@ msgstr "Staf" msgid "System" msgstr "Sistem" +#: engine/vibes_auth/docs/drf/messaging.py:17 +msgid "User messages entrypoint" +msgstr "Titik masuk pesan pengguna" + +#: engine/vibes_auth/docs/drf/messaging.py:18 +msgid "" +"Anonymous or authenticated non-staff users send messages. Also supports " +"action=ping." +msgstr "" +"Pengguna anonim atau pengguna nonstaf yang diautentikasi mengirim pesan. " +"Juga mendukung action=ping." + +#: engine/vibes_auth/docs/drf/messaging.py:28 +msgid "Staff inbox control" +msgstr "Kontrol kotak masuk staf" + +#: engine/vibes_auth/docs/drf/messaging.py:29 +msgid "" +"Staff-only actions: list_open, assign, reply, close, ping. Unified event " +"payloads are emitted." +msgstr "" +"Tindakan khusus staf: daftar_buka, tetapkan, balas, tutup, ping. Muatan " +"peristiwa terpadu dipancarkan." + +#: engine/vibes_auth/docs/drf/messaging.py:39 +msgid "Per-thread staff channel" +msgstr "Saluran staf per utas" + +#: engine/vibes_auth/docs/drf/messaging.py:40 +msgid "Reply, close, and ping within a specific thread." +msgstr "Membalas, menutup, dan melakukan ping di dalam utas tertentu." + #: engine/vibes_auth/docs/drf/views.py:18 msgid "obtain a token pair" msgstr "Dapatkan pasangan token" @@ -242,19 +274,19 @@ msgstr "" msgid "address set" msgstr "Alamat" -#: engine/vibes_auth/messaging/services.py:48 +#: engine/vibes_auth/messaging/services.py:51 msgid "Valid email is required for anonymous chats." msgstr "Email yang valid diperlukan untuk obrolan anonim." -#: engine/vibes_auth/messaging/services.py:56 +#: engine/vibes_auth/messaging/services.py:59 msgid "Message must be 1..1028 characters." msgstr "Pesan harus terdiri dari 1..1028 karakter." -#: engine/vibes_auth/messaging/services.py:90 +#: engine/vibes_auth/messaging/services.py:95 msgid "We're searching for the operator to answer you already, hold by!" msgstr "Kami sedang mencari operator untuk menjawab Anda, tunggu sebentar!" -#: engine/vibes_auth/messaging/services.py:133 +#: engine/vibes_auth/messaging/services.py:138 msgid "Assignee must be a staff user." msgstr "Penerima tugas haruslah seorang staf pengguna." diff --git a/engine/vibes_auth/locale/it_IT/LC_MESSAGES/django.mo b/engine/vibes_auth/locale/it_IT/LC_MESSAGES/django.mo index 0c31162c9e77707d089fa817f22a751b80ba9535..deb91a0c11515444b89dbdcde66695fa099a98fa 100644 GIT binary patch delta 3550 zcma);ZHyIH8ONUjixd{vvJ|$^vIh!mOP4EeZ5Ot5*`flq$ilKvK*8y~vwKJ9&Rp-z zWxKTGHdTtNjeMxK^v$F#YAkJx*~UcuP!r8+G@&HE#g|n5V70CBLsMgvH1YSpGmF$u zp6q{q=bV{y&hvI|_MLDdX}rE*##fAX5?zmG%rN@~{M!e3&^|xgY(E@_%i!y<6}|`O z!r61o__GcknqLVQ!S!$^+zGFRdtmu0Gas&De1VT|G;7$u=y0apz;60*1?+%5a2?zW zf6l^(VF@0XZx%5B{Wh}}xau0Sc6bXs3j3fA{wmbIUxV83MR*tMe+au7&t%b!oNpWH zY-8deTmsKRMPdSOf*0X+uw`LpU?;qt@vU$vtUzqBafog96vRn;5wg_20~NWSLV{** z!du|Gu#@x6;r2YZ4a)L8P|-gC6{@2-$05esD{ujvg#GY0uoEsN?t0$~36|}KiqH|L zgS~tlLY-5C4J{m_BhR0Ns)JYHLAYUY=Ft~mh4E8R8_y!1@^BHn8m@qv?}mHfmVEwE zs1!U76`7|Ye|Db7YWSlL;;&r1&BRTxgE-5Ben@fHAXErP;T`acP#*mR%7Y6~-~SRS zB7cF);lH6$b3I;(Jy756hxlg0P!612Li}apnxde64+#Ae@vh_fPZUE|_ zA*c-ksD%&a<1ayl^f|Z+eh(@_e}pph4R{*<1I~gcsYFHk5vUY2zD0+3_A99C^)3t< zA97jsPeL7d398EH5?|$V86+rHfJ)UasFYOl`4qlB_9`13!_0@7@5F2s+w-shUxHQmJE+@o&&}D!`=KIv1b&r zd&sK{I1WDqzYd-5|J!sp(^{#-4R9TlK}D#Le-`e9k3)s{4^TO6S(_Ep5_mP^^-#6Y z3pc`{e105$l<{M*xgIJtEqF1L^KBs=-Or_vy=`^QL8#n61eN12!#(h2*aP2#s^;5p zOW*B=%Do3wJ0nn`4s#}O9pe*FsXGrFqjV^s4 z2bSS6m_nuC7f=WP9%|j6pd#`P#8zu1yuGkD=jaCFuWK{GghKWjP?5U;b53g3PPaoXO3 z_rj&OX4f&z`6yh${5k00kKt$FU!e~V-Rj4Y$L$pdwMYJ$t_s-of}-gN`a?%>7HgUd*~V|&r?k)knw7}k#5aYD^GRcUUV1YW;Sde zofGJP+d(FjTQwEuNVCWNg(^BlNA2UNitg3midM_}AI_(4m5;Dk=ibF5>YnIrYfImtLS_hDc{?W3UsQ?SNsVjQhrw=HRZUDu0bW_p#b%v2=Nb{ZN(y6^X)kD*VZBB~%Y6=Y|#mlZ8FYzGjv+5Dd} znW{f-hjpRV$f0YIezUDVilebgTu)qFb6!0y`%xMcz0@x`-mFbhZ+O_%6TgeXsoOB3f6(;$wvR)c7yVEsuFj6}ZgD)r>C-uCv1p4q+Ab`AKo zwQ0HLdnK1`TP%A~0NXtRwJeO4cVlW&OUADR~QENRv zz0tHRi0+H;cf~kLYjJ3Unp+!3;aF}@vc-i#k{*kze#FjAv$|dFedjezc0&;-;Ix07 z0Jy3*7RFu)w`#ugD?v&;3N|>Fq<+PQh=vU<=6N|9jzzVxY8*uAL|5Ar^BOzCz|~X5 z5`W?-s01!nc=PB63a<02Rjwm0NR29!J|3B-J=7`8A?mEC+Sx43n{L88F3bqe-YCc7hdVJR9M-#6tADPkEp5-Q#Sz+k8qL(zu zX4RNF(DZ*jxBe6C8@ME9flLjqc=>-P^MD_X#2D;X{2>gTN~auX=2w2Gpu997s}zV| j@oY%R@ok_UrA=2ULENFnOMY-U5ltt$>JxpdH@5u;pi&+V delta 2659 zcmZA2e@snQYd@_4iZECSq2q^Wy2qgO-a+xo-}Z z(BGEky!cgILjO44hBr_P%T8xdEJq)9V}wU@^8}4h|r5w|7vP_!yPUFHjly+I1Au7~gyuW{hFQSc}!D7wtwSZ$qe* ze}u}!SEzwcyZvub1O0${?mTMcW4H@_q_-Ilq84-+d+{cQ_2OO%rxiYh9vnnne+k#) z+wS$NsMP<1dXY^ft&ocOScodcI-G;MPz!h$RrAk~McYrf7_Uqv|5{NgZ_x?@s0XT0 z8Cip~upL#JXIu}V?)w~>i;bWbZ~-;(QDht0zo^o9C^*Tma#RUcVmGks)X6;E2uy{SB*zwsDB+NcX8qG0(StGvz&eq{dfd5u@Rh)myx;H>_R7nOK}zb zCRE1WLY3$gYH$3A9=w7o?R5-b2KDji`(MRLJr_1$^aZF?pF+*_EPC-AYIpzUn$FHr zEo)FEYs9tKgA4IEY65?u?n~lfmC}#e3;7t&_*SeFoR9Oc5>=9J?8gD@#v7=bb(T7t zawn>mW2jx9a)-0h8JI}F0NXKuO8v{If!{zqH-urO4I zs(CZ&PwrmiSsTWUcn1-MDp<80i5etaGu$M-OZK31XkhcO*r36TF~oD6e8nfSxK zVG`fWV)`>tFKk1t@M)Za1E>|ehML%?s7!s2TF_M_IhIoHJXeDm^jF}1Y(q`pQkWAq zw2h%2D5!91-;8`k)=AH}C_TYf;LG>c5_-CDc+0m7sy( zYt{bezfq!|*h*-Yj2&(Lu1cAjR;ZTmV4G2Oy|t+PalbmW#~h+Z?XgWn zB9TcXDgQYHpK$cs*5)Z9b`VR5N@Bdla-z*vMsyMP5edY2)0eSsyyIH%zkVBieYzp{ zddXT&dfm?5uDO^^c!*iVgM@Z_a9 Tw=>Su*rk8zu%^iF!a(YO7?twN diff --git a/engine/vibes_auth/locale/it_IT/LC_MESSAGES/django.po b/engine/vibes_auth/locale/it_IT/LC_MESSAGES/django.po index e0a74dd7..5ea254b4 100644 --- a/engine/vibes_auth/locale/it_IT/LC_MESSAGES/django.po +++ b/engine/vibes_auth/locale/it_IT/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" @@ -74,6 +74,40 @@ msgstr "Personale" msgid "System" msgstr "Sistema" +#: engine/vibes_auth/docs/drf/messaging.py:17 +msgid "User messages entrypoint" +msgstr "Punto di ingresso dei messaggi dell'utente" + +#: engine/vibes_auth/docs/drf/messaging.py:18 +msgid "" +"Anonymous or authenticated non-staff users send messages. Also supports " +"action=ping." +msgstr "" +"Gli utenti anonimi o autenticati non appartenenti al personale inviano " +"messaggi. Supporta anche action=ping." + +#: engine/vibes_auth/docs/drf/messaging.py:28 +msgid "Staff inbox control" +msgstr "Controllo della casella di posta del personale" + +#: engine/vibes_auth/docs/drf/messaging.py:29 +msgid "" +"Staff-only actions: list_open, assign, reply, close, ping. Unified event " +"payloads are emitted." +msgstr "" +"Azioni solo per il personale: list_open, assign, reply, close, ping. Vengono" +" emessi payload di eventi unificati." + +#: engine/vibes_auth/docs/drf/messaging.py:39 +msgid "Per-thread staff channel" +msgstr "Canale del personale per thread" + +#: engine/vibes_auth/docs/drf/messaging.py:40 +msgid "Reply, close, and ping within a specific thread." +msgstr "" +"Rispondere, chiudere e inviare ping all'interno di una discussione " +"specifica." + #: engine/vibes_auth/docs/drf/views.py:18 msgid "obtain a token pair" msgstr "Ottenere una coppia di token" @@ -243,19 +277,19 @@ msgstr "" msgid "address set" msgstr "Indirizzi" -#: engine/vibes_auth/messaging/services.py:48 +#: engine/vibes_auth/messaging/services.py:51 msgid "Valid email is required for anonymous chats." msgstr "Per le chat anonime è necessario un indirizzo e-mail valido." -#: engine/vibes_auth/messaging/services.py:56 +#: engine/vibes_auth/messaging/services.py:59 msgid "Message must be 1..1028 characters." msgstr "Il messaggio deve essere di 1...1028 caratteri." -#: engine/vibes_auth/messaging/services.py:90 +#: engine/vibes_auth/messaging/services.py:95 msgid "We're searching for the operator to answer you already, hold by!" msgstr "Stiamo già cercando l'operatore per rispondervi, restate in attesa!" -#: engine/vibes_auth/messaging/services.py:133 +#: engine/vibes_auth/messaging/services.py:138 msgid "Assignee must be a staff user." msgstr "Il destinatario deve essere un utente del personale." diff --git a/engine/vibes_auth/locale/ja_JP/LC_MESSAGES/django.mo b/engine/vibes_auth/locale/ja_JP/LC_MESSAGES/django.mo index 8afc28f55c2bc3de95e457f11ac34eb18226a361..3ee2a777e7f8e52d54fa4568c2ee5d018cf43180 100644 GIT binary patch delta 3573 zcmY+`e{dA#9mnx61Qbyq0!l!BEK#5-N#v&nQiP;cl-4E@0)mP?lO?$}xr=ufNl@mv zJ3&)IYa0-QgH8~Hf`;it6bRF_Q>J4(9Y&|MEo19AvxJ0J|HIC-)=uA_y$ub|@ZHz$ z-tP0``#jHv-j?4clb=i+wa+NqiRr|sQD#T+vl}^3UL0$-4%=`heuB5)S2zyG-fYG{ z%j2N?cj4{05O2T-@iwf$`VnR>ex2(JJbb5F(*DH>ZQ2ZK(}Ve#hb6cGtMCuJn8sRM zKfx@_{oY)&(KzQ;vq?A~H{(iF!>^(0J%Xz5IF|GNud$Hp8+hqX+PB4=tm4K7oQAKU zGSP!e@B^HRqbFxOI1BIPdMVz4jYwat4e6U5Kn7{Ykyq_qROWt%B+ahie7uUYXx|)$ zJsww~dR~Fb{(4lZHV3vLows*zBK`);@FLE_JIK3!FGZ4N52G^l7^>k=aNU4vCx%JA z*vg4U-icZV@8AYpG$lKtA7Ufd2T&D{A)gxI?RXRBqwW`C6)q3%x1*-uWmINfMgG|d z4s-E*9{JZ?{DT``!#wh=5tJc|!`7lwxD~&FyHO*0A2ostsOLXIWn=(nowjVV&hmq;A4^UIkkIOKZ+B8*bP#xQdv}KLRKYM}0 zPJ9D5VF3$C^*oR2U?*xIZ=pJLB^jK2iE3!v3^TH9C8*R@q8h43RS-tK_*`)PBUDPe za1NeDW$05>M=#?G_yvx^?W{y)dKYR6k|#OgH~SN6dtJpgt~WYn_oIgzSpj*K_oEsN z1#ZK;xb8sB@oCg^@8g(}W|#0@u0Ll!@54DftW4J;KPByHPPETE@SAuZ_wwQxhO+<< z&ST!Wf1x1z;wI9>BUXodu^m<6Z01cCqo%49KOAA!j4QZaU1auc+=-fk53yYPe|&NF zg(`fAA9f>c+DE97e1%Hk)Vs~@!7kKP{RP!v4!zf6%tgI71UZ=FX9$lvOHVytAS@xsk?|QX!|c7 z#QajT$MKhV8_polnwrJ<2v(pvcnHj%dwN|O4NIQ$12Pry~<2A(xkN`n?vhATQ))i!P>C3#3mv^C<{uR z%F{%Jf0jLH4s(ZH7jmwTmCD0}MmSXJhfYu((hgxqC;jwn8}{SSspg-p>zD6ytP9Sc z!6%97!S&xnB|{k|HiPJZ9P#!tRvz>>rX3F zpU%02Lud=Ju=$TbBpPXLj5f!eXv_&UC+giuB3u(nxU~+y6vY#vEnA%CxEqT*aW_)y zG`jJ4sLqWSJ7o>=s1t8)YKq1ZaVJ!h2uC9;n!=H~Vk?Ws!*vnYbsC%F9i@{d^^}Y) z9r;kD8!JlG$J|h@ldZOZ44*KN3pGKjVIhjt0o&(J%!`7Y&g6W zYi){#BZ;1Qx%GSvLkh=uglw!9+qn_o%YhFyv#v8 zm3h%i?e|h|dZ`i5cN{G&@A>D_`*5;-5dZ}Y-Y*-JxOv=l=;bnTf%pNau z!Uo#T^miW!9vXVHf7ebgb(EWfeS7_0q`dS=FY~tFyR+VoR3%e(t%r7bcUS+pQ{)W-X|Bsg{`hUD%RnT2(PahuW?izS$mtEH-dYJ0-yKqSDq~G&0N9p0P>7>c* zd~)JXDEcc1HKpWf;MC7Ao!+6Wmjr1)>}5LrfztE=nhpk#Au;U(oo5HTn4Rn#F>#$# j(ee9v1#_;S2qo{>P$kFxydR{hj#cv~_gtN~dh-7Oyvnk- delta 2658 zcmYk-drX&A9LMo50?Pf4h+se@i9iw;MJ4bOP~5yl3SQ8Xyn+UjHs^j`a;!A1LDOms z%CxQNTw$B0GnFl~R!eJh>*ALGw3cD5w%SbW{rNqI)*0X5>zv2u+|PNu;yb&|cOx$7 zH6v{$Qi*Q@&5q#yG5nCmg_+%l$rynp7>N}aj*Hy$W*kd-BaX&Bn20ao+5oeDoJ={C zMl!JogUo!kgp6KXj$iX)2d>7dD6@4uKOSusjALWGhEtJ>mWgwCZxZHG-Vp0Gd>Cg@ zK8NG+E^1=q;^-8MF&WomBK_M7WTx@p4NSpnNSii<^lkT0GmVZnMmdy%o*QPfJDLM`T5)CvqbhcK4@EjhuAJ}d`kV;QQUoyg#=AGPEkpjP4ns^d>w z`6{ZT>!^A+P%|IK9hl7WF2+Ns3Ejq4yoWwD+{(sjhTAa|yHL+x#Rb^sp8t+o`a7tG zEQw`>7|gYp#$e&%~M;+e6 zy%@rJHsJwOLqDSiIER}4YUTkun9x(CTgjFL2W_81T+3@CO^7GjaWhXJSUc>Ergv+*jNp46L#S~oQm{Qf%Dlvlotxg$iLRDOY+KPAZI$psO_*TBxz`TdeUZ&iPTw(haRX>o? zM`H}?8mHqroQ!W)c>vY$n;3_ukTKh3RK34ZTa;AnmFtVye=T7v4^-hGs=>FNC-G^@=TLi^PHkPo z8hi$ip&E|lWXfFB%GIDgIGeE-dvF;Rlz1z45VbW&OIZJfWG?bR4J0sKbySFt;R@7? z@1h1ahf!&yDx2cUS+&NkA+wgyL5m{R6WXdRL?gkxY!RXJ)S~`l$#CWU={bHk zy8I^8m#vO?mRLjRkd7gg(upu4h-f0JiIEgf<_T9QaB_tF|10WS!-a8)`InL9VEgxT z6>f0hr~*wWH!4IM4*1D9eCMRk|wmkgw2YzrI+nYb#r NJ2NM1U{6kE!oLEO_^bc` diff --git a/engine/vibes_auth/locale/ja_JP/LC_MESSAGES/django.po b/engine/vibes_auth/locale/ja_JP/LC_MESSAGES/django.po index 37c06a5c..1a824346 100644 --- a/engine/vibes_auth/locale/ja_JP/LC_MESSAGES/django.po +++ b/engine/vibes_auth/locale/ja_JP/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" @@ -74,6 +74,35 @@ msgstr "スタッフ" msgid "System" msgstr "システム" +#: engine/vibes_auth/docs/drf/messaging.py:17 +msgid "User messages entrypoint" +msgstr "ユーザーメッセージのエントリーポイント" + +#: engine/vibes_auth/docs/drf/messaging.py:18 +msgid "" +"Anonymous or authenticated non-staff users send messages. Also supports " +"action=ping." +msgstr "匿名または認証されたスタッフ以外のユーザーがメッセージを送信。action=pingもサポートしています。" + +#: engine/vibes_auth/docs/drf/messaging.py:28 +msgid "Staff inbox control" +msgstr "スタッフの受信トレイ管理" + +#: engine/vibes_auth/docs/drf/messaging.py:29 +msgid "" +"Staff-only actions: list_open, assign, reply, close, ping. Unified event " +"payloads are emitted." +msgstr "" +"スタッフのみのアクション: list_open、assign、reply、close、ping。統一されたイベントペイロードが発行されます。" + +#: engine/vibes_auth/docs/drf/messaging.py:39 +msgid "Per-thread staff channel" +msgstr "スレッドごとのスタッフチャンネル" + +#: engine/vibes_auth/docs/drf/messaging.py:40 +msgid "Reply, close, and ping within a specific thread." +msgstr "特定のスレッド内での返信、クローズ、Ping送信。" + #: engine/vibes_auth/docs/drf/views.py:18 msgid "obtain a token pair" msgstr "トークン・ペアの取得" @@ -235,19 +264,19 @@ msgstr "言語は {settings.LANGUAGES} のいずれかで、デフォルトは { msgid "address set" msgstr "住所" -#: engine/vibes_auth/messaging/services.py:48 +#: engine/vibes_auth/messaging/services.py:51 msgid "Valid email is required for anonymous chats." msgstr "匿名チャットには有効なEメールが必要です。" -#: engine/vibes_auth/messaging/services.py:56 +#: engine/vibes_auth/messaging/services.py:59 msgid "Message must be 1..1028 characters." msgstr "メッセージは1〜1028文字でなければならない。" -#: engine/vibes_auth/messaging/services.py:90 +#: engine/vibes_auth/messaging/services.py:95 msgid "We're searching for the operator to answer you already, hold by!" msgstr "今、オペレーターを探しているところです!" -#: engine/vibes_auth/messaging/services.py:133 +#: engine/vibes_auth/messaging/services.py:138 msgid "Assignee must be a staff user." msgstr "担当者はスタッフユーザーでなければなりません。" diff --git a/engine/vibes_auth/locale/kk_KZ/LC_MESSAGES/django.po b/engine/vibes_auth/locale/kk_KZ/LC_MESSAGES/django.po index 4abfa04e..71a3e872 100644 --- a/engine/vibes_auth/locale/kk_KZ/LC_MESSAGES/django.po +++ b/engine/vibes_auth/locale/kk_KZ/LC_MESSAGES/django.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: LANGUAGE \n" @@ -77,6 +77,34 @@ msgstr "" msgid "System" msgstr "" +#: engine/vibes_auth/docs/drf/messaging.py:17 +msgid "User messages entrypoint" +msgstr "" + +#: engine/vibes_auth/docs/drf/messaging.py:18 +msgid "" +"Anonymous or authenticated non-staff users send messages. Also supports " +"action=ping." +msgstr "" + +#: engine/vibes_auth/docs/drf/messaging.py:28 +msgid "Staff inbox control" +msgstr "" + +#: engine/vibes_auth/docs/drf/messaging.py:29 +msgid "" +"Staff-only actions: list_open, assign, reply, close, ping. Unified event " +"payloads are emitted." +msgstr "" + +#: engine/vibes_auth/docs/drf/messaging.py:39 +msgid "Per-thread staff channel" +msgstr "" + +#: engine/vibes_auth/docs/drf/messaging.py:40 +msgid "Reply, close, and ping within a specific thread." +msgstr "" + #: engine/vibes_auth/docs/drf/views.py:18 msgid "obtain a token pair" msgstr "" @@ -236,19 +264,19 @@ msgstr "" msgid "address set" msgstr "" -#: engine/vibes_auth/messaging/services.py:48 +#: engine/vibes_auth/messaging/services.py:51 msgid "Valid email is required for anonymous chats." msgstr "" -#: engine/vibes_auth/messaging/services.py:56 +#: engine/vibes_auth/messaging/services.py:59 msgid "Message must be 1..1028 characters." msgstr "" -#: engine/vibes_auth/messaging/services.py:90 +#: engine/vibes_auth/messaging/services.py:95 msgid "We're searching for the operator to answer you already, hold by!" msgstr "" -#: engine/vibes_auth/messaging/services.py:133 +#: engine/vibes_auth/messaging/services.py:138 msgid "Assignee must be a staff user." msgstr "" diff --git a/engine/vibes_auth/locale/ko_KR/LC_MESSAGES/django.mo b/engine/vibes_auth/locale/ko_KR/LC_MESSAGES/django.mo index 26cca7aa06604435de110a170a3c78c39be46d75..ffa3f0dba4193169cd6a00bc1ec0cbd6fcdcb91c 100644 GIT binary patch delta 3460 zcmZA3dvH|M9l-IQAs`@+K$HYfb3jCaWI;p-ph76V5KAzGh}hUAxkIANDo<{`THb+B^L2 z=bZaEkKZ|W!*}g>Qkf5@7j_B9ZsKO5uu$X-de?K}I51IU3m(K<@k5-1|H8>Q@dgq8 zNhv42J`ZQ$T{sRO#+z^xwp=G-;X>+{c=$GvjC@XkKIIl#(+B5bDOTbV+>F2G#l6^w zTc?UdxcUBUeh<#Z7%~<)h>T5+Ba@V~$gA>w)XeG*T3!rx*U&L;1Ae>IXUc?>l}+fh3X2lXgwKS|8! zi)jiv^JA#{U=ZtYX^B6h4vbMhj@s~e@~JbNffH~p>h*HmjH`m{FQ6{L%cz+-f&7zm zoaWhtfRX5?d>gMUX|nwy!G zT8aAH7G!SHggSxUv&g@W{2&+DhjJ8kZB8M}Bk!Uv!C!DC7SWn6)dtjoZA1E!81he^ z=hTkh!Y6S78%f(~Lml8T)QOx&9ndG4pzsgWjwatCLYAcxHFedf9o3>X5J7$MxuAXs zHKix;)(7)pI_!*AJ-Rwlo^nTPO$h=B{d-6W&=XC}3^V(+khVf0*-ThhM zIP$CYlE6EW4)14i9rZ%ibrn8@8*wj|>-Ybw zd_m-&xQrVM*pUY7QD>ULZJ5OnUJkC$tnl~FLezm(qOSEC)aSMY*Y{yH^$uh%^84U= z0S`@}f0;l*8z@EwE3=SE$$B&x3p|9Hp;uA&iif&aN*4ROdNEF*{vc|5)q!<^^~ft? zA<2~^n0bT3Fa-!xcS zLj6oPqRwzXYNpPiw(~yfdw&dcmyv%R$>&_q&*)x;w+3r*J9eS|V0;=le!0K-%8-33 z_v16T19#wWP&;0+!v89s!VT1SqF(FUyyqt0wOI=CLE;t=XydK-1^KSlPh7(N9)4&DF$u??aGOCvSJlSGPW zBBm31=u9`|Oa5s+=yHr6+Hi4Dc?=&Oy@4&)ls8k>th4kPd7Q%6uDLl{tfQc7tH)P} z=6s1C6x2<}4`%*&igSW^!mnOECxg-hfg4dXw2ROsnMkbE`Rh99vCt>~BcUmKi1-pQ zlX#TS<9ec+C?#r%orE5`S$7j`qx`WtP|+{otAu{KYYAP3(POISU)Phr7x@h}C%E%q zpi)KX=czk*5;29)&rJ{gC9Ef&BlwE*n+)3BE%ZPCMpQ_v}EF(bf@1> z=tk2+H`EQpSmNshUs?W-#}d4Ym`fB8X`+zWL41+;GSNW92t95j%JLf+*D z<;2wmk5pU9id0L|3O5?R*@l*|ZCg=!+)6~#<)$GTcdT*~rWb9-?2M#ZBDM(|Ct)>2 znj#Ixe>;>*PC7RxlOI{c-Vxtr8sc^;8IMYhUaN@P(R45#XO)RYoYd3tgk{rmepuxu z`9J;ThiqzXdSKGlvn0SI!s%!{+{m<&ma$@y6!{2AP1;FWF{vdRQd`3LYBmfnCDVy` z#7^bzDC(Zl(tFW8+iu+MtlM$Kc)dg3w|m`ek8y|FyffeMPGpU@_q=y}!0XFizOcu* z14q2h9`DQ^_wYxC;9*k*W!w@11Lg8R82-&!!H&g(ek_8)K$ z_qaKI#P8sHZEjmuMmmPQ{w{O%3FGb^^p0k|HU{&;;mbpG-g*A=(1mh5mv^M=rID^~ zilN+3=6tg-<2UDCIN|l~F(ZeD7{W-`cZ}EHHpULzgsi1{~|LaZG-M>r{;}x4AE`3)=u^?M@^VVcl%Ge c+0ir{-ag+<8%-h^X!H8oz5bj%|Ba&m0K&apwEzGB delta 2653 zcmYk;drZ}39LMo57m1tP*glfEKORr+EQDXTdNsc%s+B9vbojDlHQ-+dCt}|zUTEk55M2(ekm1>t@ue$!< zQCoiv^&rb&TOkQ&Vj=1%>Tx#iMlIk?)R`Yg7Ht=?0$B{I$e^5sg!-2CIR)#u)6}TAtve1 z?LdmFR_ zjm%EDwZYkj{xHtJn@SbGxHOA%$5||=7B{1k>9F%6meP)4^gOIYt-y!P*o`;iSFZmr zR4&AF4pEqiI=Wocb){Z^z-$YZdOF&Xx!4Ks7i=xY(7x>2SCMDh-^g67fXvFnRn9J~ zp#2@_!{c$XUq#GYct+W zy92e7W6qP9MEf*q>n|XSw=q;wCNRiiEJiJ`Z9eC(t$LacJ?KN!jh{HrpeFJ?>aEDW zg#^ShT#tRItsQaxjQVPxKz-rlFzX#yg`4pxYTyhKNl9B#%KopQ(nN=T@fzxZU*hdJ z>iVa%E!yH5Bu}jYwW3|9>kqp22dFbYi@NR->c04e!G)!xpLPKzVt;^&lId;am}~?& zZtpJ=Z;>^sPDvpa5#@y5k}bp?gtk|uDTw!-aUXR}UK7#zHxSDS6&;VpsUyM()*syB zmAI8iC76R(b~@9Yd^dSTZ;8q#!kerbuB^jtgpMyH_)N2(>e-2%X^r1bOKFDFyGaSwEzGB diff --git a/engine/vibes_auth/locale/ko_KR/LC_MESSAGES/django.po b/engine/vibes_auth/locale/ko_KR/LC_MESSAGES/django.po index 41e7b065..1959fade 100644 --- a/engine/vibes_auth/locale/ko_KR/LC_MESSAGES/django.po +++ b/engine/vibes_auth/locale/ko_KR/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" @@ -74,6 +74,34 @@ msgstr "직원" msgid "System" msgstr "시스템" +#: engine/vibes_auth/docs/drf/messaging.py:17 +msgid "User messages entrypoint" +msgstr "사용자 메시지 진입점" + +#: engine/vibes_auth/docs/drf/messaging.py:18 +msgid "" +"Anonymous or authenticated non-staff users send messages. Also supports " +"action=ping." +msgstr "익명 또는 인증된 비직원 사용자가 메시지를 보냅니다. action=ping도 지원합니다." + +#: engine/vibes_auth/docs/drf/messaging.py:28 +msgid "Staff inbox control" +msgstr "직원 받은 편지함 제어" + +#: engine/vibes_auth/docs/drf/messaging.py:29 +msgid "" +"Staff-only actions: list_open, assign, reply, close, ping. Unified event " +"payloads are emitted." +msgstr "직원 전용 작업: 목록 열기, 할당하기, 답장하기, 닫기, 핑하기. 통합 이벤트 페이로드가 전송됩니다." + +#: engine/vibes_auth/docs/drf/messaging.py:39 +msgid "Per-thread staff channel" +msgstr "스레드별 직원 채널" + +#: engine/vibes_auth/docs/drf/messaging.py:40 +msgid "Reply, close, and ping within a specific thread." +msgstr "특정 스레드 내에서 댓글 달기, 닫기, 핑하기." + #: engine/vibes_auth/docs/drf/views.py:18 msgid "obtain a token pair" msgstr "토큰 쌍 얻기" @@ -235,19 +263,19 @@ msgstr "언어는 {settings.LANGUAGES} 중 하나이며 기본값은 {settings.L msgid "address set" msgstr "주소" -#: engine/vibes_auth/messaging/services.py:48 +#: engine/vibes_auth/messaging/services.py:51 msgid "Valid email is required for anonymous chats." msgstr "익명 채팅을 하려면 유효한 이메일이 필요합니다." -#: engine/vibes_auth/messaging/services.py:56 +#: engine/vibes_auth/messaging/services.py:59 msgid "Message must be 1..1028 characters." msgstr "메시지는 1...1028자여야 합니다." -#: engine/vibes_auth/messaging/services.py:90 +#: engine/vibes_auth/messaging/services.py:95 msgid "We're searching for the operator to answer you already, hold by!" msgstr "이미 응답할 교환원을 찾고 있으니 잠시만 기다려주세요!" -#: engine/vibes_auth/messaging/services.py:133 +#: engine/vibes_auth/messaging/services.py:138 msgid "Assignee must be a staff user." msgstr "양수인은 직원 사용자이어야 합니다." diff --git a/engine/vibes_auth/locale/nl_NL/LC_MESSAGES/django.mo b/engine/vibes_auth/locale/nl_NL/LC_MESSAGES/django.mo index f17dc331e235cda27a69c6f212b0be1ea880b373..839e84a0815f0cdc8301a79b79cd84817df6506c 100644 GIT binary patch delta 3453 zcmbu>eT-aH8OQO5vMqgYX=&LO=$;m~6}r1fTiPuxZMRz5BJH-6?F$v!+nKXFmz}wH zymw}oLFyz%EsK?qpuA}`AWBjUnk@Qr%$~=8T*ep2L$l59!ZBQd=W#Ax#CbS- zju{_o=S$bG!=-o=&cHpm1pBdciJ8Y6IDegouQhAh1q!rj*HD`tT!rn}iyy^<_y#Y2 z7K?azfmz7)A1ySSj-8jAEylHYFK$OQ{B=~l-$K=Q4tMhY&#;U08N75Y?b~_^JGgKJ zm*bPDOpN0OoWNx`{ffMU9k_|}oAD~FAbqhhq;K{#GDtgzylOu{W$sr<((GMai|=6v z?VDrR^Kl2N=l!VcA4a9>-j-uX=j|n2gulQ({5^KyRpedww;;)~eW(l_M>QO@&daEF z5^U^ne zk&nH=*J^yVo&0Mq{?3JuU^{u%2>Ou4VTVvD9L25pMbwC1Lyh2d)bnqmGV%_t#Q&nE z=4wVIdr{Bbg^bMxQ3E)=ocycjV_aYz+7qa`c@CK#n?Oy$Teuk)Qk$mgc2viXA#GU& z`Pdo0K9AqTyYYG!lIr;!s)J9V2J#(Lhu&?r3h$#Dns<#ES+-tO>JFe98bDPLqF#Kk zb^Zt{rO#j|{t%U+KchPOHlD$M;Y>WuN>rx5fSQ8lcPVhseuvs#@8KZl#~kyBub@)( zJ}Og}kzdW_5>&@JQSWa?HE;x3k9HEDxx{P)HO1}Br#iR`HLzhMNlmL#AiH)Jx8ULe7la~Cv_jy;dgKeUO+y!pvlr?VcRZLYAd)DM^O(x zg6i0Fs1Cf0tMCtaJzhkme$A%*`E@wP`5sipev5kUPe|Wv7AslxY(q9jHqF3lCCUVu zvO~n(M2*n8SVZXf6w#lR@-MAw&GY1;%q?!6?87~iH&EG`JPuOWNzk#T-AUnr$vYqL z2xYAa9rqDKS&7AlCkTx~htgXmj_TwCN75?qYIz50G2c(zPAF@eHU5uL&~Zafwzafc zcN6yzT1cNDbZ8MBAliumVwBLampDx*#X9suHhE~hXf16eb`Wf~sbc}{XA6m+!t7UT zW$V^$Q;+0-<2~ov37S)_+)D`^{90%K^*o5$QrccRw7=_w7G04Dh>+M$L_{~C1=x)F zI!f*!&^;*eCwXhJ>e9>{IJFNwSgRY+X zBz38eimu|*G#K(}kLxR^u}kaKYMj(k7Zhq?9Nk(CqoE$_OVe;D^4?YI>0?_KFCOom zy=B_o13u}ll@cEmU0!XW6hx6P+nv5zZgjaqIZl0-3ur~vxY4jy3L_V|wCW4tU|4YZ z+dbpS+!rowW<3j|Q}O+-5J$BnF54kp>yD#xqt&1E7FQ0_+KIU8BWljN)#Z{8wU>3- z4MeoSp#2C5aMhquj)Nk@O1$%xutq+5>`)`E`HBsY4I8+U@2PA!UP>C(IE-rJYZg8+ ze^6-+eZ{+Y&<**iyn3G$z2i=;yW)#})F;Er>~NhtMDCPN!a}J=X@sk_dg7xV*B=#i z;_GxPj)y;#=<%0V{ASu=@|wnEyPOUOQ4o|}m7W!oASg1swb3}HO-7%V>!IrAqamxk zFl*LRY^B%_`>7<4tvu1z-04g7+2v`b-n=2}E0^`w2z9Hq{ObRk>(Q*Ej$RJ=2V#aD n^=!;@PSSV#Q%OA}TedeEiG5O4KCB z*5%;tC0o>%RwG;gRFd}ooO9Ut?SAj;oWnW4^ZR{&-{0l? z{;{6WSW5JBM%zhb5no4{y^K#>!xwFKtl4##iE+3L}8;NEyn33dmoP|7S0j%J@9L(o@ zd$QZ{^SGMxkMLUj4>hsbDZCVmF%x?*o%h?L9F%b31)PKDkUnh!dAD6f%``F9jE~LX zOBpFZCS|p_2pe%89ze!!!>CNWi%RB)s0@7SIf2Q%-!jw8c!w>*a$Je(=wW2=b^?|1 zcTkxaLB04h@BAy&i@rrYH-?(|72J!Nq<1qOMNQ}r?8B=VQpbHPoM!kC`tcy@`eCfc zd0o1R!G8yn2TD9I?Tbns0qA+TJw|0r0oYR!%MTszh-n3y=VqYP!B9e zWn?{OV;gE|_IVyd-S<8+7CVEQz&L8)6G$1^Bx-5=EI7%qV$>2;V<`@0l7Fq$TU^k{ zP9YyV$CqCCJ03tE`E0_cP#s-F4e$zTCdu5a0o8i8qh2(COxBK}GWQ3&pNSkZM$5!yAUDSxnIX^|kDntLE zG899hXbD599B4!V)Pp6cjvJ8ruvUDLjs{U{o56Z$U~5n_>PE(FJJ27=e#emrvu9cG z$GG0W&8n#})GoN-onOLW1nd7V2e+t$8>s^v#wr}e>oJSzF*z&8rPzv$#g3o`9>!(( zIqE*kb+_+a)Gk?!J}gBoZ3QYLEzaLVYzq!<d9qs=r>;fPxsq`)v;gO3i*$1`eSfJc$qDDBg?J}A&u-J2V~Ep7P~3W#{$mlQ8lp- z8G{{173Ue$On*krD4Uz(FbB0H#i*iQhgz~`)Y3eI^YKm8d(Rdy53S_|E+_-Oo81SK zFoE+0ScrwF7k40&wmrBVUqf}A&P}oiDJR>2+IB&HIXAQxwf$-_%qY2@W W`Cmqce+sllANeFFHT-u@N8\n" "Language-Team: BRITISH ENGLISH \n" @@ -74,6 +74,38 @@ msgstr "Personeel" msgid "System" msgstr "Systeem" +#: engine/vibes_auth/docs/drf/messaging.py:17 +msgid "User messages entrypoint" +msgstr "Invoerpunt voor gebruikersberichten" + +#: engine/vibes_auth/docs/drf/messaging.py:18 +msgid "" +"Anonymous or authenticated non-staff users send messages. Also supports " +"action=ping." +msgstr "" +"Anonieme of geauthenticeerde niet-medewerkers kunnen berichten versturen. " +"Ondersteunt ook action=ping." + +#: engine/vibes_auth/docs/drf/messaging.py:28 +msgid "Staff inbox control" +msgstr "Beheer inbox personeel" + +#: engine/vibes_auth/docs/drf/messaging.py:29 +msgid "" +"Staff-only actions: list_open, assign, reply, close, ping. Unified event " +"payloads are emitted." +msgstr "" +"Alleen voor personeel: list_open, assign, reply, close, ping. Unified event " +"payloads worden uitgezonden." + +#: engine/vibes_auth/docs/drf/messaging.py:39 +msgid "Per-thread staff channel" +msgstr "Personeelskanaal per draad" + +#: engine/vibes_auth/docs/drf/messaging.py:40 +msgid "Reply, close, and ping within a specific thread." +msgstr "Antwoorden, sluiten en pingen binnen een specifieke thread." + #: engine/vibes_auth/docs/drf/views.py:18 msgid "obtain a token pair" msgstr "Een tokenpaar verkrijgen" @@ -243,20 +275,20 @@ msgstr "" msgid "address set" msgstr "Adressen" -#: engine/vibes_auth/messaging/services.py:48 +#: engine/vibes_auth/messaging/services.py:51 msgid "Valid email is required for anonymous chats." msgstr "Voor anonieme chats is een geldig e-mailadres vereist." -#: engine/vibes_auth/messaging/services.py:56 +#: engine/vibes_auth/messaging/services.py:59 msgid "Message must be 1..1028 characters." msgstr "Bericht moet 1..1028 tekens bevatten." -#: engine/vibes_auth/messaging/services.py:90 +#: engine/vibes_auth/messaging/services.py:95 msgid "We're searching for the operator to answer you already, hold by!" msgstr "" "We zijn al op zoek naar de operator om je antwoord te geven, wacht even!" -#: engine/vibes_auth/messaging/services.py:133 +#: engine/vibes_auth/messaging/services.py:138 msgid "Assignee must be a staff user." msgstr "De toegewezen gebruiker moet een personeelsgebruiker zijn." diff --git a/engine/vibes_auth/locale/no_NO/LC_MESSAGES/django.mo b/engine/vibes_auth/locale/no_NO/LC_MESSAGES/django.mo index 2a1bf60ee119e748cc259a80980d431abfcca166..167ef0a6dcbcd7358cb05f63488b49a21929ddc7 100644 GIT binary patch delta 3419 zcmbu|I(b8h}Q~dB!4z$Nw&3583ycW-48~z7p zV(aB*d~6X1UH>93z?C>1@4)%E700HS`FJDeXZZ2;W)1s<4$rh}7)?Ly#6{SHD{wph zmKz_&GVYpf7I6I+bIhjU;<;w+coXi!4X6h{iyHS7YP=V*pZiZ^7w6Nt>3W`TH`D3m z!fw10e}Kxw1m1%0;umn*6~zQQ@K(-O<5gHi=3>W?x!E(wBJD-wR(lndxwny|*?GJP zKgJH8Z;oZp!d}$Ox1zGY3ze#UO^+dyw^wi;zJ-1GN9@3>$h*E@izLgopfYqX>cL*~ zJVZSw!G>-er=yjhMAgA7xEoh3ELQY5RyltLHSi4bsTD53%diu5y$iSFn&$N!=L9kDBP;@KO91&cLHoqB8w0)D|>;PKWR8_o&zFW8BaA9>=?k zucI>a9%{f3QN{Er>iTr@P5oIrYD<=(CcFY4pJKKVwXkMC&>_3F z9yOzT@B%kB@OeDUvhS=Jlm4OA{y|&$QKeko$MzGS1)O(2bv9 zA1-B9`THNx(SXNsCBBSG>3gV^{2Mo58-<}v-GzGJA3$x@5uAZfp=#hq$eipoY{mES zOZWk5Vx3gHYHlM=*UEO#xfJ)H{_#94;dfDc{syXueuta!JZdGYIq3Q@>h(H=%D`i& z@t$m+pJ<*xiyHR@RL0L@;|QI9(iy{$Z?(r~@d5k`&cvtm zRFMuMyJUw^DL#dI&wq{D+H4+Ihi~INTy{(Gny$lM&hN%{d=mBjbI4rm)dn5S_#ddfYh7Iw-&|C2 z-Pp7r=X1Un`Kz!RDuu^Ud;LqCgKy#!cowzdAu3P*3lUN__B1LZZ{QSE{pD>B$BOaYx=O4yv!oww+EtL8cqFgU;c}Z$9I0 z`q~;b72{~$E7E;GePu!I>qL#XM<<_YNwfczrgx!=`4Dj@p}M+F>;EzxH5HKB8ba0j zHR3)(6}*{HQ>wQSD%wHfAfdL2I7+aKd0X35DE$>;9nni@+a}v=d{_bX6U%U`%nCB_N8??c4h#C~F!s1j;d5FL51cx!H@zl+eTy^}~M z>yKj0|1y`LBjyw93G0jEXuKNNQx_-Bt7l_=lm)|H=9eAcbf=j&GUDo~pQJAJqq3{| zY3hyoY0344Y3$N^trjO)>b&7Bh@)NTCw)shS zHkSBa*%iYMk9kq#hqlA7h2vdrIE+)j%XvIS!?=S%HWozAb7{>V4n~4uSKM8iNZMYy zq>;}oh=$@rZa9vzBo1vr*Sg~<9B+(35vHGY)1cr-nI>T@Zc z_|>(KOzqp^m%U`j56XVR0AA>7{5VTapDNqH0WaxtVZBn}?joN7vvfng){qsyDoylW zcSB2KbCJH#c?UE?8Z(s7o(2)wt)#ZO9$mc7mX*VNe*bT3RZf2D>e=#(neETBVVk08 a)Qd*bT0N>{ZiK=t($q}NM7sF+tp5Q<;qPDo delta 2662 zcmZA3drZ}39LMo57v*rc;{`|!3=0tPlH!#FEEGiu15+eIQVPYR$wgx34&J7b+FEOr zo71h^)|f3%HPdpxWf`99wV z9q{$E_^+i#zizZHVlweVl-XN&B!&Ym-D`F~W?(!n!~`tEIIMB^8*w7n+i)!I#|hYr zEfHp?a5~qqbdrtpFxt#->p9Vb4S0nI+i^3lNHp8R{r)7gF*q?f)bV8Ghn9`YcrF)b zaNU{`>i7*T;rcVY4~J0`OHbvcScn<86({h1JHW{TZXCx+cp2%_29bB$C~BrjKu^AX&G8Kid|_Ms;92l{Xn{p#4q!fA%PF%}P@?!Ss_ z@T9x{Co1*-pgOWN(hAA=5aywlq8f8?4{8GMqSpK@GHLr6i||ew`PYmJ=tVP_i~7N0 zR7O_gRBS{o&0gmT)N`LAW3g{h6S#pI_#je7b`P~Qu`D>rutL-ltinaunL+-wRv&Of zBfEfn>@o+v@OM0j9`d;XkD)rcg&N=pY9=W>tN~RyH=OJRBzyHq9 ziGDcXZrnu%ZDT3f2Qd?sp)%A!EAS9*Ko8zPrTRD25{#c>#>bX$&@QUOXs1X{?WyU^@QIbEWt;7O~)d z?ho*G_1DB~WQ%hLc17^WE>80JVvyk%V0uny7c55=&0*x-){k@W5-LL@r~#%i{bI~V z&Ab)0eP2SQ{y2K@43bkDVI`i#SiFrY!oN@%x`%#Mdji8H36_I%u^Kgy1E^F7FbglC zW^x-B;xKw~J`cxZDJmmX&L&jxbs%%GH&Ge>3RN?|&Lsa@+hJ~K#8YO4iZBloxGqK} zYn7-}b|YD~V_1u4QAL};x@c{)Q8iGEdcFa7VH-Y;w@?Etr;xPk>gSOE5>9;FP%)iG zJ#Z2E*pD1E;+Tg+YnO-0$ZS+`t#me_2GWh}M0*99ll7z4`X@}rn|K6=P!rzkC*N!U zJBloa1yC8ejuE()P)jA0@&&|VViWNgq3o!w3lZ!~GkuiM02_%lL@A-BL1L_&r7EYU&K5le^~qL^sb z`%^g4nyP87wgu13cA$!~lGsT+N3h(%bb@6ODn3>824WQvZsRyneW;P?U@PRPUG)gT zs=CJfmvTzBgO%EZt?sKZ<(xb~Y$u9{6~uDl38IV$w=wQSh1*6v<*uK13hlNALTj&j ziC6wJ33gI&YpHs*RXT|hVi6H;QJnDCI{3esE%+qiA;OK~w(9VOGv|NT^<1we+THyb zk8|R47b~6mv#TnPC8iS35UT3HFW&mdz`lg{qrBbi9nC&l+uqz3xR}zH7&w=;KQiFY U&WVnz34OJ!t+O>yn|n0zUumuPk^lez diff --git a/engine/vibes_auth/locale/no_NO/LC_MESSAGES/django.po b/engine/vibes_auth/locale/no_NO/LC_MESSAGES/django.po index 9f15a0ae..303d3244 100644 --- a/engine/vibes_auth/locale/no_NO/LC_MESSAGES/django.po +++ b/engine/vibes_auth/locale/no_NO/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" @@ -74,6 +74,38 @@ msgstr "Staben" msgid "System" msgstr "System" +#: engine/vibes_auth/docs/drf/messaging.py:17 +msgid "User messages entrypoint" +msgstr "Inngangspunkt for brukermeldinger" + +#: engine/vibes_auth/docs/drf/messaging.py:18 +msgid "" +"Anonymous or authenticated non-staff users send messages. Also supports " +"action=ping." +msgstr "" +"Anonyme eller autentiserte ikke-ansatte brukere kan sende meldinger. Støtter" +" også action=ping." + +#: engine/vibes_auth/docs/drf/messaging.py:28 +msgid "Staff inbox control" +msgstr "Kontroll av personalets innboks" + +#: engine/vibes_auth/docs/drf/messaging.py:29 +msgid "" +"Staff-only actions: list_open, assign, reply, close, ping. Unified event " +"payloads are emitted." +msgstr "" +"Kun personalhandlinger: list_open, assign, reply, close, ping. Unified event" +" payloads sendes ut." + +#: engine/vibes_auth/docs/drf/messaging.py:39 +msgid "Per-thread staff channel" +msgstr "Medarbeiderkanal per tråd" + +#: engine/vibes_auth/docs/drf/messaging.py:40 +msgid "Reply, close, and ping within a specific thread." +msgstr "Svar, lukk og ping i en bestemt tråd." + #: engine/vibes_auth/docs/drf/views.py:18 msgid "obtain a token pair" msgstr "Få et tokenpar" @@ -240,19 +272,19 @@ msgstr "" msgid "address set" msgstr "Adresser" -#: engine/vibes_auth/messaging/services.py:48 +#: engine/vibes_auth/messaging/services.py:51 msgid "Valid email is required for anonymous chats." msgstr "Gyldig e-post kreves for anonyme chatter." -#: engine/vibes_auth/messaging/services.py:56 +#: engine/vibes_auth/messaging/services.py:59 msgid "Message must be 1..1028 characters." msgstr "Meldingen må bestå av 1..1028 tegn." -#: engine/vibes_auth/messaging/services.py:90 +#: engine/vibes_auth/messaging/services.py:95 msgid "We're searching for the operator to answer you already, hold by!" msgstr "Vi leter etter operatøren som kan svare deg allerede, vent litt!" -#: engine/vibes_auth/messaging/services.py:133 +#: engine/vibes_auth/messaging/services.py:138 msgid "Assignee must be a staff user." msgstr "Mottaker må være en ansatt bruker." diff --git a/engine/vibes_auth/locale/pl_PL/LC_MESSAGES/django.mo b/engine/vibes_auth/locale/pl_PL/LC_MESSAGES/django.mo index d1967ebc94a8a9ed00b65753523f8ccf14b05950..a9f442dba9713727d2f1b7056c4342dbfc832930 100644 GIT binary patch delta 3521 zcma*pZH!da9mnxM2*}g2Jjg=@*|UHku)6|cU7jk7+NzW;4=xl@@b1jr-Mce$@ATd~ z46}-pY(R=_d7)9Oq$W*EXrQSt*4EVWrh#ot(^6Bb4R1`7MjORf241w+&gp6!~dK!@aNo#xcdI=2`?DsD6xo`Fv09BesVJx%6F%lJ%T53F}{z}@!!~l zQ>U5nXA8LK`7)e`YjF}jh;y+U2gaHCxQhGBe0ix^)&5C^KJ7MI(-)WE0_?;!xC`Im z#bM0i-e$9a=f9b0HW6>1Wi|&_<3YR^)$yyScF&;NJBQnN|01?=KZ%!?(!bqBWh)Q% z;jQ>XR3=7nJ-&@!!HKuj2iSu5aDO*0!~!xFJBf_VUO^^l=a5(JSE$VW9!Z*ggsbry zw$Q&hrac3*m*I^eh&*e+AX>Wb&yQ&ci9V1ogZPcj3my^Y5dU;6+qs zP9uMIp38E)w1E6;Ew1w54qQNbJ!kK3d^_|zlWO9Tc{aaMt%QXR7U=Rt@tn0 z(kx^aN07N$A8GacA_%<3~C9guTkMMdk=NIu3^gkepf#xmy!Kt zpP@RQMShj3r4830W4A4+P4*~iKt7I+GkY4>a(_STspEVYwYkqC{Z{QYD)ec8#BKNq zwvIQubD7y2G_Z?d4)J^n!`2Lr;Y$1gM)(G5FRb99*0ck8WE*jq_cQnn?mr~Gcj|N2 zcRe1&R-OOnYZbF!Ha_?(YDUx9ncB50@j={xO7So%6F)<(?VG3p{0X%O-b2mwQ=E)T z+s(d?ZMXyz)bGWMIEnu4EET2h7pPSI8a2YJs8qU+`rg=pTe;67e|Cn8mhLa8CHfRK zkjYF_d!V`D+=dHL@3kWP*>+;}B$XVMC-6E>!@UeY#$MD6-$l*%W1Nnkqc-CdM!ORi zp=Me@ZQ8@AnLdfk!Cpn0wm+aU@pT0e$^cmzZIJL>mfH;v4~JgS|iQ7ONI>gO6dY^vTmjE`}@7B$0Ds7?DLT#gq}oBLzraA^P6%YMicWZd=; z8g)wa5z2tdcZlvanaOQH0t>>zY%#>&801$PnK2u^0zc2gN5{+1DBMyE!u}5HN|K;I^nF(-CC_h~GiRi8>Zb7z?eydJ zbRhP8dHs{fcnsMbI9SB0_xuoc4g1#W*>Th?9#M95; zRIQCH2z#R=E)#`m9OZ3~p0!6|zS0;^veD&(Bs~-r{g9Sx!)kN!4gJ-I?0Q0aVAB3! z65xtnB_DZNrWO0nF9a$1=&(JNB=rl{LpH2uKG!d@;dm*o6r&(aM^?;yX+~9P4GK{? zaQRZNE0qI39;&2%J`DUYaHY`;l{6QX!yr>(cF~aMiexw<86{V)B$d%&Z}8G_GT>#S zLNt0h6Lh%l-eh#R)L$C(U3_tbcm2@|H>SNi+Z#l2#&d;{w-#R??``)&Z*=nGsfQxdmKYBXP82h6} z3mqdDS`SUAZm(ybb;>cxFc-L}K9C`Q@P>}9E0Z2N)^#8p~53m**neP(v zLoTx6-Y6fi0enZ&vL$stl=b2vfArXwEA~acbGDPOq^|4_DyyE$MTHV+@lqw`%XP_l KBkjx2H2()oh#|fJ delta 2669 zcmYk;drZ}39LMo5mz0a#K|wS?3_(OJK=2Ym1|%wBL<+`569W-6E;4HFn95kqx%#8g z+)OI%kJh@Ku$!2xnSa#WLN{GAEB>fC7}lyahe_|x@BG+!#`nB_zvrCu{GR9geV(KJ z9V4xto6&)<8Lfv{KwJ$ldmE3<=7km?Vs<|!;2bQ#Ff74PtaAGsa4z?IaTXrIID8qK z{mce&Dfht)l8U()Xy&nPTQy3oWMjJLB_NRcbT4_X#8Gn|@ zi!zdpEXpb{6KgOD`;fWY8B``dK_&A`R0h6roxmubZwawxJi{`v7zw{{u#1pyMb%*k9p)@E6QRNtsn>Wh1IBx zY{C?5K$Yf2*OREveU8kSy*d1%F=e zvkFZ#n%SwuiKtR7!oz;le>oRrbbPdgBZYS`7c*EEV_CiHAyofcsEJ-fZNk6tF$~P` zWo$EQg`KEU^`Rbo0!gmDiCVxg2I>4ya8XLfzqkksDV)y#4%8PrP#Nh(W#A}kB4<$< z8bkgpkeyb9*|;3{qmvm_>W5L|T|t%fN6GW;7q{a#)ECE*ePxLh?j>A_jd%e=F(r#h zVHRqIgQyh`p=x>wwYjchCH{^GwQisPbkF=#1^8MP>Uo~$_j$hs{PMD zqr^sH7ZFP+#cDl1oS#@-YNcwLs9GbT`p#_IxM?P|)3rjSe>c%Z)DS9X6|s(J((|LZ z;N&^&0Iz%9>wU=4w#~$I#IpqZ%lXj(r#vC39jy{-Lr%9CE}nF6D7n)}s8gbck!|8O z)?dga<+a7c4x*Kq+4SS0w_k z`A;Hr40UAmgRzw8CW?qv#B>YbLc5#2jR^!+_x^C>+NdY*VEq8>fM=fCgOjy6Z`N0 diff --git a/engine/vibes_auth/locale/pl_PL/LC_MESSAGES/django.po b/engine/vibes_auth/locale/pl_PL/LC_MESSAGES/django.po index 08d7f5fa..ae54bf51 100644 --- a/engine/vibes_auth/locale/pl_PL/LC_MESSAGES/django.po +++ b/engine/vibes_auth/locale/pl_PL/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" @@ -74,6 +74,38 @@ msgstr "Personel" msgid "System" msgstr "System" +#: engine/vibes_auth/docs/drf/messaging.py:17 +msgid "User messages entrypoint" +msgstr "Punkt wejścia komunikatów użytkownika" + +#: engine/vibes_auth/docs/drf/messaging.py:18 +msgid "" +"Anonymous or authenticated non-staff users send messages. Also supports " +"action=ping." +msgstr "" +"Anonimowi lub uwierzytelnieni użytkownicy spoza personelu wysyłają " +"wiadomości. Obsługuje również action=ping." + +#: engine/vibes_auth/docs/drf/messaging.py:28 +msgid "Staff inbox control" +msgstr "Kontrola skrzynki odbiorczej pracowników" + +#: engine/vibes_auth/docs/drf/messaging.py:29 +msgid "" +"Staff-only actions: list_open, assign, reply, close, ping. Unified event " +"payloads are emitted." +msgstr "" +"Akcje tylko dla personelu: list_open, assign, reply, close, ping. Emitowane " +"są ujednolicone ładunki zdarzeń." + +#: engine/vibes_auth/docs/drf/messaging.py:39 +msgid "Per-thread staff channel" +msgstr "Kanał dla pracowników wątku" + +#: engine/vibes_auth/docs/drf/messaging.py:40 +msgid "Reply, close, and ping within a specific thread." +msgstr "Odpowiadanie, zamykanie i pingowanie w ramach określonego wątku." + #: engine/vibes_auth/docs/drf/views.py:18 msgid "obtain a token pair" msgstr "Uzyskanie pary tokenów" @@ -244,19 +276,19 @@ msgstr "" msgid "address set" msgstr "Adresy" -#: engine/vibes_auth/messaging/services.py:48 +#: engine/vibes_auth/messaging/services.py:51 msgid "Valid email is required for anonymous chats." msgstr "W przypadku czatów anonimowych wymagany jest prawidłowy adres e-mail." -#: engine/vibes_auth/messaging/services.py:56 +#: engine/vibes_auth/messaging/services.py:59 msgid "Message must be 1..1028 characters." msgstr "Wiadomość musi zawierać od 1 do 1028 znaków." -#: engine/vibes_auth/messaging/services.py:90 +#: engine/vibes_auth/messaging/services.py:95 msgid "We're searching for the operator to answer you already, hold by!" msgstr "Szukamy operatora, który już ci odpowie, zaczekaj!" -#: engine/vibes_auth/messaging/services.py:133 +#: engine/vibes_auth/messaging/services.py:138 msgid "Assignee must be a staff user." msgstr "Odbiorca musi być użytkownikiem personelu." diff --git a/engine/vibes_auth/locale/pt_BR/LC_MESSAGES/django.mo b/engine/vibes_auth/locale/pt_BR/LC_MESSAGES/django.mo index 3ad47cca510fb5f3511ed7352471a539b16a646c..0dd72c43beadff67c031d778d5a3d6d6b92c7cdb 100644 GIT binary patch delta 3506 zcma*pZ;Vvc8OQNQSYTa&MG)AEvIpd^?ry=Avanbgv5MO5g3AI*i@nU;-MMAv-eK;{ z!dADF{!v`3?F+0H+cXj}q}m3Pp}v4uW*S3ELyU%|CI+HBQCNI2ZdddyScow{m}$FW+KTvCpW`r`=3z`r=}2!ya6PTk&09 z{2pd-d#hQ%^Ha0Trr^@+&F0{3xEt?6b^HrdyRV?ydlm2I{Tg;~Kb4nmp?~Y9vXKWn z@J9S8Dic+_1K-9k;FKGZ0k-2>?$_V~%p+s5ab#@vA~H#P6?xU(KxOWCNYd;g-iDX3 zo&L=+?U}d{HS&H`_P3)_wY%XsGI%?Iv+*rV;d|JQ3&^`Z??sYjeW(oWLUrsl?sKSq zidfN$qf|8W!>E050(ao;^OG4pjd|{0L^a$@J~hL6cr7kQJ@3G+xW4iH8PpOykIKx? zkUx8k%QF0J8~N8-{FMhQu#G%x1}S87*Z?Yp`*8#Q5H+LIs2Q9^eg7OPBOl@-yo_3! zo0ygCL49u4y>C5uS zpB?1#1ip-q;7T@<+W7%$fQL~N`4wtF7b}g*zfm2{xY>*>TMsIATTmShq8bQLFFxM5 z{}C#sM{p^gL}lntsDb_&58^+u8OPX(%Jh?{C8!*y!e{me)bYB6A@>hEvo1W1>@WKi zmAV<^R|8psdcGF*ejjSn?nO-?#@DZ5$xz351M8{G=21&`7|C44UZO&F?IeB)&tcaj zmSc(885-zim`dq1hOHN$MUDJ9+>fVF9e1xxX4s4T**#p2@qUPEcOJcWVjr%@$8dqp z{~J^^fOk+M{RlOqh3rh7>kas2?8C+Q3~EV^qf%c(9k2J1RkROLnQNlAYq1+scqcL^ ztDu(VC{Cq+t5UfRPa^NyTMa)!Z5~H!O7$9i03XEF_&jP!PNN3&0V+eE;0(Ns+6&EJ zOrFm~=4NwIn>K}&B9&cKcH&vo=2}h~zKiRy6;GiWJcAnOdpHv>;MedHYNneQRWtUX z+S!iEY!+$SzK@%*iaq%0YVyy1vsJf~9_&ZW=vll6kD_LD5w*sD$LsN5I15|4lT0kY z<=pon+sDeNb`GPCkGsjgHpk>Ul98@Q24{oVhX+v^IEQ-S0%{FE zLv^rl4JQTH;J5I{cmrO>+1N_sU%|yV7qh6(zk|xip$Zi>SVN`mFE|hXf$iA5HgN@N zb8SY=&`17koQqQbCaS|Tn8ov`4Bbbb)&5RYhQ?4Cc?CHf+W$$>EOG>ywE^N0qC^Z4 zYFK3-(O<767cG%GnJC)4%94t*x4B+RE*jKC*-GVZf|FUXhp2pe;*-z0gSvLBic&jV zubGYDqlB`d@^zv>?9|QYO0iK_`c=M4XcHeGbc$Mtb(+6+q{^)c^&f{7)bAs{LFlMF zNT^IBwh(Q^AhDlNxt|y#*cSED+fXbe_7WS2jRdFiN@-R8=M!2Jt?ME}<=%w)RX-j+ zp_4G3(9xSrsOa?UCLSlWp|sX2I(B73rzJypL_pj{ghVI79<@ruWf!4eIBh%?Z73a= zDa2z$H_=S2B6K?RD>#W5C7OsmgnkFUNu-H9p`xAMUauv;sO(AGPO$gt|5L^j`;X0D z-<`|Q5jraRJ+M?5g`@eX9J{FKymBe)hovCxmHdq3lg_y04Gp<+>=$Df`(eiA{W$i9 z{kY4ea&hG1a-k3vOR@9Pr63CLECk_jm!;x37!G~k<;(G*-Z^usJuSVH?%(1UJ4@N3 z?`2%lY&z?Op`Wvd{6cQD!=-ak>~}biUet`+AC$5|=sXt}{B$rBq+RlMSG73(waJzG z$bxWBbik#fuvCn4HlSynQJ5QTj3-|2azR{rG%ENZE!T(D;fh!FS0Az)4C#SM`y(X4 z6}-`0CqOua4U) zewkOsNw{})!uy$1T!_NBc4WlQxy+%DSGHF_T3DO3b(0r*Jn$wO=H*5jNxNRjcpYxY zPiN`V4SBU=UXpx2@5=ecHyvN})3sl-1W{M@_@eQq%BCdazFJOu!2!=@H0V;%FU^4Rq(ulayr1@p!`=Y7I$81qnxk7S8Tl-03DX{_ jWvN(oKkuuxOMHDX;Mr2+hj8HBqqM#sRaWU7LJ5o8DHJX2@ zt*O~uxNggJY-Ke^+M0_-3w8ZdxODwt7t-3=oTtiR$>CyxaUncp8KsBi!WgY?!~qU zv!htRy@yWna4trh`K^u%eQ+(F=Yu`if=iRl+Ijv#idhVfPYrdPgM88Q@L@jZ!722eHs3|X}Ogp2W7Ci&NjX3>jQP=flxLR3ap z;uLH`m8Q>m81=bR$Xsj)wSdd0iH{-M$o@l>#zVnLhLxg9upAfQ_H6R6T7AR=&FnPt zXCu65z&~&|#*xnk>_>HU6*a-zsFis6uqIUHT#p*48(FL!MrH03)Ht7`zCY~eLSOvF zJ@^Niw8gSz@55YFhAL4LU4eVB0psv8D%HQEN|1i98Gp8j7oDPdoX!1db}Z$#KT#Qr zVxwpR{s~;@jajHKR-krkGiv7Tc!G}lu#o#=>Y_|R~LlI_|D7Z5B zKC95@ikO}HEkjMb9FIp(|7BdvkvzqB3~|by_|}l4NI48M%ZW#$eft|EVSjTfafhtaxm9@gQzsJ#+N zn))yubqo)nIvl_RJc(MsAXee`=)p-WI}UxQeu~hq)K+jY2iIW*_G1~2pnmBRc=G`) zK&_|^A3;BAMPH+8JA~@^JgPLmqB8L>QeE>=Km86=qx$JBB>$@Mt31%mkGnSlsFZz+ z+8d*&iDuB7IxOVnaom6@cmnnLK~xDZpa!^s^_W`B?>%lomFyy>;cvy{zmkhvJWvfQ zNae54FN_oR2N2)E`0(IDl<<3R7{azce&J z2`WW(sEq7FPLb6TYWlKDqE2->HWDg<_KVt@5W(M!bzG~AI=)TBDnc7vO@mU^;J)Cr zYX9@kD6xWQA<_w@Tx~~);EHvriK%g7gKa&pIuUm_ZB(sL`y!c8+BXrsgi5i9s39IA zS~b3x3yxy2J;&=-cl`|d2-UfZ*i5J-+GuK%iFhKKXdra-!fhNEPq`Z^8*C&rxQDcn z*%q#`e*Jh*#$cVBvBSL;<}ohx!?KN7Oe`fHC7vX-cfu{kT_j;Q@wB^t)+uzX*Am+7 z8APJ;pG$B=gF9KjYz4%2qMTSjgj*CBI*#m};Qx$PV;m7~91^Pz-#E3W?rx3TtR#Be z!BA&Q1P1 XGLSg!m1s{*yWVQH+Q6p##+3g7w{`Xw diff --git a/engine/vibes_auth/locale/pt_BR/LC_MESSAGES/django.po b/engine/vibes_auth/locale/pt_BR/LC_MESSAGES/django.po index 63d1578f..60de7154 100644 --- a/engine/vibes_auth/locale/pt_BR/LC_MESSAGES/django.po +++ b/engine/vibes_auth/locale/pt_BR/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" @@ -74,6 +74,38 @@ msgstr "Equipe" msgid "System" msgstr "Sistema" +#: engine/vibes_auth/docs/drf/messaging.py:17 +msgid "User messages entrypoint" +msgstr "Ponto de entrada de mensagens do usuário" + +#: engine/vibes_auth/docs/drf/messaging.py:18 +msgid "" +"Anonymous or authenticated non-staff users send messages. Also supports " +"action=ping." +msgstr "" +"Usuários anônimos ou autenticados não pertencentes à equipe enviam " +"mensagens. Também suporta action=ping." + +#: engine/vibes_auth/docs/drf/messaging.py:28 +msgid "Staff inbox control" +msgstr "Controle da caixa de entrada da equipe" + +#: engine/vibes_auth/docs/drf/messaging.py:29 +msgid "" +"Staff-only actions: list_open, assign, reply, close, ping. Unified event " +"payloads are emitted." +msgstr "" +"Ações exclusivas da equipe: list_open, assign, reply, close, ping. São " +"emitidas cargas úteis de eventos unificados." + +#: engine/vibes_auth/docs/drf/messaging.py:39 +msgid "Per-thread staff channel" +msgstr "Canal da equipe por thread" + +#: engine/vibes_auth/docs/drf/messaging.py:40 +msgid "Reply, close, and ping within a specific thread." +msgstr "Responda, feche e faça ping em um thread específico." + #: engine/vibes_auth/docs/drf/views.py:18 msgid "obtain a token pair" msgstr "Obter um par de tokens" @@ -239,19 +271,19 @@ msgstr "" msgid "address set" msgstr "Endereços" -#: engine/vibes_auth/messaging/services.py:48 +#: engine/vibes_auth/messaging/services.py:51 msgid "Valid email is required for anonymous chats." msgstr "É necessário um e-mail válido para chats anônimos." -#: engine/vibes_auth/messaging/services.py:56 +#: engine/vibes_auth/messaging/services.py:59 msgid "Message must be 1..1028 characters." msgstr "A mensagem deve ter de 1 a 1028 caracteres." -#: engine/vibes_auth/messaging/services.py:90 +#: engine/vibes_auth/messaging/services.py:95 msgid "We're searching for the operator to answer you already, hold by!" msgstr "Estamos procurando o operador para lhe responder, aguarde!" -#: engine/vibes_auth/messaging/services.py:133 +#: engine/vibes_auth/messaging/services.py:138 msgid "Assignee must be a staff user." msgstr "O responsável deve ser um usuário da equipe." diff --git a/engine/vibes_auth/locale/ro_RO/LC_MESSAGES/django.mo b/engine/vibes_auth/locale/ro_RO/LC_MESSAGES/django.mo index d90716ebf7a202a66e8d461dc9610bd1e6a5e559..227022390f0cf81aab920f21a815431a0fa21c02 100644 GIT binary patch delta 3544 zcma);eQZ|M9mkK9g0NDMDiq4g5etg89f;KmzVHCP>nN0h_yW7!=d``-dG397Ux0Sj zC(gOr&6y=;A{aMcrb}?yGD{@clKBT@!6h?H-Iiq=*^;@1xVV}4lDRC~=lk5J4*uIo zfA@3FdG0yq_xt{S=cYdjAIYkx=T7~Wp^ajTu&Gmx`5ye+bRM)vXBx8&j>9GJG;D(Z zhO^+z<m>Y2~5$b~q2NhST7!@FKVw4xML=gO@XYgO@KcrfU94hcnG$cGHW?U@Po_ ztKb&+77M=&i*WmFV*=)XGRK%kxcmZRTHqCM7rYVb;BQ0i`y$kSN8kq5ABP=`r?Kb~ z&Npl5tY=~eTnL|nQepyL1y8{Ru<^p&!KLsT#@(l7 zA)=Wx@Cx_=T*~>z5_U6O59Rr0DD}5PNwuraaftKgD4Yv_1`F`Fa4Bp1>WyXi0Ha;Ic72!NM11^J_?|@t2 z+WP!sP$_s4N|~o2f97Q#E8vM%^j9w4W#Tf}iq49l04WaB2PNTtcpdyYR75ACB6tJp z{a-;T@>h5<`~)gBi-=0>fqHKnBsMbu6~O31^q1%3Oi+jBAXIL?3rUYT1(kw#;I(iL zyD3$-Lpin+a+WDW{>&JUN8k(a9=MW1(mr2-a_|sTAm4{_=uEZV`4`kdvlbhJ%BBZO zx?ZS*`k^)mpcXz*A3qKy>2q*7{4tb5e}r=MFK`Tg2+xP3RHBsrDpU%pKcvHN=GRcy z>jOB-c&E*)|2I$yHKD6ETnHuIN+`v;A-7jRnBU_0Kl>Hhn4q(Bv337>%$o`T#g^FF)|PVda;H$kPqK}o+Ksu;fs zDHC%LYM)o29D4^|58s1IaR=Vbf;-?e&Nq(E3|N9|;J!MKKvnB$sDnO)_rvDT8pB?u z1XX;8p?*IK<;X9fitcTw8ae|d`Fl`B{1Mc(U&ZIO`W-sGbcWzR;B2^abzU?9l&9~* zX80c{iJJ*eHLw6~hRfjvFoQa94C;&c7?gw0Ktwdhpd9!!R4SINL4SGDN7%|q0yTaG z-VWb{l5jC^E3y@^1$IImP=NfItvsk(GX|Hzm!OL9btq;21m*ZAP$_Nf&K+*+uI8W6 zP9~@`6T!9cNw^jM66&D#t8;cky>~NIuFLR2_$VyH=~S8y&fr}54X8k#g;L^OI1e`V zfWG~YJm5L(N#ucdBG6t2B8APM? zZBXk9P>%0~Tn^QL-gbf#MruqSb`O?f1DGOF`y!@%Pqs~Tq|Rhhj+Gv@yRchpz5FqB zR(}iq4H!4HT9bL?tRE-4JLqs#Yi%#j!Fqom+>Pm@qjn!w!S2@JtQOb%H`RG3R52gG zloF|Zt>WKENA2<)wfsw}TQFU>1=t;!nyyhV){6CG`!TiKuu+Wqs3X=Z|n7$$F zF>djvZMO7RzV!v4ctJr|4sp@xO4`5ttqmQPVa-3nRfg`NH8uyzes!PS_q*c5CS(|zBAeGdCP=3}}E zY8PTlYrXsntAgE*QNy)QeKJ{pS2LkopsQuEi!gmMO(BfJ;c}EEHj1s6r9&=E1K&$s z(eg`Yl6nIJHcMQb*u;fJTXsp}4Z5Vu7D`EEldMvS;xw_Ip9WEQeI*D7yG$WTg2B)^ zTh5Xv*0r=u^vqm0<+ffIccw$J^NKd#)*tf1(3Q+qS1Ap5Sick{uETnqqHXN{ARP)q z>)E8@{9qvPZN9o|B5r!Qp<44S2=_z>tRIDG9Fsj)*#Xbz&^UFrNXQlB zjzX_wD^Y6Gn6>ob z1q|#!5Sy(h9!@G*Saf*NVUPbH^oN4lz@9u5Or9wZ^JDXj@ERT$WA@BK_VU6E*C>KL zf%DTYB{Fs+h=4^W3ncmaERX6M29dn1ataSs0L)5f|^H_RjJ6|4w0F zM&?LX;!ryF19r^PJAx9Ll0@~_xF8{_V zK*#Un3a-Dwhw(qu!cyWG6pPS=1SK@M1M~9Kg+bLAazd&W; zThzcmIM-KE16@NscMG-hDeOZJ>D`Qjs0ICn9XO3%b=<+mX@#$0BpyZGKaLymq;vmo zROD+$eTB@$enBl@0yXhTq>StVYHK3daFSs~s4ZB7CD`jB|Jti_+|bM}A|D&$ zpaK8HevBZW4frmqqdTYxPN7!f=F6H;wPQ1Cpe|&wHjK*LdDJ+gsONw6a-s)sJ2&nl zleTb5_AyLHWvCoA(Y1IK8!!SVP^ta{wFL?D%=p+c4tk5~v5@PFRID;{AJtC~g`$jk zU7RRYX-FTIjjGlP)Xb}KoQ`&)_O^`uko!>I8%8~M8ta11E}>z{e71{I53|xlPdI*p zD&EiWY!Lf@fs-ZNXki(e=?PqpSCC{_Y<6Hpx%d>$-oIJygA>?D%IVe>jRE{2WVC4+i(=~ zFoiU!mMTzxZ$|ZZ098YWF_iIbfD@&12utuIB-=KQC-DL9!Vl`Kw zr=MaJj$$-^kL&R&DkGVT14USX`hhD(uVz@u31e6bY69<}w&G{hM5a+&lKy1ix)IlK zeF!7)C)CQuP}O|{U3eGO&lFO3R*+Bjum)9Iz4_!{sd-_H+c5i68NC z3@!>xFbCB^5vtJFp z;^`o)Bh)n8VnUrN11-dJ1hwXGn;q3xBT+^q6HUZMLRnN(wkQXyCU{F#|D=;xOY9&L z2SlJ^!i9=e^$VSx3A=yi8Ds{x=0IgHX-rXSIRQHqNwoPF`>>C z2g|k-dx+WXc`j77dkOu}tR^am8ls$-X<^QZUdb-vMdx~-qfm|LH$pX$NX$|G(}_GH zmY7H65WU0-LPa>!LO9WDL{0ktXS4|;h?&M)W*cTM996ut+g2{Bh;HZRqV=5U)ljPp z;QzN;ucdzVGKrT6{l@!lMr{rDy)pM}NYsJup4JYl>u&AxU2+e`_^xGyhWM)HPlU$T Zw&_p3?N-;**4}n-drxPVFFNO->wmgh_K5%h diff --git a/engine/vibes_auth/locale/ro_RO/LC_MESSAGES/django.po b/engine/vibes_auth/locale/ro_RO/LC_MESSAGES/django.po index 4577adea..31f9d428 100644 --- a/engine/vibes_auth/locale/ro_RO/LC_MESSAGES/django.po +++ b/engine/vibes_auth/locale/ro_RO/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" @@ -74,6 +74,40 @@ msgstr "Personal" msgid "System" msgstr "Sistemul" +#: engine/vibes_auth/docs/drf/messaging.py:17 +msgid "User messages entrypoint" +msgstr "Punctul de intrare al mesajelor utilizatorului" + +#: engine/vibes_auth/docs/drf/messaging.py:18 +msgid "" +"Anonymous or authenticated non-staff users send messages. Also supports " +"action=ping." +msgstr "" +"Utilizatorii anonimi sau autentificați care nu fac parte din personal pot " +"trimite mesaje. De asemenea, acceptă action=ping." + +#: engine/vibes_auth/docs/drf/messaging.py:28 +msgid "Staff inbox control" +msgstr "Controlul inbox-ului personalului" + +#: engine/vibes_auth/docs/drf/messaging.py:29 +msgid "" +"Staff-only actions: list_open, assign, reply, close, ping. Unified event " +"payloads are emitted." +msgstr "" +"Acțiuni rezervate personalului: list_open, assign, reply, close, ping. Sunt " +"emise sarcini utile de eveniment unificate." + +#: engine/vibes_auth/docs/drf/messaging.py:39 +msgid "Per-thread staff channel" +msgstr "Canalul personalului pe fir" + +#: engine/vibes_auth/docs/drf/messaging.py:40 +msgid "Reply, close, and ping within a specific thread." +msgstr "" +"Răspundeți, închideți și trimiteți mesaje ping în cadrul unui anumit " +"subiect." + #: engine/vibes_auth/docs/drf/views.py:18 msgid "obtain a token pair" msgstr "Obțineți o pereche de jetoane" @@ -243,19 +277,19 @@ msgstr "" msgid "address set" msgstr "Adrese" -#: engine/vibes_auth/messaging/services.py:48 +#: engine/vibes_auth/messaging/services.py:51 msgid "Valid email is required for anonymous chats." msgstr "Pentru chat-urile anonime este necesar un e-mail valid." -#: engine/vibes_auth/messaging/services.py:56 +#: engine/vibes_auth/messaging/services.py:59 msgid "Message must be 1..1028 characters." msgstr "Mesajul trebuie să aibă 1..1028 caractere." -#: engine/vibes_auth/messaging/services.py:90 +#: engine/vibes_auth/messaging/services.py:95 msgid "We're searching for the operator to answer you already, hold by!" msgstr "Căutăm operatorul care să vă răspundă deja, așteptați!" -#: engine/vibes_auth/messaging/services.py:133 +#: engine/vibes_auth/messaging/services.py:138 msgid "Assignee must be a staff user." msgstr "Destinatarul trebuie să fie un utilizator personal." diff --git a/engine/vibes_auth/locale/ru_RU/LC_MESSAGES/django.mo b/engine/vibes_auth/locale/ru_RU/LC_MESSAGES/django.mo index f8e3c08fb0ce9bf372205ff4c0c58312b1bd94fb..c656722daed3f053a0ad24069a42267c5cc7d261 100644 GIT binary patch delta 3767 zcma)-eQZ_b9mgLi1*yEPEl?|^ht`VFmkC;_6s0Xw#EmygVZ{x(w5RmW`_kQWYwaex zT3$*mgKeFNY%v*5iMqtn+d^M#-Lm--l9_Y2IOiW4Mlv09Sz_X{7vi$d_ng~Cw`JMW ze$VH5o^zh(_x7A~li!|p_T;q0d)YIdFth_`37Rp(n6vOtv$)WXW*M^s_Q0j^Jvaw` z0_Vc4YmMRGtPt;i|K**W==zbG%rAwn)6VZy9h~| zxdKb!$FLCl#v<%_um;NWtx(zD36-inY4$*zH-j)6z6NXIJFpO5Pu_LE8j>ut87f2f zLm3XF#~~;?F__T8PCAPGDX4QW2zSBNi~WcmhhfI2p*FsTd@904a5gN0nlFRf;o9{4 zF{l!pgv!hhAphn?E;qto7Xl{WqWZ6_frEVLP zp$4c8f=~+|Nso_1rSwOz1dc*w=n|Bp@565R7kCXkz)4i5k3f|m@e&>GncqOYULV7^ z88=!Og{#OXQ>Hu3=b#*THO;r79KQnf7UUNB21>*XW46Fe%y;13X81EG$L3?5bqTYS zPAwCg;6B(3rxW_0VI~`V#8a1;|7*E#;I|dVe39`L_$sXYyuaa9s7z$>(U8Gn_|9}n z1G^Y+yv3it2pbva-fGMSz5fw9tTh8r8()SSVMQf^55W%jEc^m2xXn-XKDdhUQK+*s z3JKP{4tK#nLS>|GjWOSX^-yQ%SCDF(IaLVzW`#QNHdqfgr1>OV&iF&9n&q(iAY2EP z%AZ1Pn0agc=k9`3!Gz&VcmitQlW9H!?_=B#^;||Z`G1Q}37sSGDqIM=))5Un1v$v3 z{to}}MWJff1r^zM;a+$qJ)d!>e?J>iX0r_D!Hw`PxECIR&%s7mx}N;k&^f%GuM~U@ z>M#}6@U?=QVHSJ|dMSp5j9-U}-~*^q&93!7)!X4}#z&wsHUe*emtiiPRp+l;0u|Vu zb>v^3>}Em>2H_6)E_?#6-r&EEZ@>b^mmvSzYkTi`FOn--kqRBIm}t8R9%LO;3`zgD(>+ki$k(zo`+P$`~iLymT=Uy?jV$d zKZMW2QK$%;?=|L2@KLBk{!6$5egdaK;`f`f5JEDpL%18oQ47jOYF|fNy`Fy|Xzv_M zPL^wiwBPITI>HB#ULm!wpf>bn z4L;Rk>Ate4rYy`w4BB3>P4uaNm*VT7z6)xz&^Dx$H=qurMz+0Q zPCgx8t4>oWK@TF8tp@3vGTG)U|BI1oRg9J)HO|RYO?cp zKC}hxMNKG-)bz>~dOiPe^5HW(Q5Di#=1iVHy%NjOjmSa^5#JPk7$VU~XE@sKSkagj zXpgtrk$A8v5VxBx?vy+6Kue3&?$|NMa_mU66}BBGu-|qntlE$hwVd|0wrDKwSb?T^ zFdDg|Eg0EfVQL*GxIbdsR=C~itIo+uR%KOB-?Yt+mB(9ScA(kvw{2<-L?U*`+-J9i zI?Jr4P}H%@tN>QDjnxs1w+16tz;fE`reI63$?{iMBx7@4%t&~i1ta^S4_i&qNIVt| znR?BYM^7Me)&x-WZ19XQ{M|r3})zvq?uHZo}o?!e65BKx% zSn5RTc&f`vJ;vGz_gtz+yRz4b3d=piBctwl*?onZgZvG#?mS+|%#hX{N*(0+QP2MI z&lE5@zBE5GaoY2z-yO49jWun>CZ4@Gd4(X332f4&zM{pVD*1Y(3#cJ0$Nhr|^{45lefK*`dC7R~95c zD*oLpoF(0Z4n@uY delta 2660 zcmZA2dra0<9LMo5_lw9)P;N?q7eo{V$qQ;=foVi4q5>&cP@+Hu2y4xr@)FBct}%)% zlh(S}b^7E=Ys_?O%{Cg)Wvmo+tF7h8>Yq&0-k<09!?n(y@AEq6Jip61-*bMy=dBm~ zywCc1&cz0H8>NFtA-)MPdmWz%;fsv6y9{1r^ zKeJxUq8-LXGH^Zynt5y^6&<(u^P+Sp)s=MVSTR#AxTjDaeVIfy+5A6SHY= zk8v*CgN3v|!zBC%HL-+PZi@Msh}$rp``aEW3+On2$vB8y(?*ed+YQuAqb8W~v1GoK zksM@FR)({%5>s(6GIo0dm5Gl~$@~!hYUbB*Cnl2K4frBzLcd`X-awBo+{D6ZhL2$wcB1;9$2EA! z?f)H>`m3l5*(A~m(KsDvqLyMcX5voN1l~lg`6tMv?MGaKmnV^b&1g1P(G2oXCoD!~ zq!iPz2DLO#x*kLwcN`gueTAC9MbyAYk!@txP)ifWf|Cr(M=ilBT!cFk$-ma>Lpn6F zKICJAeCdXla4&|E&nkQlb)jES1H6u!Nel;TKxMAAs2jB)leL4W%pF7B=LG8feh(F$ zc){)X6B)Dxvt_4YDk?+8sDa*vomhpTcoCKAUr|dCH`$Dj74W5}s1hq^_pxKOY2(-+ zG7oiM&sw)qhZ=D^YWKf}y6{oSJK+ahNjs2*yc^3<19}B@-n;0}6u-lu0JGs4X6NZ2 z;YVHXB5=^IEjvKHYqxJmvQ+b?@5nP0u^PCq(4{8$~b3KLSw7+)E zm~X};tpk;*L%18iL}jQn-|SXAfI4mfwVAJ=HhVHZMsR;iR|Ru$EiOSFxF5g8Blr|{ zE^ywIkqenU?WxFiu@Q{LtEd!5G7F`AGS=c8RR4b0S5X;yA3X_FhNu+dCESC#i=8F- z7z=5~6qr@xTGU#9fLm}F!?9qAn_^^}SUG9}t*E8yMv`J@ktAE}QYT}@OUeIKI-2Q- z!!Fc`Z(}l^!AkrYmEyu>X6vv4yRi@Tc&)q5+4YU6J+lvIVn3e2zfhSxUFa;uOGVBL z>GL8F|8)HD6CJui%W`MUUdCG5gGdrAkE<$E&8Qi4qB3>@H8brz#$x%%B&`iM;Stn% zQ5-xOGx0E%peA_PL#32TM2WM@D^VkV8vU?>P|^CbyuLpw4d{M?Yx~}A;M>u18nKyR zT)xcI;2MJY`HJ?1o|-bkpJ4v{jS_ma>If|Z`^{H6Tqn9}#46JrtQND~`WPFjY$bvT zZMtp514J94rDV(ao+4Jn>UIAZDw?rMJJIN?nLUJB5$|KvU)d5 zkXzFqPz!Od+kV(pBof*euDYT{BR-HjGFk?juqN@7eHbfA6mG?*xQD+S*p% mWEHLTE#6ZxJ(1qrw1l9pKeCd%VKXj-bY08I^fu2up7bwYNd|BL diff --git a/engine/vibes_auth/locale/ru_RU/LC_MESSAGES/django.po b/engine/vibes_auth/locale/ru_RU/LC_MESSAGES/django.po index 825124a4..d5eb88af 100644 --- a/engine/vibes_auth/locale/ru_RU/LC_MESSAGES/django.po +++ b/engine/vibes_auth/locale/ru_RU/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" @@ -74,6 +74,38 @@ msgstr "Персонал" msgid "System" msgstr "Система" +#: engine/vibes_auth/docs/drf/messaging.py:17 +msgid "User messages entrypoint" +msgstr "Точка входа пользовательских сообщений" + +#: engine/vibes_auth/docs/drf/messaging.py:18 +msgid "" +"Anonymous or authenticated non-staff users send messages. Also supports " +"action=ping." +msgstr "" +"Анонимные или аутентифицированные внештатные пользователи отправляют " +"сообщения. Также поддерживает функцию action=ping." + +#: engine/vibes_auth/docs/drf/messaging.py:28 +msgid "Staff inbox control" +msgstr "Контроль входящих сообщений сотрудников" + +#: engine/vibes_auth/docs/drf/messaging.py:29 +msgid "" +"Staff-only actions: list_open, assign, reply, close, ping. Unified event " +"payloads are emitted." +msgstr "" +"Действия только для сотрудников: list_open, assign, reply, close, ping. " +"Выдаются унифицированные полезные нагрузки событий." + +#: engine/vibes_auth/docs/drf/messaging.py:39 +msgid "Per-thread staff channel" +msgstr "Канал для персонала в каждом потоке" + +#: engine/vibes_auth/docs/drf/messaging.py:40 +msgid "Reply, close, and ping within a specific thread." +msgstr "Отвечайте, закрывайте и пингуйте в определенной теме." + #: engine/vibes_auth/docs/drf/views.py:18 msgid "obtain a token pair" msgstr "Получение пары токенов" @@ -243,19 +275,19 @@ msgstr "" msgid "address set" msgstr "Адреса" -#: engine/vibes_auth/messaging/services.py:48 +#: engine/vibes_auth/messaging/services.py:51 msgid "Valid email is required for anonymous chats." msgstr "Для анонимных чатов требуется действительный адрес электронной почты." -#: engine/vibes_auth/messaging/services.py:56 +#: engine/vibes_auth/messaging/services.py:59 msgid "Message must be 1..1028 characters." msgstr "Сообщение должно содержать 1...1028 символов." -#: engine/vibes_auth/messaging/services.py:90 +#: engine/vibes_auth/messaging/services.py:95 msgid "We're searching for the operator to answer you already, hold by!" msgstr "Мы ищем оператора, чтобы ответить вам, держитесь!" -#: engine/vibes_auth/messaging/services.py:133 +#: engine/vibes_auth/messaging/services.py:138 msgid "Assignee must be a staff user." msgstr "Получатель должен быть штатным пользователем." diff --git a/engine/vibes_auth/locale/sv_SE/LC_MESSAGES/django.mo b/engine/vibes_auth/locale/sv_SE/LC_MESSAGES/django.mo index dbd785d90ad382653178b80e4ffaf9393c842880..e03babddbca991712d1a79fb9ace5d5eef78e726 100644 GIT binary patch delta 3472 zcmbuQ_WiHDXkzTHe?3pe)R zRrnk#6BBp~zKK`j)cLguF2?m---=gb0hx=9A#<}AkVV=n$fI@&mAPLbNwfEGHD18Q zjBk!*&%rIIneRkpe=jOk2kMR?led%DjK9Dxd>a?z)#P3O??jSiJ5U*V5H+w@zYbC3 zBv{siB^p}!^QbyFiTiNf!rF=+#{$cnHvNr2SE#Syi|L6u*rR;7STf{d@^E!RJv6`7UZg@0II~|DXn%eXSW;whmP4cA*C9MRgFM9vrP- zKZ#1|w{Qji2$i8fqb7O|kKso+4UbTX%Ji2}TTuQ!4gP1pN4;JbFygw;nXSRosJ;6a zs>++lul9T)DsxLvE4&d^w0GC9@53KVq3BQxYi2*y-zL=74I$5!Euo&Zl74;}S$@4Fvz9Xxdh1`#y!LOmy z`~N!{>hL36hw~`_Wn?QV^*(OK5~}0ZP?>leHSzax8a7bL>SrcurK?c)@5fuv!=?BP zDs!)46XV-2)xa~T8JiTt@gMUQr{rjj4T)_KqD!uCdZqz{gQN@}^ zUK~4wEAc5@i$AIR!A;~}uZ`m_+i4q7E6w9ZJdCsOho}ks4At>(P%Hi$s^gE5#oKcB zPwqwy`~_6XUqmhBr>N(CUBCY8I`YpV>_cuSmG0(R4XnpJ*9TGe-#~SE4k>7x!iMVp zGA!W+)bCH?<#;9gGY?mzGPDt!aSZkUmyjgb_sTRh!$08+Y`Cq~@odzGWjSi#J5YPp zhbqDZdBmPVJ$D*4z*~3}&*4lA*Vo?j!>G(0M-}Po$jhPnuN{355+uTUhzE#_=qJ>% zjz@`|)mH6vH)xd?k2V@D^@|<2?czUh@RD{nZ51+GSGL_W9=qh97n}QN@McwygPaHI z?Gb#K;DcE`_H!;0_t!2b&q=-Y>AKnm)xcrmUP4*BUF*M#hK^M=Yy;jvY$YBdv<=${ z9jfkKgtnrWI7H~Uhd4s8{newhuHgG+Lxc)?3&Be^dCXP*7ZQ34_~2EG3#wlzsiTYV z3BB912)zlH5jwP&2Z&KZg}j{5p_&;cRBS3tj|hm(L`0|-R6pgI(}Tnv!~#OcbV9{5 zmH0eC(O17@s@S!J3buhzoGOLP!>i1cFpQLNSX z|2lNU6~rdOx}rEL72@I4#fkHVvq3+~f}EH6dB=a&q?y;>?}k%9NnPqkc~|h$)En^A zcGnfAu}g=G#W=}Q=jE~>jy4s8XrSG?(li)|eBTv@)2BOIS|&PXbT-_x%TLy1gNg6u zU9H>Ppch4cXuJJlSZZ^*Fi!n8=P`=9afgCzFo>Mz(xRUW`h%RSJ>5Q$%zE{*a&=}w z^hkWz<>Dwy;?R0@Z%rJ9rTTo*4K57Q?BTfRNAz5sR+~#cFgo)Itc+SmxD zGT`FeU^V9+vtdefQ_uNO?dRvN delta 2674 zcmY+`eN5F=9LMo5&(DvdcoPL93ueDCXb&VIl1JLh}8Kj(DM zT!&{eG5AHJ^%E(?#UQiS@YyhaXiFo_R-g-`aRbI+1x8_=Gv0zr=pVpPdZj62R?0`E6hk{R!?Y%Ie~sEHm&7H=b{l)sD0 z#K))?f9CYhqh9nK>bXhO&adMDx=3$54x=_Si(NR69!=cE!D)w&Vgw#Xji1C?eAOAB zL#6&7)I^p{S|J`+VHWBrYA_QAP#bsyb><%+o3+!u$IGZxPoa(=X}KAHR?LsSq6W;RKSsss$fi-neGPTg zo){`dDN9D}ECW@oMNYpQ-(jM9)Q-YA4^3ErIx;uvxpoW;WzfT~-W*P@H$fSQT+*2 zZTyT8IE%`_Us#EeY**v;sQ0*0#n*uz3fPWu!KQ2&*Wf3PSCM+OjN8n}zLlYN+JPlF zfYEpkWASs;#NVQJd<8Y{JTjGKkv3V6dhcK!`B%zE7>L1f)Pv`p{%^>i{lSk?nL&C~ z10~psJ*e@Es0pW#`m<1Wq47*SilwOg&td|uV3K&uUrYX#qA~`w@*&g>XOOwfi(25X z7>Qv8{)rP&|4w9~Uc3c$WX-4|>_^qWFzUIlFcH7UL7c)UJm{hFR&g(LfXvbwnxAruQq|DiXCL!~x$G zXN!EgRz(~n9wJl=s$jJ=La7ZV8j0=1LR-YeeNKmy^EDlZj_M9#jc-Ih?0*w*9Ci!g zCiW9Iw!7%42D%AV{WfANaW7FpEVK~kLWSH*-0$=sb`+|aCPHVgLXTGdQwg1Y9HD>N zRuhMb&BR7xp#^cF+MqOi|1;W!`iEqpsbFgsI*$5mZ)|($sNnmY!JK=z=yE!DJEo(m zIf7V8JV2xn-k&1(1bUy0c{3>TXy2i>F5B7H*6aN=VK_FR>V@o_T<@Q0Cj-6Tq$dU^ X)cJ2H>pn6*+TH5zZS$VWtd08*phx*w 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 819bd942..f0d6efbc 100644 --- a/engine/vibes_auth/locale/sv_SE/LC_MESSAGES/django.po +++ b/engine/vibes_auth/locale/sv_SE/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" @@ -74,6 +74,38 @@ msgstr "Personal" msgid "System" msgstr "System" +#: engine/vibes_auth/docs/drf/messaging.py:17 +msgid "User messages entrypoint" +msgstr "Användarmeddelanden entrypoint" + +#: engine/vibes_auth/docs/drf/messaging.py:18 +msgid "" +"Anonymous or authenticated non-staff users send messages. Also supports " +"action=ping." +msgstr "" +"Anonyma eller autentiserade användare som inte är anställda skickar " +"meddelanden. Stöder även action=ping." + +#: engine/vibes_auth/docs/drf/messaging.py:28 +msgid "Staff inbox control" +msgstr "Kontroll av personalens inkorg" + +#: engine/vibes_auth/docs/drf/messaging.py:29 +msgid "" +"Staff-only actions: list_open, assign, reply, close, ping. Unified event " +"payloads are emitted." +msgstr "" +"Åtgärder endast för personal: list_open, assign, reply, close, ping. Unified" +" event payloads sänds ut." + +#: engine/vibes_auth/docs/drf/messaging.py:39 +msgid "Per-thread staff channel" +msgstr "Personalkanal per tråd" + +#: engine/vibes_auth/docs/drf/messaging.py:40 +msgid "Reply, close, and ping within a specific thread." +msgstr "Svara, stäng och pinga inom en specifik tråd." + #: engine/vibes_auth/docs/drf/views.py:18 msgid "obtain a token pair" msgstr "Skaffa ett tokenpar" @@ -241,19 +273,19 @@ msgstr "" msgid "address set" msgstr "Adresser" -#: engine/vibes_auth/messaging/services.py:48 +#: engine/vibes_auth/messaging/services.py:51 msgid "Valid email is required for anonymous chats." msgstr "Giltig e-postadress krävs för anonyma chattar." -#: engine/vibes_auth/messaging/services.py:56 +#: engine/vibes_auth/messaging/services.py:59 msgid "Message must be 1..1028 characters." msgstr "Meddelandet måste innehålla 1..1028 tecken." -#: engine/vibes_auth/messaging/services.py:90 +#: engine/vibes_auth/messaging/services.py:95 msgid "We're searching for the operator to answer you already, hold by!" msgstr "Vi söker efter en operatör som kan svara dig redan nu, så håll ut!" -#: engine/vibes_auth/messaging/services.py:133 +#: engine/vibes_auth/messaging/services.py:138 msgid "Assignee must be a staff user." msgstr "Mottagaren måste vara en personalanvändare." 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 27aa54a40251670b39cd5bd9445a5e54d9f4eb3c..bd97c7aa6389e7a2c7320c8a15c7f324ef87adbb 100644 GIT binary patch delta 3733 zcma)-dvH|M8Nk0t0yI2j31C9Z<&gx)1H&^AA6bz~P#z%(l%mM8xgl%!mAxA=DqRIz z3}&?TA~eCV4Qf%4DVmJlZ9CIW=~&x89A{cPLm$qiGqs~&r!)02eK^zKckfNAGyS7y z_Pf7x&OPUR&vW;s(**d zu?v>M??8>j2wVlU8?YZ@yo|zG@C_J-mtX}fBkuaX2@)*X0yRQ=pel|8 z<2Y138JN?JeRS0GL8x^w3U|R3bA6AF!35(Ws0U9bp6cNo_$9ay>U=G1h3kX)0jMcB z0W~tGAU`?BqYD0f9`V;)Tw!7foJXA1gD|8xqz!5a55gPa<4`?%6RHPqL0$h2)QJ2A zE`a}pnwt4|rEG+{t{vi=bU}6CP$}_O%lnz24&@}&+&m9SkGu^v1%HO?;7m@_RBeW8 z*lvg}NkD#bl*c#VbMUKhDTSoxJPOsoL8y+r4Ar3bb3x}{P!&xp7a_{h2sL!up(^Tt zdO!^7#)pFO6Hr4s3@hOep+?AsYUq3LDEt^shKHy`jr2F6rXcqNI=qwLLcLxe!A)?t zA!0Lsns_oLYZm(KfEwa#z!PvKV+U$2T!mZVC-CwFk&WcBlW}#m$lY)NYNS7aYxMqq zN+-%hJ!U-&pMrI`5LznodkzTKV;}~Vukf#56WTPit?(**8R~(9tNaLkAGR{i!wmbU zti}n(UvKmcSU?`1XPkpEz5k2X`_=vgtmDOd@D@0`$!9wpWqcfVz!nmyweVf2>n}lW zpiH_6FJU>f;YLUq$R+q7{1`UFo}2wtzY1rdU;d~a_#xZ{KMUA_6&o3!5BPWZBI9+< zBKzQ&gw~OqD7jGy2?3Job z7y;vOG5iBO4hvfRoSq2y5+n%n=)g)VS=#>$%<^f!!ORqp&IlPs44m| z7?<3cqcE7*aHqfEXK)|mzrjJ+y2a1c6{rW!p|n+D8*G3t!YlB1@J;x}Ha}udZuigo zDLlpeUtv8wMrGmKjV2`UgVc-HCh;Vd-Y1uc%0X|I zn*$FatAcS;Kt(0;HAK_VjA$Kyf?4 zL&$POZ;!T8q!+ms=|mz(4AGiOB3fgsk(^$;JqX_%@2?Sf-|;E12zd}$iA+XrKpK#R z$Tf(5GYXOY$W~+@5=9b-w%JI9*Yp2l*3zf$gfFpoi>$HwTf>A_Zxv!7C5V2ZB%Dko z`x2>M%SdI6NN={=OlD)zNY?B$cvEL(BVAoauVrQ|!!nbdM#8kL$N|%;H^Ol%WmvuG zbSjgzj7T&aOC@hg$C3x?C2U!-14+{~61|q)6bg+r7B^kfvfa$oWxF$Gq|@+^jdn+p zNi!}x%yhi3)`-SamRV~=(4xl}2V>dpSkj0XR@#ilx?)ko-(5eFnR;$Q&a*6*+@HGN zh^CU+Oe!vII#-uU#`^+$to24bW@Yb5rOhNKduG)dnJ?(`Og1`_XuxUnJ_2B*BYp8y zq!YI?reP*xS>jPIZGBeOOh^aOkdC=L$D?7eDbtru#gf^P>Y2mS?V84r9X3kr3oEBh zb)9pr^PKCv?mFk~p33s#XWaZ_uJfwv4BBpWnSJlN8F#q(M_lJ=ozFk&I>TP)i0d5l zRt~w2<2ua0;O$~1r=9is!`_qO37yenkJ>#Ib0@L*xSQ{{Z(CA5pSS0k_jbMFIzyk& zm3?{b$&vPoPm78?UG}$@mFAwsFxO!virA%gy7`A)r{8sW#qh#^tyPmQcn-4ujO!dm zDe6R>QLUKHDJ=37yUr=s8O1ciJHg)@m_5GNexPDnqx$ojr~Z4M%F}M1aA212JStDR zPF|IL(Xx@2%5d>+7GWlS69$aJ2s(stIIu?Jrvz?=2pW5vK8b#6G%w m(Gu2h6lvyUHjaAfXD?+$4v1CY3I#F8Ua@8N$l2w&1^)qOvM@*h delta 2656 zcmY+_eN0zX9LMo5f(Xbn_&}gQsGy)oLim)T0v4K&_y9_vf|*JM_>eXGndER}%_3K7 zmYFqcwiZ8IW{p*Bt*y;1b2VoI47>!dg2Fq|LF89yZ;&9qqF&tZQ7`Ef4 z5VPYrfp#Ph$-+VmGYi;iD!Q-+zvIFdtjGDWW{+_Gbe!2>93Jl;oQB+JSvZ&Laxjnf zmIU|USFwclXLuL>gPPdLL^{PHOu@}KjQ;IeD#e^Qf~j}`d8YLuecNr+OyiQw__I_F z%1AykDO-fOScU1h4;j0?jmpFsR5CwBWuV))7Zd2;Qj*Q+!*X#B&O$wC4>EW=j!Jna zDifchI{wOUe~aqq2h@F6P&2=UyD^3IuEJMP6Z#Ds@iqqZ;6@fsGkgjou?=W1m4 zj4Z@VtVJ!&Grq@A*L{MF#lAsJpa(VZUSu2D->9XDWWh;>6`_`(0;l2j6!NdN`hXJ} zSr_tW7dWWHUvVEskk4v-0rj9?Py@V$nn?l|Ye0*9>rfpvBa^jbsLXwY>gOEl{__DU zy78KS;&)`w7S5I(i|MEgm7xZ@0Nbz{Bd`aR>KmvfNFHUzpUvQ)x2Os`Xm_z=wP}~J zL1Ysuvw?$tr4y%c;v#AfL}V}(dUQEJ?jI;tTbNv%c ze-s0#oaA2b=6rYke$>nlVRIzw52ot<-!YY)&xx0?1Y@~dYquEV@JZixTt)kc zZ$FmNu9)sTh^J_Ok98QB;RbLOwWP5#-Se_hnJZSC{;kyip%V4QtH=BBJYK?R8oTg1 zYR&3qv6)EiUYtz3jdU;;JB!Ltzi&nfpK;oYP#L(4nou9=x{x^xQfrq_Wi4*R*RUJc zW8GXgvu=EhcH}%Wmfd#Y%lJBKEvJ+^%aOjV%J(o<(!PY+OOr@fBko4#W;e>nKg(@7 z$A^+E@K{?R=No=kYM-dr?cZ|9_#%UIq5 z*I&(ofZ0)gc#acnRLfrI9<&lS((XWI=ugy43m$YgmZE0b?AwW2f_~JV$YZ+A`WeNxqW4a!&0FG?EROnOMG~3BdLoSo{uH%lP;hU| qd!bRgTDCPb+KQHj=HQnJZ^i~sXSRk1lgH1F>Nr}M5sWDcWc~|\n" "Language-Team: BRITISH ENGLISH \n" @@ -74,6 +74,38 @@ msgstr "พนักงาน" msgid "System" msgstr "ระบบ" +#: engine/vibes_auth/docs/drf/messaging.py:17 +msgid "User messages entrypoint" +msgstr "จุดเริ่มต้นของข้อความผู้ใช้" + +#: engine/vibes_auth/docs/drf/messaging.py:18 +msgid "" +"Anonymous or authenticated non-staff users send messages. Also supports " +"action=ping." +msgstr "" +"ผู้ใช้ที่ไม่ระบุตัวตนหรือผู้ใช้ที่ผ่านการยืนยันตัวตนแต่ไม่ใช่บุคลากรสามารถส่งข้อความได้" +" นอกจากนี้ยังรองรับ action=ping" + +#: engine/vibes_auth/docs/drf/messaging.py:28 +msgid "Staff inbox control" +msgstr "การควบคุมกล่องขาเข้าของพนักงาน" + +#: engine/vibes_auth/docs/drf/messaging.py:29 +msgid "" +"Staff-only actions: list_open, assign, reply, close, ping. Unified event " +"payloads are emitted." +msgstr "" +"การดำเนินการสำหรับพนักงานเท่านั้น: list_open, assign, reply, close, ping. " +"ข้อมูลเหตุการณ์แบบรวมจะถูกส่งออก" + +#: engine/vibes_auth/docs/drf/messaging.py:39 +msgid "Per-thread staff channel" +msgstr "ช่องสำหรับพนักงานเฉพาะแต่ละหัวข้อ" + +#: engine/vibes_auth/docs/drf/messaging.py:40 +msgid "Reply, close, and ping within a specific thread." +msgstr "ตอบกลับ ปิด และส่งข้อความถึงภายในกระทู้เฉพาะ" + #: engine/vibes_auth/docs/drf/views.py:18 msgid "obtain a token pair" msgstr "รับคู่โทเค็น" @@ -238,19 +270,19 @@ msgstr "" msgid "address set" msgstr "ที่อยู่" -#: engine/vibes_auth/messaging/services.py:48 +#: engine/vibes_auth/messaging/services.py:51 msgid "Valid email is required for anonymous chats." msgstr "จำเป็นต้องมีอีเมลที่ถูกต้องสำหรับการแชทแบบไม่ระบุตัวตน" -#: engine/vibes_auth/messaging/services.py:56 +#: engine/vibes_auth/messaging/services.py:59 msgid "Message must be 1..1028 characters." msgstr "ข้อความต้องมีความยาว 1..1028 ตัวอักษร" -#: engine/vibes_auth/messaging/services.py:90 +#: engine/vibes_auth/messaging/services.py:95 msgid "We're searching for the operator to answer you already, hold by!" msgstr "เรากำลังค้นหาผู้ดำเนินการเพื่อตอบคุณอยู่ กรุณารอสักครู่!" -#: engine/vibes_auth/messaging/services.py:133 +#: engine/vibes_auth/messaging/services.py:138 msgid "Assignee must be a staff user." msgstr "ผู้รับมอบหมายต้องเป็นผู้ใช้ที่เป็นพนักงานเท่านั้น" 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 4c34d110d8e95849b44bddc31e6fc10fafc44854..bf3fdd08dc627a06c2a3a9074a268d9cbe692d8a 100644 GIT binary patch delta 3477 zcma*pe{5Cd9mnwp1f-?>tkNnd4B zg56F0xw2(05(kK}S(KQdMr#c*8~-d^%(5+FH2(TSw=CHfGp93ClesMO{kiAXx&5^# z{hrrz&b{aP@qM1>rZ4+{h|2HJoARik3=<29DN~Gj8b3Ur3*`s(#@vb{cqzV*4frpd ziS;v#;mm(ZHNxCEQA4Oinf ze1jM7#eUpA+Zd1MznEjpR9rUKm`1z;cj5J@j-Noadji$oN$leNGuXoYG+tUt|K>_6 z9X!~97voV>CdTn9d<`$csTZUJT!hzhe>E<^JTewDf{e{PhD_3&L|!$gP?`HRk~H%H zUV)$DBKkL$Y0ttA)X2M0+24*z)vlT&$l%ROI1gXJPJ9;^;R5om&)bn?nXRY{-GS=Z zsondiej+UE#S#_G{1|EmvM*vNB+z+T$W>{nfz-l{=$RHv6(z;2A#;}FukZ0?!$HXL)46Zg_^;usPDgt%E+H_ zF@AwsnuW|twxPavD>64TfSSPY#pGWjAK?M}&>TUn%~QzonAcEC@JGB3=g^v#Y71&$ zJCVLj9{Dp5ad`lr#M^Nt8%gclj~d`H)I^>|4d{b%t@2M)M>8)mhAf*lRO)(A9rd9a z@K7(_Q@j5$Dy2WeW%zSchJKG4=%4T*{0yh#FgsD1eh{?;<>#sJnRyF!ygtSK-0!sP zaC{xr&~);uj+;;eS&7>9>yYG_t*A{qgqm>yPfa2l_)UF}_0*F3T(opQK?YtnN2t)J zc>y=zIb1uLPA@a&mo%`MVLr_B84O!9IF8!1PhkNos0OcInXc(N)XX+vp7%q%lKb~a zubj*J${TQr&VPxD8hjkD!PB@3|BkGRSj&)-31?h~xX z6*Sh4t;n2AfXd`yoJRlV1Qo5>v&cK<#hSlEvS%7H>5Cb>f%{%m2ggtYKZk1YW7HB% zBHwjbhuTApsOQbtffh9}2g`@3e4mPkb*s}gjj_o6{n&_KU<1xtlMZwN>V7faj2To1 z!>A4)z$JJHNuqfU*WW-s1NXt`AGBnrfBy7^j(YIU6$mG2NUiT%VDqMo=;^ZynV6{SaIEpa*V zZQ?FM%W)H-qFvrYG!uQqK0-yCb(mngREy60L|H~9N30_{2rb)0nXUXc5!w{`anahU z+?Z0mc5-zI{mL~EvxxHu73~piyn6^varFlVs(Yb`+U@;>L+FTKPXq)%E!E$Ua!BP4 zVgoUsP^lxd8K)8l3GLMB#A;#a)ZRnI*HqF`D9g`I0FN=7`sty zV>jrxc{h%oK{w9WPCpK9Tr3pAD2c6;O}sEzU+{v#jOmPHZ!mCOn=i(P+Z!9l+v?jV zZ|-rURmo7~I{h|nHap}5f$N)F+=5?fu~|Qi-4^T6i<+_fyky7=tYhPXoAm~~tWDp} zj7JU6oL8=n%nNph`)xK1k|^{|ub!<61HV)oPrTOpUYy(=7TkcAtHWxs(SP+<9kT5U z=z&SQdr5#TI3+)H`k7YbS~u?{R?GM253`A)TM zXOA5`b1LX}BQGN1rHBumucvwit-Aa%uAJ{iWIk~Mni@ZQ>D!a2iH9@;$rTi)>C`_0Bx)(V1m1m9fNkO1#%%b56lYs4<&#U8;AP@#Bk+ zOewRb=_CeS-_;b7Vq8>fT8}fQ%}&RstpkjDV!AZXl;}EV-IDL-8TS9ZNL`HAJv+*) wA)}+Axu-R4j}bFg<`iWPuUT%J*`&@Ma#$I&gI?s3>>$h~PCVYV{PWpg0)^`lEC2ui delta 2654 zcmYk-eN0t#9LMo5aI*{YbP+_rLKBFa&m!SPBQVK8LkLJ7G^nINc}S34BX>=5G}mm^ zDr>r|Mr+OG*3D)QbETzgZLPHOpVYRAqZilXDPHWu4Y)GVtb_UkNoF_T)MU5e>BxsR3zzd=KF;BJ zQ^0L_50>)$DQ4nT)WoKx&?y#T25!VO`nRXKDWc*v%)*mMn>LE{ZP!sVO`2lH&$75E zBlD3-SryL4M$E>Y$k=Tdm5C2f$@~PBfn%Pd7@&X4NHwDmn~h~yf@)|xGI-mMO8NV! zOnipw__+7{9jc?#sPE3AW_}H~VFu}4i?5(2bP2ogI)>G77YnBu4qz+}q3WN<8hqWW zA48@7UsOYuPFf)u^Du~7ifYWqZKw&njau`=$fWHjT!w$7lYh-?9X;_&e@IKlyCJ-Kd5xpaysiHIo1@Yd}?=t*DNAk;&RVROSw$`uQ03{WoE5^x@B5 z#b3yvZ4z5H7qd|rDn|`;6%Jt&`f&u6>fcaHkb09DKU>O0r>GGNc|O99)%Sm+`io(s zXaM0fZnWF;k;zyHwOi{@GhK%t($Hp{ulHCFtz`ph$(}?Fco2)D&GzEwQEWzDdXD;6 znS}-#WORCe5o)PI*cHY4mvd7lW(QAbnde-i|NeT>J`|v|YhUObxmN zYe8o~=%;?K=df4*9x5XzFiz+HDmP21@Uvh!xB``;4%CPTP)o1_wY#73JcLZvMo{1R z*lFb$M0L=E8u&1(y)RLjJ&mz=4t?}*7rcKM#ZsOxqh?k_Z@aJ#JMbK8sVbO$KQ^H@ z)3+Fpzn}&><~?7*DxQ7w+>UEeo3I&`*;WkGmkn}r2Oh*yyoe#3$AWA3wj--z+fje{ z-oXkyfl6^;fxD)esQ2?wd#41ow6&;HHH6C88>r29YytV#`Tda!HFOb`s>`1Kh3=YX zqB2s0YOovc$2U<8{exQb_(krq%SD}nY8=FFd;tGMWvqrq(y*<7{NKaP02Rsj1#$xI z2jpjCT(sMB7rQg8K+U8cm5ClyN4vfH1E?7uN0Mm2Vj`xqA#}R(a5I*n>LX!pSXMiV z>?6B`YA}$AbN>)dZ0Y!;#{?N))SM7 zG$LO4&n7sk&VQ*|d+mdMqLc^`<0Xb0Z94Xp^Y=g}z)y@94vkfhKX~fcPAttltS0)r z$~kMe>GB?Qrd71#b(~^}nZ!ecj$h$f+4; Uq9chpFZ*6B3}#0Lg6EU|2Zwz1D*ylh 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 5b540565..4dba540b 100644 --- a/engine/vibes_auth/locale/tr_TR/LC_MESSAGES/django.po +++ b/engine/vibes_auth/locale/tr_TR/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" @@ -74,6 +74,38 @@ msgstr "Personel" msgid "System" msgstr "Sistem" +#: engine/vibes_auth/docs/drf/messaging.py:17 +msgid "User messages entrypoint" +msgstr "Kullanıcı mesajları giriş noktası" + +#: engine/vibes_auth/docs/drf/messaging.py:18 +msgid "" +"Anonymous or authenticated non-staff users send messages. Also supports " +"action=ping." +msgstr "" +"Anonim veya kimliği doğrulanmış personel olmayan kullanıcılar mesaj " +"gönderir. Ayrıca action=ping'i de destekler." + +#: engine/vibes_auth/docs/drf/messaging.py:28 +msgid "Staff inbox control" +msgstr "Personel gelen kutusu kontrolü" + +#: engine/vibes_auth/docs/drf/messaging.py:29 +msgid "" +"Staff-only actions: list_open, assign, reply, close, ping. Unified event " +"payloads are emitted." +msgstr "" +"Yalnızca personele yönelik eylemler: list_open, assign, reply, close, ping. " +"Birleşik olay yükleri yayılır." + +#: engine/vibes_auth/docs/drf/messaging.py:39 +msgid "Per-thread staff channel" +msgstr "Konu başına personel kanalı" + +#: engine/vibes_auth/docs/drf/messaging.py:40 +msgid "Reply, close, and ping within a specific thread." +msgstr "Belirli bir konu içinde yanıtlayın, kapatın ve ping atın." + #: engine/vibes_auth/docs/drf/views.py:18 msgid "obtain a token pair" msgstr "Bir belirteç çifti elde edin" @@ -240,19 +272,19 @@ msgstr "" msgid "address set" msgstr "Adresler" -#: engine/vibes_auth/messaging/services.py:48 +#: engine/vibes_auth/messaging/services.py:51 msgid "Valid email is required for anonymous chats." msgstr "Anonim sohbetler için geçerli e-posta gereklidir." -#: engine/vibes_auth/messaging/services.py:56 +#: engine/vibes_auth/messaging/services.py:59 msgid "Message must be 1..1028 characters." msgstr "Mesaj 1..1028 karakter olmalıdır." -#: engine/vibes_auth/messaging/services.py:90 +#: engine/vibes_auth/messaging/services.py:95 msgid "We're searching for the operator to answer you already, hold by!" msgstr "Size cevap verecek operatörü arıyoruz, bekleyin!" -#: engine/vibes_auth/messaging/services.py:133 +#: engine/vibes_auth/messaging/services.py:138 msgid "Assignee must be a staff user." msgstr "Atanan kişi bir personel kullanıcısı olmalıdır." 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 389c15b4fe7c1cc88cd72b10a5523cbc1617b9aa..b73c29c3c9eabc2ba4e58c57f9eac2f53e3020ba 100644 GIT binary patch delta 3596 zcmajgYj9NM9mnxUNGOd7w;+U@Jff0Xlhlflm`EkiR+K8&Kp}`Oo0HumyJy!uyTH~k z>!nI*r8doYi5V@BG8U)G_w6E~djH;Im$6jJSQB`HkoA{3}aN_u0jWHW>Ki-HRVJ&`+ zby#z~G5nbZPP%^!&cd(aBwU3z;2MlyXN-eirhJZ=q#ng!IR7Z+gzw&5MP z4*$T1&tMO3nre*8{o*uZs`1w8#?<5OxE=39HT(vu-Xo~`j^PTvFJTkqNqlrO?VBZB zEa%2%oQtobGBJX8;dz{c)iZ+*F2tpjTX7yHk-nJyNZ-tB$RN!z?yb$)$=u|>~BJ)YJ2E@r1Rz!&cHG3#6RLfoJZdEyaP#=c?gxEZdAjO zu$(}(lfi;M%yXfU52Dt=Dcp>A&JITOeN0k*4OQ`E@~IKd!Y|??)cq!0hwb707f@61 zGAc7e$e%gRX)&H{Ape?+Pq^_VY#`4XK_{{}%m!2ncjLYI1JsCqhZ?~-)cfzFGI9}b z!po?sna`+X8|uA{$kR0ju91Nk|sLmwByi~pb+s#{VqaUWj7$+(x5s7ybPnu5X!E_h}>Ky9zj@FmJyEThDK zq8ex?uW|#bLkT1)<|))v4WXvw3^w8zR!uPGQ|zStFJ6+Zw*&**jXWxtJ}%VrH*gi6 z#UVbd<7NXMrM6eO|C`%_IqN1(EtF&UBEF28y2Z?!M!W>|dM-4?xqKc~!9h;y*zZwuc?qe@to=%`-}_K=djQpe!>Gl40w2Ubqt;d< zzhc|474`j(@p}9eSZ?PlEz0$%5kHPov49S~h-&Z> zYQ&dO?@w+GI%shzu!pTg%CLocJY zWgWFEQ}-ivnINU|cMLOY2c&&n~EbB>r!^birkCGI0UqM6W6DWo`c z6Rd~If`Q8abZxh4;z@#^fyzG*t$ZyeEuaZRp3uJEK|D-6Mns7up+j43VdW~=En2Xf zh&Ey);g7FBwsB>(FGfpf>#$(?#qd&IKAFn-HkGlFTsH1_SvMNVIz5&r&3-o0+iP>a zlku(Zcs(}h_t z8@0jLEhCxQ;}Z*&p1IzR)E*m6dD%=VVK(SqbIMEP!~Xc~HsSi&M^kCXqvlGtnr!Bp z_9|VrT^=nkXlEA*u<1xXk&5&%tc+uwq?;ulEoMXB&pJudMK(;=Y|dA*VfiSNPp4cj zJJLAq;FLm7=`IRNj5o#>&OFT$?2$9D|eMv~Sq z7yIk3nU9foZag_Lxti+Y*VN5qr);)dJWef%T)8;l#mvSGU9gFA@pZRJ-5ufCuF}Dv zP4%~2{0Xh4xScE)2eUTHoi};2TzuL_%f%x>ZwGAS%#p&PRn>)cIV$vQqV$e>I+*79 z*h#%VdWO;QZRF}cnUzXTymXMRs?I^$>8X@5N=J<5QdhtKf9JQ*R9Q?UOBKgTBd!wk zw%zHLi~GDvXZxvEDLs;<$+43pGRjPp4rOg7(qdNe-uP?g;h3Jk?$Rgb*PQ(kwLF`w aeEk+9yD~T91B;Cfe9~4s^4G@CXZ#oE&u;So delta 2669 zcmYk+e@sMoE04yI2HM$W#LMGHy3m1 z?~Dlyd>D)Ae~NeEzo>;J#d1^3$7F251nzIIa#FyBcQFNrkuhxyxwlQARvHy&#>Y}P zC?gAyMOhW*U>&AmH!^oSj>^PGsALYHGH}Ut3}d*zCC8g_56i(7xEwXmK4kLNk4pK6 zs7!o@y78B8{~OeezD51-25RNwxEGU2Z!Nx!TF~#iJK0*C|$j6EP zIO1NojZE66Q?hd~4V9r%)I=+>2kS8mZ=zB?irRws*=BsKkb|D0I;^07k&4y09tuQe zq9)=imRv?HXeFn9apQCEwvijWLzIMMD#ytApp$;9k~^MR*Ql z@lRZap^F2lEyf7?Yf#_Uxwhg``aV>q&SO6Qh$_N_Jn~P$+kBQi11nG~sBvw=&Gh%6 z{_s6&qPKA?<}jLSq8D|8Q^=xi2=x?9U?0wYke3^tMXfxCK@zZ}fc$rIQpW||UI>m|9t6f1oJ%1r(WGVcaA*>wrzkR4Jc>|B(QPhiTrH?$4 zZL4#A9eIN60tVp*LQQF9Y-douvTej8gbG%zHh?qvCpj-65{U+49if6$izX;9t0H(x zRsYO_P~~nX;t8_kwB4?nshYM*O)na?EreD(wQZ!+Oz6qc%3BE4l#^vFB-RrT6BMV< zdHX4aYR?m`&Y9UWs5jdh;yI#;P%)}b)Y6G?LX}-l=$W2uahyEncBoaSQ3}qB?jcmh z1C8}B=Zu21dx)oqoy63pM^9U_i_lY0Myw)gh*Dy*g}Ntt#M%kHQ`DXf;2e`Vs-X3> zr~qdw|7is845vU;wR)L!5yb>`@_!5FOz(v}Vh8a!5k^clRsPz^j;o4vYTHC-HPPW- z%&q36&FwtunuSS(hsYqd5~+m$hwx3){I7UF2o8UtqqDKiHgq($`v+tCBmH;MPXxa; gm>ug+n^PVdSw1q*lit}pGSIiH$*TO@aw6jX19IE{*Z=?k 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 88648e35..d5cfe7f9 100644 --- a/engine/vibes_auth/locale/vi_VN/LC_MESSAGES/django.po +++ b/engine/vibes_auth/locale/vi_VN/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-01-30 03:27+0000\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: BRITISH ENGLISH \n" @@ -74,6 +74,38 @@ msgstr "Nhân viên" msgid "System" msgstr "Hệ thống" +#: engine/vibes_auth/docs/drf/messaging.py:17 +msgid "User messages entrypoint" +msgstr "Điểm nhập tin nhắn của người dùng" + +#: engine/vibes_auth/docs/drf/messaging.py:18 +msgid "" +"Anonymous or authenticated non-staff users send messages. Also supports " +"action=ping." +msgstr "" +"Người dùng ẩn danh hoặc đã xác thực nhưng không phải nhân viên có thể gửi " +"tin nhắn. Cũng hỗ trợ tham số action=ping." + +#: engine/vibes_auth/docs/drf/messaging.py:28 +msgid "Staff inbox control" +msgstr "Quản lý hộp thư đến của nhân viên" + +#: engine/vibes_auth/docs/drf/messaging.py:29 +msgid "" +"Staff-only actions: list_open, assign, reply, close, ping. Unified event " +"payloads are emitted." +msgstr "" +"Các hành động dành riêng cho nhân viên: list_open, assign, reply, close, " +"ping. Các gói sự kiện thống nhất được phát ra." + +#: engine/vibes_auth/docs/drf/messaging.py:39 +msgid "Per-thread staff channel" +msgstr "Kênh nhân viên theo từng luồng" + +#: engine/vibes_auth/docs/drf/messaging.py:40 +msgid "Reply, close, and ping within a specific thread." +msgstr "Trả lời, đóng và nhắc nhở trong một chủ đề cụ thể." + #: engine/vibes_auth/docs/drf/views.py:18 msgid "obtain a token pair" msgstr "Nhận cặp token" @@ -242,21 +274,21 @@ msgstr "" msgid "address set" msgstr "Địa chỉ" -#: engine/vibes_auth/messaging/services.py:48 +#: engine/vibes_auth/messaging/services.py:51 msgid "Valid email is required for anonymous chats." msgstr "Địa chỉ email hợp lệ là bắt buộc cho các cuộc trò chuyện ẩn danh." -#: engine/vibes_auth/messaging/services.py:56 +#: engine/vibes_auth/messaging/services.py:59 msgid "Message must be 1..1028 characters." msgstr "Thông điệp phải có độ dài từ 1 đến 1028 ký tự." -#: engine/vibes_auth/messaging/services.py:90 +#: engine/vibes_auth/messaging/services.py:95 msgid "We're searching for the operator to answer you already, hold by!" msgstr "" "Chúng tôi đang tìm kiếm nhân viên tổng đài để trả lời cho bạn, xin vui lòng " "chờ một lát!" -#: engine/vibes_auth/messaging/services.py:133 +#: engine/vibes_auth/messaging/services.py:138 msgid "Assignee must be a staff user." msgstr "Người được giao nhiệm vụ phải là người dùng nhân viê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 507486ea6dceb49b1aa4c6739122244a39e10135..7f9a7ba9bc66ed55ed90b2f326af7acc89d74c24 100644 GIT binary patch delta 3416 zcmY+`4Q!Rw9mnw_uPxG2-n5F9XB1&dTL{;p8q+|18q-TaN`%IjXPv0JBXWzapR166aPMu1Eq74G3&4kZ^jEa8NbE?oOG=* z{F!17IzJb$!-Y5jAHtcq8k?>$#>Lxcf5gS5#>CB6R2b8g(3>utgT+{h-@-Nc2{-P< zdR#xn7(eF+ii{bLw@fu=IxfI1cn@mec`h_i7PdDrhtkz|=ws0?jF4eYb+0BW2l z#&u&06+QXOsD1DbZooy?=bq?C7^K~U>Nt;l>ItvIe4K+iUxsV2%AW5=Ex}8u%p67j z%xMnu@PlIVueJCaC%%cru7(@Xc{~466WC!cA_%98?^-SUMl=%KEnoHk1ugE?M;p`^YL9&X8vmZ zr}eTmk9@QL%uLjhEI?hq2urTvbwmxgc}{MEyHVGjLGFv21Qo6^zrpNYz@6M!%m!G3 zN9VE+`27=4*Rm zBGdXd?LzAVsMlt@wHwQ6A49GAhxYtM)P(+R)ehE#3am4%vrwCK4zi!ka*Q9QvXRP@ z_yww?HD!FOaSN*bE6m4FQBQcmw!grYv@fFue3046RjBLMA^X}i;ym1i%+Z`ihBBX( zlYgajOhs-F6r-NF3h&01s17@%!Z~Ka(-b?S%o<+HFTI#R+@ipRFUP0WP85>q7p8s=-ox7-OgbeqsGBE~WiBPQe*$ zFx@{FHSV%F70rArYKA{VUD%Gg@R0retZlz%+kZl>Py;U zeFe27?;$UT_J6KygaE<$?CYklSBz*NrV%R7605Vd+~IyG8r3eNu8)<D9qxtCzy$IatZzJKMHQEs5FO``G)(U`3n^Biik>M2y7AR@$f)fiQxw*G+iQ7j;y zC$woN5qIhN@1vrkovBhq@amiI5c(48`~C=_GLfhuv^2HEHbO;fzk^t;21RRrrRcM~ zmC%M>L9jQkmMO}=zV}*7t&?`M%7Zzw$7+r)p>@{gDkR1dDtxW8|LfU~?8)qh2D0yW zGfpMy2_NAn?jb^iHs75@Jj`Jev7FF9jVk%XwZwSh2gDsj9>FHgej)inn=wQSF^+he z(58Ees3U@eir$df*;?+)w}kq7qLNrgcvtqHUNyaT^9YB~H(?oJszc#WOEBE*IpL_| zYmPO!p_sqU7jx?!eku22zJ>;;*>j_wfuhI1?oa%rVcD&|DBpi)-j;}7} z4~LdT{GrAQQ|)>F#*phe!DjEk(&^I^m6Mi^dAP=nmdBc+uCLz7bz9fu3x(W(dEAWz zTFRWdK-hE393P{o8)ut8*5nU4KF5o=b^Zo_os+w}A`zW@dTcy9Gk@sm@bgYxI24P9 z17@wxm4`!t7CRrW$_eK^HB8}8YadF6QO+{xtNv1EULYX6bpgKwof&!zVDruOa6w6-OOUQ4(2 zUTobtGIS(;us7Y^HafYSPYm5WbHW=o>!!v-I9K zQ=NTgbl1uA2Q=LSdzk&de%^C6x%8RKE|qM0F}t3q1TzFrm+I&r9(Xl*zLg0l`(I#` s^s%n=q0W)P!I3@ZE|#|LG{cDjE-|^BSaKOjwVzDwdn55xY2M`j0U~Nd5&!@I delta 2664 zcmY+`e@vBC9LMo5KO}ztFhp*mKsQYV5+nkI2rQt`NK;cV0tysV$^c`n+!f8)%pYsB z(OeE&E1hd|b!!r|VzpIUo28chQ#75Eei+qUb46nB&%K9@&hGcVo^$T=ob#OTInM(l zt-VdYk?G;D7^R0uBfbeUdjt2~#1|zs+H4MbFcyn24l6MRSGo2^OrgF7BXAeaz`fWO zVs;c4Qjek&FW!maW8gij|aVh7`$874G zlY$+;isjTl#9Qz>YGSF=859f9gPU*$m}CHA}a zKT)Y4M|ET~Nh>7cJY0ZUiWN8?x1%QT7HZ80kV)J3Sc-qlB>$RG4!vjw`KSw)pfa)? zGqDl1G`-FvsPjHR?!~@DP2eKx#>bFtWdEX;CW-|o8CHN=f*LHwZ65NkwK_?I?(8Gv zV`ur&fLCxgMv~8ZJb>!xXVeW&pk|W9$-1FhXA^3mPGqun1eLk>QR57vu0QSLKo?$c z4Ofwywg|TDTueu0s1kLf%Wx0YVr;;LH-+FxSf)&GyE z^RGCsVnqn+{|^UBRVmZG4L73d`;cVVDO9S?VIE#~^;D*-jvb))IUZo;cu=z zg0$&IQ=DE@f4P$Jt?>==K71YCDy4I&WMTWhOd1_`5fo^;d_vG^nF;_d~UFH7cdesPhgYS+#!DQhbiFIN^-pWDSst zdQ9_h1yIZ!s@Br9r&SBJ&Ttc2ATSKVmCW?qcVhQmCaUVfO17)p~ zhr=Et?j`i%(Y{$pR1hlq!^XV@ZXy)5|7p*BSBIEe@ekJ zh-f05s3&TO$)Z>6YFAn8EI>U~cN2P#1Pk*o<0zldJD{1^OiV5JQ{iQ1PZHYo)kGEX zFi}ZNmTB%F4m*iQU45%l=x<8{5ku(7idFv832n9nLN6emI@?B+6UD@23FCm*cHqC5 zc6@}0BqmEP2iomZi=LLLWj&SUM3-yKeu#q(SJ5M);w7}Zqlir6aYCEY|3mcpQ2)-j z6JgQMc6GOQ*qW}^PX8xKhvWT&8402ORBu{X+^BzObg17(4;{b!;wk_6d6BXI0j\n" "Language-Team: BRITISH ENGLISH \n" @@ -74,6 +74,34 @@ msgstr "工作人员" msgid "System" msgstr "系统" +#: engine/vibes_auth/docs/drf/messaging.py:17 +msgid "User messages entrypoint" +msgstr "用户信息入口" + +#: engine/vibes_auth/docs/drf/messaging.py:18 +msgid "" +"Anonymous or authenticated non-staff users send messages. Also supports " +"action=ping." +msgstr "匿名或通过身份验证的非工作人员用户可发送信息。还支持 action=ping。" + +#: engine/vibes_auth/docs/drf/messaging.py:28 +msgid "Staff inbox control" +msgstr "员工收件箱控制" + +#: engine/vibes_auth/docs/drf/messaging.py:29 +msgid "" +"Staff-only actions: list_open, assign, reply, close, ping. Unified event " +"payloads are emitted." +msgstr "工作人员专用操作:list_open、assign、reply、close、ping。发出统一的事件有效载荷。" + +#: engine/vibes_auth/docs/drf/messaging.py:39 +msgid "Per-thread staff channel" +msgstr "每个主题的工作人员频道" + +#: engine/vibes_auth/docs/drf/messaging.py:40 +msgid "Reply, close, and ping within a specific thread." +msgstr "在特定主题内回复、关闭和 ping。" + #: engine/vibes_auth/docs/drf/views.py:18 msgid "obtain a token pair" msgstr "获取令牌对" @@ -235,19 +263,19 @@ msgstr "语言是{settings.LANGUAGES}之一,默认为{settings.LANGUAGE_CODE} msgid "address set" msgstr "地址" -#: engine/vibes_auth/messaging/services.py:48 +#: engine/vibes_auth/messaging/services.py:51 msgid "Valid email is required for anonymous chats." msgstr "匿名聊天需要有效的电子邮件。" -#: engine/vibes_auth/messaging/services.py:56 +#: engine/vibes_auth/messaging/services.py:59 msgid "Message must be 1..1028 characters." msgstr "信息必须为 1...1028 个字符。" -#: engine/vibes_auth/messaging/services.py:90 +#: engine/vibes_auth/messaging/services.py:95 msgid "We're searching for the operator to answer you already, hold by!" msgstr "我们正在寻找接线员,请稍候!" -#: engine/vibes_auth/messaging/services.py:133 +#: engine/vibes_auth/messaging/services.py:138 msgid "Assignee must be a staff user." msgstr "受让人必须是工作人员用户。" diff --git a/evibes/locale/ar_AR/LC_MESSAGES/django.mo b/evibes/locale/ar_AR/LC_MESSAGES/django.mo index 1d5927c3fdcddb3ef5ed63f71f7f436c5d95f633..5b83e1f28cdcfb19bdcd4bf95e96c6ba5f1b96bf 100644 GIT binary patch delta 595 zcmXZZF-SsD6oBFLo?X*A|JOAs$2!L~Rby&{9M+MbHo} zii^+?K{VD9G&PivG>W6-5cD6o58nIEdE9%?x%WOht<_31?7bA8H19ZX&JxMvlFf(b z7u^Ao9uAXl1w?{)h*3PjEZ$%SUoeCn977otA(S|dU>0?L0f$5?QX*h|*+4J4IETBq zh_|Q{zEB(J7;R<~N)#t?8WXsJKHS89+(B*Nz~sj!Kf@ID<(fbnc)~t>MVWQ>akG6{o=${f5Py4CABmEpy@6bxRsO+Y@Lcg5AhJ@V!2+ delta 691 zcmXZZJ4l;R6u|Lg6nv4Iq&_NX_48Fkd?6}gm(oqCb}^uXh)R5+24fr)GzdyX+{B?% z5el}!M{7!P5$x*XB-~HY!A(-Pf{O(I2kr-7e&^gT=iYPgz3ckh9ls4^?Fdg5?`z)H z43Q@M=;4PaCsSl9Pb3##lE=IvKHR`!{DQUk6RXihKc=x1eJ?}^r4Ea*1GT;v3q;~F zM8NzK!7N% zzIyczg9JLzg1VFU*pCCKJ2^%@p>xy)E-`>9YZ`T8f6aEM=P;uxdGE>emWAfSPG5LB zJRTjMX&8yboUw)3(b!~Uc6fR+wwO#6JQg;aJ(DyEb7+p-b;sQ>C+?=ZYJNB-L9pg- Rntk)j?78a=<~v^#@(k$kYzzPZ diff --git a/evibes/locale/ar_AR/LC_MESSAGES/django.po b/evibes/locale/ar_AR/LC_MESSAGES/django.po index 01088164..a7398681 100644 --- a/evibes/locale/ar_AR/LC_MESSAGES/django.po +++ b/evibes/locale/ar_AR/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: LANGUAGE \n" @@ -66,66 +66,62 @@ msgid "Mail from option" msgstr "عنوان مرسل البريد الإلكتروني" #: evibes/settings/constance.py:38 -msgid "Use Telegram-bot functionality" -msgstr "استخدم وظيفة تيليجرام-بوت" - -#: evibes/settings/constance.py:39 msgid "How many days we store messages from anonymous users" msgstr "عدد الأيام التي نخزن فيها الرسائل من المستخدمين المجهولين" -#: evibes/settings/constance.py:40 +#: evibes/settings/constance.py:39 msgid "How many days we store messages from authenticated users" msgstr "عدد الأيام التي نخزن فيها الرسائل من المستخدمين الموثقين" -#: evibes/settings/constance.py:41 +#: evibes/settings/constance.py:40 msgid "Disable buy functionality" msgstr "تعطيل وظيفة الشراء" -#: evibes/settings/constance.py:42 +#: evibes/settings/constance.py:41 msgid "OpenStreetMap Nominatim API URL" msgstr "عنوان URL لواجهة برمجة تطبيقات OpenStreetMap Nominatim" -#: evibes/settings/constance.py:43 +#: evibes/settings/constance.py:42 msgid "OpenAI API Key" msgstr "مفتاح واجهة برمجة تطبيقات OpenAI" -#: evibes/settings/constance.py:44 +#: evibes/settings/constance.py:43 msgid "Abstract API Key" msgstr "مفتاح واجهة برمجة التطبيقات المجردة" -#: evibes/settings/constance.py:45 +#: evibes/settings/constance.py:44 msgid "HTTP Proxy" msgstr "وكيل HTTP" -#: evibes/settings/constance.py:47 +#: evibes/settings/constance.py:46 msgid "An entity for storing advertisiment data" msgstr "كيان لتخزين بيانات الإعلانات" -#: evibes/settings/constance.py:48 +#: evibes/settings/constance.py:47 msgid "An entity for storing analytics data" msgstr "كيان لتخزين بيانات التحليلات" -#: evibes/settings/constance.py:50 +#: evibes/settings/constance.py:49 msgid "Save responses from vendors' APIs" msgstr "حفظ الاستجابات من واجهات برمجة تطبيقات البائعين" -#: evibes/settings/constance.py:56 +#: evibes/settings/constance.py:55 msgid "General Options" msgstr "الخيارات العامة" -#: evibes/settings/constance.py:63 +#: evibes/settings/constance.py:62 msgid "Email Options" msgstr "خيارات البريد الإلكتروني" -#: evibes/settings/constance.py:73 +#: evibes/settings/constance.py:72 msgid "Features Options" msgstr "خيارات الميزات" -#: evibes/settings/constance.py:83 +#: evibes/settings/constance.py:81 msgid "SEO Options" msgstr "خيارات تحسين محركات البحث" -#: evibes/settings/constance.py:87 +#: evibes/settings/constance.py:85 msgid "Debugging Options" msgstr "خيارات التصحيح" @@ -274,3 +270,4 @@ msgstr "لوحة المهام" #: evibes/settings/jazzmin.py:34 msgid "Support" msgstr "الدعم" + diff --git a/evibes/locale/cs_CZ/LC_MESSAGES/django.mo b/evibes/locale/cs_CZ/LC_MESSAGES/django.mo index e1dae194e901927751a70980a5e50f422daafc17..8e39564263bc8f7f0889d06d2f9a7963019e9d9a 100644 GIT binary patch delta 594 zcmXZZPbfrD6vy#1&yF*2byrIak>f69W5vPX)|l&nNe)2wEp)LY0>ER>Cs zW^ZnQuhR;<$$?+(#czu^(@-9qZVI)@DX%-PnOXYX3CG%*wVz!2fLx!&tyk+{Q6H zLv46P6;OA2>?X7n_Tm7haUNT79V57fDqz>mD{dZOANlQ=Kn2vW8ShXVAKd)K`GG5R z=L?HuSmc<5c0=3Li6>Nn-#Cb&9tn#@e?O7 zm;Jx0RaC+vs*nKn;}cZkD^zEmQ62b29W2744xGd(Eo2FFS3Zv59I6vL&Jyao3hD%b U^ZanZy9`;i;Wb68>G)&p53*!B_5c6? delta 672 zcmY+>Pbhr zB88IN#GJTkd>?)nZ@us5d46xt`+I)Rd)~X%7k_l;B!sJuyNbIbOQaPCY&^K~vqfec zB6chxw+cmyaTCjM4;%3m>+udW-LV?YW)y8MdC6}!1pDBIklR1-=A)?g=Aq8|$|igsK>ZD7OX36t+*E&Izcfi`fBd3cXn_-yhw;|F?J z|H3h*R7qE>?6k~rS&~o2rxVGo{%f=f8_3(R2?OZHbu7nSbg{o25$Nbsx_}SHwDB8t zGA?%S#xm@|5!AYE)X5y8Hj+a9&K2s$PpA`e@c8`|s0Z}npq{+nEDWOlvjDbZ6m=p8 z#v|0iGt?8LjJHUS^1jn$JISg`zSy!0J^rPTcQiB?nqCafw@gGV?^JAI(h5fwf^%VO ZIr-|mae9U$vCCB0x;WOCvy=Y|\n" "Language-Team: LANGUAGE \n" @@ -66,66 +66,62 @@ msgid "Mail from option" msgstr "Adresa odesílatele e-mailů" #: evibes/settings/constance.py:38 -msgid "Use Telegram-bot functionality" -msgstr "Použití funkce Telegram-bot" - -#: evibes/settings/constance.py:39 msgid "How many days we store messages from anonymous users" msgstr "Kolik dní uchováváme zprávy od anonymních uživatelů" -#: evibes/settings/constance.py:40 +#: evibes/settings/constance.py:39 msgid "How many days we store messages from authenticated users" msgstr "Kolik dní uchováváme zprávy od ověřených uživatelů" -#: evibes/settings/constance.py:41 +#: evibes/settings/constance.py:40 msgid "Disable buy functionality" msgstr "Zakázat funkci nákupu" -#: evibes/settings/constance.py:42 +#: evibes/settings/constance.py:41 msgid "OpenStreetMap Nominatim API URL" msgstr "URL rozhraní API OpenStreetMap Nominatim" -#: evibes/settings/constance.py:43 +#: evibes/settings/constance.py:42 msgid "OpenAI API Key" msgstr "Klíč API OpenAI" -#: evibes/settings/constance.py:44 +#: evibes/settings/constance.py:43 msgid "Abstract API Key" msgstr "Abstraktní klíč API" -#: evibes/settings/constance.py:45 +#: evibes/settings/constance.py:44 msgid "HTTP Proxy" msgstr "Proxy server HTTP" -#: evibes/settings/constance.py:47 +#: evibes/settings/constance.py:46 msgid "An entity for storing advertisiment data" msgstr "Subjekt pro ukládání dat inzerátů" -#: evibes/settings/constance.py:48 +#: evibes/settings/constance.py:47 msgid "An entity for storing analytics data" msgstr "Subjekt pro ukládání analytických dat" -#: evibes/settings/constance.py:50 +#: evibes/settings/constance.py:49 msgid "Save responses from vendors' APIs" msgstr "Ukládání odpovědí z rozhraní API dodavatelů" -#: evibes/settings/constance.py:56 +#: evibes/settings/constance.py:55 msgid "General Options" msgstr "Obecné možnosti" -#: evibes/settings/constance.py:63 +#: evibes/settings/constance.py:62 msgid "Email Options" msgstr "Možnosti e-mailu" -#: evibes/settings/constance.py:73 +#: evibes/settings/constance.py:72 msgid "Features Options" msgstr "Možnosti funkcí" -#: evibes/settings/constance.py:83 +#: evibes/settings/constance.py:81 msgid "SEO Options" msgstr "Možnosti SEO" -#: evibes/settings/constance.py:87 +#: evibes/settings/constance.py:85 msgid "Debugging Options" msgstr "Možnosti ladění" @@ -281,3 +277,4 @@ msgstr "Taskboard" #: evibes/settings/jazzmin.py:34 msgid "Support" msgstr "Podpora" + diff --git a/evibes/locale/da_DK/LC_MESSAGES/django.mo b/evibes/locale/da_DK/LC_MESSAGES/django.mo index e5b2d0e503139136c351b8061690a05d6463a29d..c8da5aef27d26e4414ee207bf580b6adb31de7a2 100644 GIT binary patch delta 594 zcmXZaJxGF46vpx6o6whE8Chy&S%E{~5)qMZ4du{OTSQQc5RSDu2}OiMxFs~SM1zoH zLl7;s1kU9ow1jKA^?&HT@cO$)IrpCX;AQ?PS8hlBHRDP1PV+AN%(A%Q@xjx>;)q!v z$ElBkW)VEY7+zooZ*dXda16T`M+=#;v;9g2k{-%*mCu!vxEDj^Mf}u zY;#Qw_RXmptcSW`fEblX8W*sDGgxw7;S}`)#yQ_!-4|_~r2a(>6sAjwBybf|s6_Tq zH?Cq78^}!df{MQ7e(#_X@z4GzHHX?aiyC|#bGm7Pg*Mnl{SS^Yfaj=0YN$x-IE44k T$LlSx;j?Dn8wfU&k&nyA0( delta 675 zcmY+>%PT}-7{~Ev#*}fHi<#USmti!dWZ@FYEbJ5`WtIpX(=bfNu`s3C5M_yl5`TfH zQ5IxnsaRs6*tsplQu2N3SU7d&^So!?_dU=1J7>L{k?e!du_Ig|?ketfn@B4T*!kgd z=84P{iWH!qvFQ@=;s%!CE;ivYHsBqW;15=!*DXRR%~*IdwM?eW;Ple` gl$l7)Pb3rOa_-f0\n" "Language-Team: LANGUAGE \n" @@ -66,66 +66,62 @@ msgid "Mail from option" msgstr "Adressen på e-mailens afsender" #: evibes/settings/constance.py:38 -msgid "Use Telegram-bot functionality" -msgstr "Brug Telegram-bot-funktionalitet" - -#: evibes/settings/constance.py:39 msgid "How many days we store messages from anonymous users" msgstr "Hvor mange dage vi gemmer beskeder fra anonyme brugere" -#: evibes/settings/constance.py:40 +#: evibes/settings/constance.py:39 msgid "How many days we store messages from authenticated users" msgstr "Hvor mange dage vi gemmer beskeder fra godkendte brugere" -#: evibes/settings/constance.py:41 +#: evibes/settings/constance.py:40 msgid "Disable buy functionality" msgstr "Deaktiver købsfunktionalitet" -#: evibes/settings/constance.py:42 +#: evibes/settings/constance.py:41 msgid "OpenStreetMap Nominatim API URL" msgstr "OpenStreetMap Nominatim API URL" -#: evibes/settings/constance.py:43 +#: evibes/settings/constance.py:42 msgid "OpenAI API Key" msgstr "OpenAI API-nøgle" -#: evibes/settings/constance.py:44 +#: evibes/settings/constance.py:43 msgid "Abstract API Key" msgstr "Abstrakt API-nøgle" -#: evibes/settings/constance.py:45 +#: evibes/settings/constance.py:44 msgid "HTTP Proxy" msgstr "HTTP-proxy" -#: evibes/settings/constance.py:47 +#: evibes/settings/constance.py:46 msgid "An entity for storing advertisiment data" msgstr "En enhed til lagring af annonceringsdata" -#: evibes/settings/constance.py:48 +#: evibes/settings/constance.py:47 msgid "An entity for storing analytics data" msgstr "En enhed til lagring af analysedata" -#: evibes/settings/constance.py:50 +#: evibes/settings/constance.py:49 msgid "Save responses from vendors' APIs" msgstr "Gem svar fra leverandørers API'er" -#: evibes/settings/constance.py:56 +#: evibes/settings/constance.py:55 msgid "General Options" msgstr "Generelle indstillinger" -#: evibes/settings/constance.py:63 +#: evibes/settings/constance.py:62 msgid "Email Options" msgstr "Indstillinger for e-mail" -#: evibes/settings/constance.py:73 +#: evibes/settings/constance.py:72 msgid "Features Options" msgstr "Funktioner Indstillinger" -#: evibes/settings/constance.py:83 +#: evibes/settings/constance.py:81 msgid "SEO Options" msgstr "SEO-muligheder" -#: evibes/settings/constance.py:87 +#: evibes/settings/constance.py:85 msgid "Debugging Options" msgstr "Indstillinger for fejlfinding" @@ -279,3 +275,4 @@ msgstr "Opgavetavle" #: evibes/settings/jazzmin.py:34 msgid "Support" msgstr "Støtte" + diff --git a/evibes/locale/de_DE/LC_MESSAGES/django.mo b/evibes/locale/de_DE/LC_MESSAGES/django.mo index 852effd3a802d00c8d4f0097255e63778d62197e..ab2e178a4dba52e30c2ce4b4f9b96a75f545fb66 100644 GIT binary patch delta 594 zcmXZY%_~G<6vy%3TvPHgjKP!{#?Z(VlahtvdPxeKY5o8v#bzXSlrk&I%0iY?l$DJ# zHde~c%gUO`!cwzfV|Ko$d2aXK&pEeyp65L0a{gtmScwGB#Wl#&%QG5~#&Fu>#r21U zW~qjqhBlqM=#wAd z65gYY+T++Z(qXiEA8jI8Pkvm`9ws84*a(QZEL@Ke}#fvK;R%9|s zBoWhzZMTRQ*D(`!unbSI7;i8Qe=rNZsUi%e95b*EHNO)*A`uy2!1@xxI9$RSj9?v} zp(ebc7VzWfBb%X=U;)-*4)$O&&R`-gqZY8{#M@51hlT7fM+~%pYmCQR)WioTes%oB zeCEHgpDyK4)dxE*a$GGem=`_qDrOV!Vg;UK0PoR<9u_gM2tDjCEetfF3$=9?>Vm7N zg>5OYn1WZR2fV=!ZOx-I@s7H{7gnR& zh$b|mF4%$ke;;b6CLP0ALcFwD?>dh0pFX={-T6JUrqOK%&GGQibYM7S8)I|Uh&>Uq mhJq9J;^~WL&|CWdy*XqDTIZ~(zwZ|ZwlQyp7ffr^wB#4Q>{$%} diff --git a/evibes/locale/de_DE/LC_MESSAGES/django.po b/evibes/locale/de_DE/LC_MESSAGES/django.po index f8093089..0a9b542e 100644 --- a/evibes/locale/de_DE/LC_MESSAGES/django.po +++ b/evibes/locale/de_DE/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: LANGUAGE \n" @@ -66,67 +66,63 @@ msgid "Mail from option" msgstr "Die Adresse des Absenders der E-Mail" #: evibes/settings/constance.py:38 -msgid "Use Telegram-bot functionality" -msgstr "Telegram-Bot-Funktionalität verwenden" - -#: evibes/settings/constance.py:39 msgid "How many days we store messages from anonymous users" msgstr "Wie viele Tage wir Nachrichten von anonymen Nutzern speichern" -#: evibes/settings/constance.py:40 +#: evibes/settings/constance.py:39 msgid "How many days we store messages from authenticated users" msgstr "" "Wie viele Tage wir Nachrichten von authentifizierten Benutzern speichern" -#: evibes/settings/constance.py:41 +#: evibes/settings/constance.py:40 msgid "Disable buy functionality" msgstr "Kauffunktionalität deaktivieren" -#: evibes/settings/constance.py:42 +#: evibes/settings/constance.py:41 msgid "OpenStreetMap Nominatim API URL" msgstr "OpenStreetMap Nominatim API URL" -#: evibes/settings/constance.py:43 +#: evibes/settings/constance.py:42 msgid "OpenAI API Key" msgstr "OpenAI API Key" -#: evibes/settings/constance.py:44 +#: evibes/settings/constance.py:43 msgid "Abstract API Key" msgstr "Abstrakter API-Schlüssel" -#: evibes/settings/constance.py:45 +#: evibes/settings/constance.py:44 msgid "HTTP Proxy" msgstr "HTTP-Proxy" -#: evibes/settings/constance.py:47 +#: evibes/settings/constance.py:46 msgid "An entity for storing advertisiment data" msgstr "Eine Einheit zur Speicherung von Werbedaten" -#: evibes/settings/constance.py:48 +#: evibes/settings/constance.py:47 msgid "An entity for storing analytics data" msgstr "Eine Einheit zur Speicherung von Analysedaten" -#: evibes/settings/constance.py:50 +#: evibes/settings/constance.py:49 msgid "Save responses from vendors' APIs" msgstr "Speichern von Antworten aus den APIs von Anbietern" -#: evibes/settings/constance.py:56 +#: evibes/settings/constance.py:55 msgid "General Options" msgstr "Allgemeine Optionen" -#: evibes/settings/constance.py:63 +#: evibes/settings/constance.py:62 msgid "Email Options" msgstr "E-Mail-Optionen" -#: evibes/settings/constance.py:73 +#: evibes/settings/constance.py:72 msgid "Features Options" msgstr "Merkmale Optionen" -#: evibes/settings/constance.py:83 +#: evibes/settings/constance.py:81 msgid "SEO Options" msgstr "SEO-Optionen" -#: evibes/settings/constance.py:87 +#: evibes/settings/constance.py:85 msgid "Debugging Options" msgstr "Debugging-Optionen" @@ -284,3 +280,4 @@ msgstr "Aufgabentafel" #: evibes/settings/jazzmin.py:34 msgid "Support" msgstr "Unterstützung" + diff --git a/evibes/locale/en_GB/LC_MESSAGES/django.mo b/evibes/locale/en_GB/LC_MESSAGES/django.mo index 4c4b52650ecac00a5cfeb3323d0d92ac3b5e8960..16a523840d0bc5e90301169ff7d3daac122050fe 100644 GIT binary patch delta 594 zcmXZYPbhbzX@$6E)GkZTy`Mk>L5~bSV>87TMiCf9K=P6a&w?o zE|QCbIg%SnxmnB6bMyYR-&4mU5(Bft+ts8yJp!QE;yII-hS#Z8BV-!m`fg6~^ zOVoxBRDinEV>e4nVLuLIfJJP>6>PzERDf+a@45L9)4bo#SSY{)HsdpDdjohLd zxkEMbivyVLZ3LKgE}+ps7UTcbwmP%` delta 673 zcmaLT&nv@m9LMqZzFRTc4->`Mk0vc8m#HakPQuA*m!;9HX)JuDk#^+bq$wxKSyprL zAIOEP9Vq31IdO2%@_g6l?AyM3yx-rxpYP}WdEHK)OjVu&uBvdwxCgis4v{gOwfN&| zcZ#fbh`6zv-u8(2@eq6Q6ysRKA$-IxY+)bzy&{w{f<2f-T|bXLk%}x*@O>$v3wJSr z6-?qa>Vi+y0b0fYt0`p|!#IvXOkpQ(pd0s52RJZ&)%0f=Wq-M(&;jnT4I8KnUrgUL zeq)H|znCVaAX8~FHpkV$p4nXo{X$K~MVy*U5H*=;)MN^%$?Tzr{iRBw(OjT@;0D=4 z?obD7peFN*n#?xJZlQ~CCriPl#18Oo&)C2zDoJM1DEPdcd?fWr` zanu23P?JfazLzn5-dI9@vU5CPT{&X)H_Pb>rM7aBg\n" "Language-Team: LANGUAGE \n" @@ -70,66 +70,62 @@ msgid "Mail from option" msgstr "The address of the emails sender" #: evibes/settings/constance.py:38 -msgid "Use Telegram-bot functionality" -msgstr "Use Telegram-bot functionality" - -#: evibes/settings/constance.py:39 msgid "How many days we store messages from anonymous users" msgstr "How many days we store messages from anonymous users" -#: evibes/settings/constance.py:40 +#: evibes/settings/constance.py:39 msgid "How many days we store messages from authenticated users" msgstr "How many days we store messages from authenticated users" -#: evibes/settings/constance.py:41 +#: evibes/settings/constance.py:40 msgid "Disable buy functionality" msgstr "Disable buy functionality" -#: evibes/settings/constance.py:42 +#: evibes/settings/constance.py:41 msgid "OpenStreetMap Nominatim API URL" msgstr "OpenStreetMap Nominatim API URL" -#: evibes/settings/constance.py:43 +#: evibes/settings/constance.py:42 msgid "OpenAI API Key" msgstr "OpenAI API Key" -#: evibes/settings/constance.py:44 +#: evibes/settings/constance.py:43 msgid "Abstract API Key" msgstr "Abstract API Key" -#: evibes/settings/constance.py:45 +#: evibes/settings/constance.py:44 msgid "HTTP Proxy" msgstr "HTTP Proxy" -#: evibes/settings/constance.py:47 +#: evibes/settings/constance.py:46 msgid "An entity for storing advertisiment data" msgstr "An entity for storing advertisiment data" -#: evibes/settings/constance.py:48 +#: evibes/settings/constance.py:47 msgid "An entity for storing analytics data" msgstr "An entity for storing analytics data" -#: evibes/settings/constance.py:50 +#: evibes/settings/constance.py:49 msgid "Save responses from vendors' APIs" msgstr "Save responses from vendors' APIs" -#: evibes/settings/constance.py:56 +#: evibes/settings/constance.py:55 msgid "General Options" msgstr "General Options" -#: evibes/settings/constance.py:63 +#: evibes/settings/constance.py:62 msgid "Email Options" msgstr "Email Options" -#: evibes/settings/constance.py:73 +#: evibes/settings/constance.py:72 msgid "Features Options" msgstr "Features Options" -#: evibes/settings/constance.py:83 +#: evibes/settings/constance.py:81 msgid "SEO Options" msgstr "SEO Options" -#: evibes/settings/constance.py:87 +#: evibes/settings/constance.py:85 msgid "Debugging Options" msgstr "Debugging Options" @@ -282,3 +278,4 @@ msgstr "Taskboard" #: evibes/settings/jazzmin.py:34 msgid "Support" msgstr "Support" + diff --git a/evibes/locale/en_US/LC_MESSAGES/django.mo b/evibes/locale/en_US/LC_MESSAGES/django.mo index 58e0ac997ee10195f1b489b5ad4f73d9c128807f..64c43166d839ac3f1610b22695d21018784e0af8 100644 GIT binary patch delta 594 zcmXZYzb`{k7{>9pR}(>6McSl_s*p57Bw{e!c4A<_KOla@;wECFTc-{d2C+zlfw@CX zmZn#xYFcJa*v*cHj;wz`mPHZa%^c@3%7+3Q)y%yhCk#bn}bz9am}R z6Svv0$Y(0hHE&hGI;xRpR3qQ0Mv~O3M)IgeR#1TgjPrggu+RaA$k}#|3RFfla)WB5 zifZHshjDVS6=2D^iE3mI)kq1+U{|O{YN!u;Km~ZhoF06*2Va|7oj)#@ zLu98*#EpH_MURLNPjC>cIF7eCiqF`KZ5%?MSA?ZZ-~h%^`xDqBV#+!TzAt%n;vvS+ z#5mSb8$MA7Xj}T}W+`JB!Wj%;61#B^-B?B);Ml4wR(*jH_LplGI=~}#;tOiyt5ttk z{$P;jEnFj|08^!DEOA^N?2X-Z&|lPKT*Rr#giw=NKuso#nv97a_LnLPjphpV19!+C z@_;&612vf@YBFD_$wWs)!nle$K-uyXHJMA)Wa_BNJfSA@je5WqE@?C!97`Ycqt-!; z;3Vn*3Djg(P~S7Gde^dm{N(6t)_!A))|z&QCzvdx!po^lYJ1\n" "Language-Team: LANGUAGE \n" @@ -66,66 +66,62 @@ msgid "Mail from option" msgstr "The address of the emails sender" #: evibes/settings/constance.py:38 -msgid "Use Telegram-bot functionality" -msgstr "Use Telegram-bot functionality" - -#: evibes/settings/constance.py:39 msgid "How many days we store messages from anonymous users" msgstr "How many days we store messages from anonymous users" -#: evibes/settings/constance.py:40 +#: evibes/settings/constance.py:39 msgid "How many days we store messages from authenticated users" msgstr "How many days we store messages from authenticated users" -#: evibes/settings/constance.py:41 +#: evibes/settings/constance.py:40 msgid "Disable buy functionality" msgstr "Disable buy functionality" -#: evibes/settings/constance.py:42 +#: evibes/settings/constance.py:41 msgid "OpenStreetMap Nominatim API URL" msgstr "OpenStreetMap Nominatim API URL" -#: evibes/settings/constance.py:43 +#: evibes/settings/constance.py:42 msgid "OpenAI API Key" msgstr "OpenAI API Key" -#: evibes/settings/constance.py:44 +#: evibes/settings/constance.py:43 msgid "Abstract API Key" msgstr "Abstract API Key" -#: evibes/settings/constance.py:45 +#: evibes/settings/constance.py:44 msgid "HTTP Proxy" msgstr "HTTP Proxy" -#: evibes/settings/constance.py:47 +#: evibes/settings/constance.py:46 msgid "An entity for storing advertisiment data" msgstr "An entity for storing advertisiment data" -#: evibes/settings/constance.py:48 +#: evibes/settings/constance.py:47 msgid "An entity for storing analytics data" msgstr "An entity for storing analytics data" -#: evibes/settings/constance.py:50 +#: evibes/settings/constance.py:49 msgid "Save responses from vendors' APIs" msgstr "Save responses from vendors' APIs" -#: evibes/settings/constance.py:56 +#: evibes/settings/constance.py:55 msgid "General Options" msgstr "General Options" -#: evibes/settings/constance.py:63 +#: evibes/settings/constance.py:62 msgid "Email Options" msgstr "Email Options" -#: evibes/settings/constance.py:73 +#: evibes/settings/constance.py:72 msgid "Features Options" msgstr "Features Options" -#: evibes/settings/constance.py:83 +#: evibes/settings/constance.py:81 msgid "SEO Options" msgstr "SEO Options" -#: evibes/settings/constance.py:87 +#: evibes/settings/constance.py:85 msgid "Debugging Options" msgstr "Debugging Options" @@ -278,3 +274,4 @@ msgstr "Taskboard" #: evibes/settings/jazzmin.py:34 msgid "Support" msgstr "Support" + diff --git a/evibes/locale/es_ES/LC_MESSAGES/django.mo b/evibes/locale/es_ES/LC_MESSAGES/django.mo index f2638f97c13d41c197ab7e4363e8d0e207ae7c46..0908dfb6e1507aaa8bd38f9a2170eee895220129 100644 GIT binary patch delta 594 zcmXZZKS)AR6vy%7%Z&b5FDo<6GBI$FYG{baKq$hNpdnf;q9##_7Nx}@ELv&^rwAI_ z9c*u|(boP6E`{2FLIm5m8_s;!Hou^9gK6gcUqP*k0375z$E?IndelXi3 z;@}Ydfmg)FBKq+H<9LTLe8NF&;TTH42&DvZ1mmddmvKO(BpVd$FT3c*EY9O0F5o@t zf;ZFvEu+P1O7Y_)PGbmHu^0ES8}q0E3Z^fc{tBl!Uv4Qhz$13yGwQ;+>0gaa%rKpA z{Nsdmep7?3h1J1j$C6u|M*de*B|?|5A*f_M#;)L@WEM1o02kxNUilm?d|k;Wi3un>cgh|wU# zYqQzS3?fW|%_!o3^e%34`#YyM=ljlgzGUxnZ{o?Hz9&2Z-YVXpOQZt_-Td%mr-@AG zhiJ~rVwHsAvm;ty7!uRw%QTCfB|sP)6>6-me#0qaW~({UApn7|NT zp%#3iHt^%_a!l?!5NrjmgE?3EPU# jnlZ~>xqSB?`dY%a6|+{&c_U{2eNKIim=PoLzgT_&*tA#H diff --git a/evibes/locale/es_ES/LC_MESSAGES/django.po b/evibes/locale/es_ES/LC_MESSAGES/django.po index 0fff2418..7891a4fb 100644 --- a/evibes/locale/es_ES/LC_MESSAGES/django.po +++ b/evibes/locale/es_ES/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: LANGUAGE \n" @@ -66,66 +66,62 @@ msgid "Mail from option" msgstr "Dirección del remitente del correo electrónico" #: evibes/settings/constance.py:38 -msgid "Use Telegram-bot functionality" -msgstr "Utilizar la funcionalidad de Telegram-bot" - -#: evibes/settings/constance.py:39 msgid "How many days we store messages from anonymous users" msgstr "Cuántos días almacenamos los mensajes de usuarios anónimos" -#: evibes/settings/constance.py:40 +#: evibes/settings/constance.py:39 msgid "How many days we store messages from authenticated users" msgstr "Cuántos días almacenamos los mensajes de los usuarios autenticados" -#: evibes/settings/constance.py:41 +#: evibes/settings/constance.py:40 msgid "Disable buy functionality" msgstr "Desactivar la función de compra" -#: evibes/settings/constance.py:42 +#: evibes/settings/constance.py:41 msgid "OpenStreetMap Nominatim API URL" msgstr "URL de la API Nominatim de OpenStreetMap" -#: evibes/settings/constance.py:43 +#: evibes/settings/constance.py:42 msgid "OpenAI API Key" msgstr "Clave API de OpenAI" -#: evibes/settings/constance.py:44 +#: evibes/settings/constance.py:43 msgid "Abstract API Key" msgstr "Clave API abstracta" -#: evibes/settings/constance.py:45 +#: evibes/settings/constance.py:44 msgid "HTTP Proxy" msgstr "Proxy HTTP" -#: evibes/settings/constance.py:47 +#: evibes/settings/constance.py:46 msgid "An entity for storing advertisiment data" msgstr "Una entidad para almacenar datos publicitarios" -#: evibes/settings/constance.py:48 +#: evibes/settings/constance.py:47 msgid "An entity for storing analytics data" msgstr "Una entidad para almacenar datos analíticos" -#: evibes/settings/constance.py:50 +#: evibes/settings/constance.py:49 msgid "Save responses from vendors' APIs" msgstr "Guardar las respuestas de las API de los proveedores" -#: evibes/settings/constance.py:56 +#: evibes/settings/constance.py:55 msgid "General Options" msgstr "Opciones generales" -#: evibes/settings/constance.py:63 +#: evibes/settings/constance.py:62 msgid "Email Options" msgstr "Opciones de correo electrónico" -#: evibes/settings/constance.py:73 +#: evibes/settings/constance.py:72 msgid "Features Options" msgstr "Características Opciones" -#: evibes/settings/constance.py:83 +#: evibes/settings/constance.py:81 msgid "SEO Options" msgstr "Opciones SEO" -#: evibes/settings/constance.py:87 +#: evibes/settings/constance.py:85 msgid "Debugging Options" msgstr "Opciones de depuración" @@ -282,3 +278,4 @@ msgstr "Taskboard" #: evibes/settings/jazzmin.py:34 msgid "Support" msgstr "Ayuda" + diff --git a/evibes/locale/fa_IR/LC_MESSAGES/django.po b/evibes/locale/fa_IR/LC_MESSAGES/django.po index 515fb327..5f9463b5 100644 --- a/evibes/locale/fa_IR/LC_MESSAGES/django.po +++ b/evibes/locale/fa_IR/LC_MESSAGES/django.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -69,66 +69,62 @@ msgid "Mail from option" msgstr "" #: evibes/settings/constance.py:38 -msgid "Use Telegram-bot functionality" -msgstr "" - -#: evibes/settings/constance.py:39 msgid "How many days we store messages from anonymous users" msgstr "" -#: evibes/settings/constance.py:40 +#: evibes/settings/constance.py:39 msgid "How many days we store messages from authenticated users" msgstr "" -#: evibes/settings/constance.py:41 +#: evibes/settings/constance.py:40 msgid "Disable buy functionality" msgstr "" -#: evibes/settings/constance.py:42 +#: evibes/settings/constance.py:41 msgid "OpenStreetMap Nominatim API URL" msgstr "" -#: evibes/settings/constance.py:43 +#: evibes/settings/constance.py:42 msgid "OpenAI API Key" msgstr "" -#: evibes/settings/constance.py:44 +#: evibes/settings/constance.py:43 msgid "Abstract API Key" msgstr "" -#: evibes/settings/constance.py:45 +#: evibes/settings/constance.py:44 msgid "HTTP Proxy" msgstr "" -#: evibes/settings/constance.py:47 +#: evibes/settings/constance.py:46 msgid "An entity for storing advertisiment data" msgstr "" -#: evibes/settings/constance.py:48 +#: evibes/settings/constance.py:47 msgid "An entity for storing analytics data" msgstr "" -#: evibes/settings/constance.py:50 +#: evibes/settings/constance.py:49 msgid "Save responses from vendors' APIs" msgstr "" -#: evibes/settings/constance.py:56 +#: evibes/settings/constance.py:55 msgid "General Options" msgstr "" -#: evibes/settings/constance.py:63 +#: evibes/settings/constance.py:62 msgid "Email Options" msgstr "" -#: evibes/settings/constance.py:73 +#: evibes/settings/constance.py:72 msgid "Features Options" msgstr "" -#: evibes/settings/constance.py:83 +#: evibes/settings/constance.py:81 msgid "SEO Options" msgstr "" -#: evibes/settings/constance.py:87 +#: evibes/settings/constance.py:85 msgid "Debugging Options" msgstr "" diff --git a/evibes/locale/fr_FR/LC_MESSAGES/django.mo b/evibes/locale/fr_FR/LC_MESSAGES/django.mo index 1543c8d1ef2247c2b37c2350ea9f4346923ab3aa..0515094bbff620ed6b6f44892525c71d680e8cd1 100644 GIT binary patch delta 594 zcmXZZy-Px26vy$OHz9h_)XMOs)TnR>q8GxUTBIQfT9P1=2x<|dh9Ea5ho**Ta3~rY zgNFMD)LLU>Wm7bTYYGj058Vs*e$IjWJkL4jY3A$s+DF8HDV}lOB=59On!zQ94^JD* zy;27U$@c?N2&)*yGtA-*PT&)Uv4t^IP$E#2;d|eS(0T0-X&u9x@y!_qs6H83z z8}It10&QAHKci9v17p$%rg0u~IExh=!fTvD7c=;ZDbCj~fsHCj8`j|>T0sT0f{Iwg z5^kf5Hlbkp|NlH%hg)b9IY7IL6SM;x7{^Dnec#Zo=nI#v(>8(Kr9)YB7(+XF-E$MI aupKWyMh2kj#hP>PliP8+0&XJI2>$^)emUO& delta 683 zcmY+?%PT~26u|LgMls_(UU|fwXuOifqeii^QC=IfQPR+*(J-007DJkaXR%`zSXfv{ z5ygLCVE7`4M_qU(N}%fP2isN7RXF zJAbqN#2SA8!f|$~imJ|XMG~~Do%tB_U=Nn#2zKBM`tcA;@D6>LMlb7&i}JOD79P4~ z1E`&vsD&j^3tPh=?%)`vQFp4>`1^khwbKpMo!LV@l4H~bZ?O_TP~YqJiVW#ll@e&j z4X9`8$9C*TU3l4c6}7N!J3m4;Ku%Dfn>C=#|3SFZ&JMNL5~90|wGm=OsX)6u`--|?H%e{\n" "Language-Team: LANGUAGE \n" @@ -66,70 +66,66 @@ msgid "Mail from option" msgstr "L'adresse de l'expéditeur du courrier électronique" #: evibes/settings/constance.py:38 -msgid "Use Telegram-bot functionality" -msgstr "Utiliser la fonctionnalité Telegram-bot" - -#: evibes/settings/constance.py:39 msgid "How many days we store messages from anonymous users" msgstr "" "Pendant combien de jours les messages des utilisateurs anonymes sont-ils " "conservés ?" -#: evibes/settings/constance.py:40 +#: evibes/settings/constance.py:39 msgid "How many days we store messages from authenticated users" msgstr "" "Pendant combien de jours les messages des utilisateurs authentifiés sont-ils " "conservés ?" -#: evibes/settings/constance.py:41 +#: evibes/settings/constance.py:40 msgid "Disable buy functionality" msgstr "Désactiver la fonctionnalité d'achat" -#: evibes/settings/constance.py:42 +#: evibes/settings/constance.py:41 msgid "OpenStreetMap Nominatim API URL" msgstr "URL de l'API OpenStreetMap Nominatim" -#: evibes/settings/constance.py:43 +#: evibes/settings/constance.py:42 msgid "OpenAI API Key" msgstr "OpenAI API Key" -#: evibes/settings/constance.py:44 +#: evibes/settings/constance.py:43 msgid "Abstract API Key" msgstr "Clé API abstraite" -#: evibes/settings/constance.py:45 +#: evibes/settings/constance.py:44 msgid "HTTP Proxy" msgstr "HTTP Proxy" -#: evibes/settings/constance.py:47 +#: evibes/settings/constance.py:46 msgid "An entity for storing advertisiment data" msgstr "Une entité pour stocker des données publicitaires" -#: evibes/settings/constance.py:48 +#: evibes/settings/constance.py:47 msgid "An entity for storing analytics data" msgstr "Une entité pour stocker des données analytiques" -#: evibes/settings/constance.py:50 +#: evibes/settings/constance.py:49 msgid "Save responses from vendors' APIs" msgstr "Sauvegarder les réponses des API des fournisseurs" -#: evibes/settings/constance.py:56 +#: evibes/settings/constance.py:55 msgid "General Options" msgstr "Options générales" -#: evibes/settings/constance.py:63 +#: evibes/settings/constance.py:62 msgid "Email Options" msgstr "Options de courrier électronique" -#: evibes/settings/constance.py:73 +#: evibes/settings/constance.py:72 msgid "Features Options" msgstr "Caractéristiques Options" -#: evibes/settings/constance.py:83 +#: evibes/settings/constance.py:81 msgid "SEO Options" msgstr "Options de référencement" -#: evibes/settings/constance.py:87 +#: evibes/settings/constance.py:85 msgid "Debugging Options" msgstr "Options de débogage" @@ -286,3 +282,4 @@ msgstr "Tableau des tâches" #: evibes/settings/jazzmin.py:34 msgid "Support" msgstr "Soutien" + diff --git a/evibes/locale/he_IL/LC_MESSAGES/django.mo b/evibes/locale/he_IL/LC_MESSAGES/django.mo index 460614b2a04d551e82f8f0af9d8550445bbce766..45557c2f7cffd104c6e3f65e09278051df58b560 100644 GIT binary patch delta 594 zcmXZazb^w}7{KwT=i+Bd9ZFkDrIjWc9T*H%QzZ;4!6Ffnm@dW0RtAGf5R*s@Vz3zc z2Vf*7gT;^OM(Jd5Veox&@0+~$d7k8b?wgf-0WXXip9c`R5wSU>2t ziul+?z7ZCQ;4Vh-5VLrRX?(;^tYZwNU4&5L*n?Tr`XY9SRHaP7`(+Jnba4W=aT2dk z3qDXAs2eS+2_=eyn85^=unpI-1vgO}*fIHm$&WC__vL~>8@R(Jd_paJG5NdE!&Rp9 zh5Nj5j%)UE?l~Fgq2BNhN711xwTL6=;us!d9Pcq*C3qtkKp6^5qK>eDjW~}>xQq*U zgX8#%^dk9GFqvuWBVR=QPz5u1j@|fxI*C`*IuEBb_%;V@eu5l%44ZKVbuwkt(XXI3 Wwq@KqowaU5QuD2ba4iwJcK!i?RXZmD delta 677 zcmY+=yDvj=6u|ML-lX*5{c5X-cn&HU4H5%lU__9TdbB|eBs4^VkurFXQi+i82e4X< zHw*@wAPg2E;(O#SZt}aIbMC$8{?6}gwtcom9vlhV!sTTZv3zkN_1IzI#+4E;GL|Ni zica#dRm6sCn1ef5iRV~`cWB2S%tu>>2%%JAHa4TycVVVTLzl1OW=h24|Y{pB} zf>+cAeoP%y6G{cTun`Nf7t?VHQ*i;cfmJi#HuEF&u)mxVXal#HjQ6O8k7oX2`hg`p z|HeM1R7h7#{CSS!=JNcDm#UL)^rY2Tjjg7WSV6vnb$EpZ5rQ`Y9bKARq!{Z>J5fhD zj!C$HJ-CA1c!v#G<@p<>^rKEFhfmPnLLVN$-r`-Q%C|k4_Ix)((Zj?vdHxa5xYO k4o(EZa~IE<#}2EpWyFjV\n" "Language-Team: LANGUAGE \n" @@ -66,66 +66,62 @@ msgid "Mail from option" msgstr "כתובת השולח של הודעות הדוא\"ל" #: evibes/settings/constance.py:38 -msgid "Use Telegram-bot functionality" -msgstr "השתמש בפונקציונליות של Telegram-bot" - -#: evibes/settings/constance.py:39 msgid "How many days we store messages from anonymous users" msgstr "כמה ימים אנו שומרים הודעות ממשתמשים אנונימיים" -#: evibes/settings/constance.py:40 +#: evibes/settings/constance.py:39 msgid "How many days we store messages from authenticated users" msgstr "כמה ימים אנו שומרים הודעות ממשתמשים מאומתים" -#: evibes/settings/constance.py:41 +#: evibes/settings/constance.py:40 msgid "Disable buy functionality" msgstr "השבת פונקציונליות הרכישה" -#: evibes/settings/constance.py:42 +#: evibes/settings/constance.py:41 msgid "OpenStreetMap Nominatim API URL" msgstr "כתובת ה-API של OpenStreetMap Nominatim" -#: evibes/settings/constance.py:43 +#: evibes/settings/constance.py:42 msgid "OpenAI API Key" msgstr "מפתח API של OpenAI" -#: evibes/settings/constance.py:44 +#: evibes/settings/constance.py:43 msgid "Abstract API Key" msgstr "מפתח API מופשט" -#: evibes/settings/constance.py:45 +#: evibes/settings/constance.py:44 msgid "HTTP Proxy" msgstr "פרוקסי HTTP" -#: evibes/settings/constance.py:47 +#: evibes/settings/constance.py:46 msgid "An entity for storing advertisiment data" msgstr "ישות לאחסון נתוני פרסום" -#: evibes/settings/constance.py:48 +#: evibes/settings/constance.py:47 msgid "An entity for storing analytics data" msgstr "ישות לאחסון נתוני ניתוח" -#: evibes/settings/constance.py:50 +#: evibes/settings/constance.py:49 msgid "Save responses from vendors' APIs" msgstr "שמור תגובות מ-API של ספקים" -#: evibes/settings/constance.py:56 +#: evibes/settings/constance.py:55 msgid "General Options" msgstr "אפשרויות כלליות" -#: evibes/settings/constance.py:63 +#: evibes/settings/constance.py:62 msgid "Email Options" msgstr "אפשרויות דוא\"ל" -#: evibes/settings/constance.py:73 +#: evibes/settings/constance.py:72 msgid "Features Options" msgstr "אפשרויות תכונות" -#: evibes/settings/constance.py:83 +#: evibes/settings/constance.py:81 msgid "SEO Options" msgstr "אפשרויות SEO" -#: evibes/settings/constance.py:87 +#: evibes/settings/constance.py:85 msgid "Debugging Options" msgstr "אפשרויות ניפוי באגים" @@ -250,3 +246,4 @@ msgstr "לוח משימות" #: evibes/settings/jazzmin.py:34 msgid "Support" msgstr "תמיכה" + diff --git a/evibes/locale/hi_IN/LC_MESSAGES/django.po b/evibes/locale/hi_IN/LC_MESSAGES/django.po index 71a48e20..b4b84dde 100644 --- a/evibes/locale/hi_IN/LC_MESSAGES/django.po +++ b/evibes/locale/hi_IN/LC_MESSAGES/django.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: LANGUAGE \n" @@ -69,66 +69,62 @@ msgid "Mail from option" msgstr "" #: evibes/settings/constance.py:38 -msgid "Use Telegram-bot functionality" -msgstr "" - -#: evibes/settings/constance.py:39 msgid "How many days we store messages from anonymous users" msgstr "" -#: evibes/settings/constance.py:40 +#: evibes/settings/constance.py:39 msgid "How many days we store messages from authenticated users" msgstr "" -#: evibes/settings/constance.py:41 +#: evibes/settings/constance.py:40 msgid "Disable buy functionality" msgstr "" -#: evibes/settings/constance.py:42 +#: evibes/settings/constance.py:41 msgid "OpenStreetMap Nominatim API URL" msgstr "" -#: evibes/settings/constance.py:43 +#: evibes/settings/constance.py:42 msgid "OpenAI API Key" msgstr "" -#: evibes/settings/constance.py:44 +#: evibes/settings/constance.py:43 msgid "Abstract API Key" msgstr "" -#: evibes/settings/constance.py:45 +#: evibes/settings/constance.py:44 msgid "HTTP Proxy" msgstr "" -#: evibes/settings/constance.py:47 +#: evibes/settings/constance.py:46 msgid "An entity for storing advertisiment data" msgstr "" -#: evibes/settings/constance.py:48 +#: evibes/settings/constance.py:47 msgid "An entity for storing analytics data" msgstr "" -#: evibes/settings/constance.py:50 +#: evibes/settings/constance.py:49 msgid "Save responses from vendors' APIs" msgstr "" -#: evibes/settings/constance.py:56 +#: evibes/settings/constance.py:55 msgid "General Options" msgstr "" -#: evibes/settings/constance.py:63 +#: evibes/settings/constance.py:62 msgid "Email Options" msgstr "" -#: evibes/settings/constance.py:73 +#: evibes/settings/constance.py:72 msgid "Features Options" msgstr "" -#: evibes/settings/constance.py:83 +#: evibes/settings/constance.py:81 msgid "SEO Options" msgstr "" -#: evibes/settings/constance.py:87 +#: evibes/settings/constance.py:85 msgid "Debugging Options" msgstr "" diff --git a/evibes/locale/hr_HR/LC_MESSAGES/django.po b/evibes/locale/hr_HR/LC_MESSAGES/django.po index 515fb327..5f9463b5 100644 --- a/evibes/locale/hr_HR/LC_MESSAGES/django.po +++ b/evibes/locale/hr_HR/LC_MESSAGES/django.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -69,66 +69,62 @@ msgid "Mail from option" msgstr "" #: evibes/settings/constance.py:38 -msgid "Use Telegram-bot functionality" -msgstr "" - -#: evibes/settings/constance.py:39 msgid "How many days we store messages from anonymous users" msgstr "" -#: evibes/settings/constance.py:40 +#: evibes/settings/constance.py:39 msgid "How many days we store messages from authenticated users" msgstr "" -#: evibes/settings/constance.py:41 +#: evibes/settings/constance.py:40 msgid "Disable buy functionality" msgstr "" -#: evibes/settings/constance.py:42 +#: evibes/settings/constance.py:41 msgid "OpenStreetMap Nominatim API URL" msgstr "" -#: evibes/settings/constance.py:43 +#: evibes/settings/constance.py:42 msgid "OpenAI API Key" msgstr "" -#: evibes/settings/constance.py:44 +#: evibes/settings/constance.py:43 msgid "Abstract API Key" msgstr "" -#: evibes/settings/constance.py:45 +#: evibes/settings/constance.py:44 msgid "HTTP Proxy" msgstr "" -#: evibes/settings/constance.py:47 +#: evibes/settings/constance.py:46 msgid "An entity for storing advertisiment data" msgstr "" -#: evibes/settings/constance.py:48 +#: evibes/settings/constance.py:47 msgid "An entity for storing analytics data" msgstr "" -#: evibes/settings/constance.py:50 +#: evibes/settings/constance.py:49 msgid "Save responses from vendors' APIs" msgstr "" -#: evibes/settings/constance.py:56 +#: evibes/settings/constance.py:55 msgid "General Options" msgstr "" -#: evibes/settings/constance.py:63 +#: evibes/settings/constance.py:62 msgid "Email Options" msgstr "" -#: evibes/settings/constance.py:73 +#: evibes/settings/constance.py:72 msgid "Features Options" msgstr "" -#: evibes/settings/constance.py:83 +#: evibes/settings/constance.py:81 msgid "SEO Options" msgstr "" -#: evibes/settings/constance.py:87 +#: evibes/settings/constance.py:85 msgid "Debugging Options" msgstr "" diff --git a/evibes/locale/id_ID/LC_MESSAGES/django.mo b/evibes/locale/id_ID/LC_MESSAGES/django.mo index b3da309b73dfe64b0cde0579f07f24c5195bcdfd..bc3667afcfb594cc181fb8ef6f8b82cd041c4b95 100644 GIT binary patch delta 595 zcmXZYKPZH89LMqRJ+AyYch1QZj?>}lhAReQ;Heu7uB4PKBxSl>Hf%Q;E`ubaGFVxT z!NTmyVlW5;7NuL1+{F7+zh6Di>-+ole4p?4_q`6@X3DRL@UgLmc=~yAA+u4O_IR;= zvDjwTz%KS1QL{MiqK_5K;wg^c9d=?Jd(mQMgw}`Mm__9W*kM+-1p@wWYZ%5Nj^h?i z;TbC71=T>^>5)xnJ`Q3AlQ@eJT*p={p&Hn6`#rZmz%=#kgg_14Vl&oIi4Si7?EJu0 zrt^jER48yw-DsJy>Bc2z88yvA%-|)e(I-sfC#qg#fPCtkPoRSws_-Q0266VXUAEpQ945Pz7$B WHRogMsNh|MtlIFJqSa*lC-x7$k~&-f delta 683 zcmY+?&nrYx6u|Lg5HpM)BO3Yrds5iU)TEGw9kVhkX?ip>`Sk`fQ-~%dl%-}N%F5ED zSYYKpuqIhxBkYuv$32Ul^v z$gE4miB-fYw@3xNjpR$~w~KZNBX8Hq4peMw*euAv_@ z7{m+Igb&mPevKZo8A>NMVF2qej3u~)PTW9kV8_H+6CYy>_2ra-HgJnYc#oR+Wa4+@ zCpI$wgOi+69bJ`DX_f8j&bB!|-T9F*hpogn*n!We4LcjOu!t93)R%q+y1;uF;W z;S#m*18U+6YJm^qx3Q2aUCdWD?e{x!d2Q#fj(m4xI2mmokIqNq%hp2AR3g\n" "Language-Team: LANGUAGE \n" @@ -66,66 +66,62 @@ msgid "Mail from option" msgstr "Alamat pengirim email" #: evibes/settings/constance.py:38 -msgid "Use Telegram-bot functionality" -msgstr "Menggunakan fungsionalitas Telegram-bot" - -#: evibes/settings/constance.py:39 msgid "How many days we store messages from anonymous users" msgstr "Berapa hari kami menyimpan pesan dari pengguna anonim" -#: evibes/settings/constance.py:40 +#: evibes/settings/constance.py:39 msgid "How many days we store messages from authenticated users" msgstr "Berapa hari kami menyimpan pesan dari pengguna yang diautentikasi" -#: evibes/settings/constance.py:41 +#: evibes/settings/constance.py:40 msgid "Disable buy functionality" msgstr "Menonaktifkan fungsionalitas beli" -#: evibes/settings/constance.py:42 +#: evibes/settings/constance.py:41 msgid "OpenStreetMap Nominatim API URL" msgstr "URL API OpenStreetMap Nominatim" -#: evibes/settings/constance.py:43 +#: evibes/settings/constance.py:42 msgid "OpenAI API Key" msgstr "Kunci API OpenAI" -#: evibes/settings/constance.py:44 +#: evibes/settings/constance.py:43 msgid "Abstract API Key" msgstr "Kunci API Abstrak" -#: evibes/settings/constance.py:45 +#: evibes/settings/constance.py:44 msgid "HTTP Proxy" msgstr "Proksi HTTP" -#: evibes/settings/constance.py:47 +#: evibes/settings/constance.py:46 msgid "An entity for storing advertisiment data" msgstr "Entitas untuk menyimpan data iklan" -#: evibes/settings/constance.py:48 +#: evibes/settings/constance.py:47 msgid "An entity for storing analytics data" msgstr "Entitas untuk menyimpan data analitik" -#: evibes/settings/constance.py:50 +#: evibes/settings/constance.py:49 msgid "Save responses from vendors' APIs" msgstr "Menyimpan tanggapan dari API vendor" -#: evibes/settings/constance.py:56 +#: evibes/settings/constance.py:55 msgid "General Options" msgstr "Opsi Umum" -#: evibes/settings/constance.py:63 +#: evibes/settings/constance.py:62 msgid "Email Options" msgstr "Opsi Email" -#: evibes/settings/constance.py:73 +#: evibes/settings/constance.py:72 msgid "Features Options" msgstr "Opsi Fitur" -#: evibes/settings/constance.py:83 +#: evibes/settings/constance.py:81 msgid "SEO Options" msgstr "Opsi SEO" -#: evibes/settings/constance.py:87 +#: evibes/settings/constance.py:85 msgid "Debugging Options" msgstr "Opsi Debugging" @@ -281,3 +277,4 @@ msgstr "Papan tugas" #: evibes/settings/jazzmin.py:34 msgid "Support" msgstr "Dukungan" + diff --git a/evibes/locale/it_IT/LC_MESSAGES/django.mo b/evibes/locale/it_IT/LC_MESSAGES/django.mo index cdfa38dd77949ea0f91167da75c344d24150ac76..d81b127c2446067c54ca7d32fa3d3c5ed4247a53 100644 GIT binary patch delta 594 zcmXZYPbhe$J8D{L0QeT?BTX7B=s@e$jxhCOJlW|Y>8U6?`bpTRb>vaL|?|F(faEMgW*IE9y} z4OP?tHK)gJN{eAXrZJ8S*n*oF!X4BAdv1N?)+abXf2&YvfIDo&C)CClw|;Ye;5zAi z<0l=KIi?00Py9QNN~D03Si%XsLLJ~0mDCq%@MzL3Nq-xn=*BtJ57$rwZKD#|#T*`B z9&b@m|Dpy+aePIdbuOa5FCZT~A`voqOPArk4R3U1ne&7^vGRHWICm6zK)ROmbeNA8rwe)e@4b=a61S-?sPof1BaZVDf8oX9tnx+H6UIy;nOI84R{G~tma(|8 p8n?{UYAk75nZm1Q*4r1c%%qvk#?lER8Pf?_`~TIEv0(mNF2A~VS\n" "Language-Team: LANGUAGE \n" @@ -66,66 +66,62 @@ msgid "Mail from option" msgstr "L'indirizzo del mittente dell'e-mail" #: evibes/settings/constance.py:38 -msgid "Use Telegram-bot functionality" -msgstr "Utilizzare la funzionalità di Telegram-bot" - -#: evibes/settings/constance.py:39 msgid "How many days we store messages from anonymous users" msgstr "Per quanti giorni conserviamo i messaggi degli utenti anonimi" -#: evibes/settings/constance.py:40 +#: evibes/settings/constance.py:39 msgid "How many days we store messages from authenticated users" msgstr "Per quanti giorni conserviamo i messaggi degli utenti autenticati" -#: evibes/settings/constance.py:41 +#: evibes/settings/constance.py:40 msgid "Disable buy functionality" msgstr "Disattivare la funzionalità di acquisto" -#: evibes/settings/constance.py:42 +#: evibes/settings/constance.py:41 msgid "OpenStreetMap Nominatim API URL" msgstr "URL dell'API OpenStreetMap Nominatim" -#: evibes/settings/constance.py:43 +#: evibes/settings/constance.py:42 msgid "OpenAI API Key" msgstr "Chiave API OpenAI" -#: evibes/settings/constance.py:44 +#: evibes/settings/constance.py:43 msgid "Abstract API Key" msgstr "Chiave API astratta" -#: evibes/settings/constance.py:45 +#: evibes/settings/constance.py:44 msgid "HTTP Proxy" msgstr "Proxy HTTP" -#: evibes/settings/constance.py:47 +#: evibes/settings/constance.py:46 msgid "An entity for storing advertisiment data" msgstr "Un'entità per la memorizzazione dei dati pubblicitari" -#: evibes/settings/constance.py:48 +#: evibes/settings/constance.py:47 msgid "An entity for storing analytics data" msgstr "Un'entità per la memorizzazione dei dati analitici" -#: evibes/settings/constance.py:50 +#: evibes/settings/constance.py:49 msgid "Save responses from vendors' APIs" msgstr "Salvare le risposte dalle API dei fornitori" -#: evibes/settings/constance.py:56 +#: evibes/settings/constance.py:55 msgid "General Options" msgstr "Opzioni generali" -#: evibes/settings/constance.py:63 +#: evibes/settings/constance.py:62 msgid "Email Options" msgstr "Opzioni e-mail" -#: evibes/settings/constance.py:73 +#: evibes/settings/constance.py:72 msgid "Features Options" msgstr "Caratteristiche Opzioni" -#: evibes/settings/constance.py:83 +#: evibes/settings/constance.py:81 msgid "SEO Options" msgstr "Opzioni SEO" -#: evibes/settings/constance.py:87 +#: evibes/settings/constance.py:85 msgid "Debugging Options" msgstr "Opzioni di debug" @@ -282,3 +278,4 @@ msgstr "Lavagna" #: evibes/settings/jazzmin.py:34 msgid "Support" msgstr "Supporto" + diff --git a/evibes/locale/ja_JP/LC_MESSAGES/django.mo b/evibes/locale/ja_JP/LC_MESSAGES/django.mo index 2d45eb2500f0404a307118041ad38e49b20a0445..275260084d0912b72abaf36d4764b9e4c7eff298 100644 GIT binary patch delta 594 zcmXZYy)Q#y6vy#jZ<~mh(pEI6;7TPOBn%|P%hHe_DTBcxB54d)#3E_8G8n`lB4Q9> zu!=AkCXG=y-@|irZ$IZez31HXJfGRUZ0R)-ITBY7PX|w5Nb1Kij~}id z4C6W1fQr+jnovpX!d^__B-Y~!*5W$a00o!txO^XdzOPdP8{h_O@E)!3(dEz14_xAO zzA#M38MbLV%60zjM0so=-^2mjc3va5-kl!P+R6CX%J(%&V2u`>0osnY&;~ic5j?>h zKB154?*IR%(CX*W>Q<3gR6tul#sprXoy0BLNj~7XExfsfZ?wrHbhpAGv>nZ&HCS}{ Vn#+ra)817`<*FBsmQ%5__%Bc-IZglo delta 685 zcmXZYK}Z`x6oBDp60o+_n3PH-l0+<}M8t{;=A5gFpdO{fnu@_DsPUj6iw>yJTP25- zLIOgIU^Sp8LG;u^FFm)2U`NGbOD{dPq5p$fcK3U4X5Z|ad7ZjSdFSCkQMfvI+Iafv zM7nX%$BXNZUnF~1qyZn07aB#HaT8mxgio=GkMS#pu!gPJ+$2IM34DkHsP)4b6!GLa z0qaX11GtQR=-~h!q89u@ZJ_21Q%xvOFoyjY!EwBYbJ&0@s10nmyy)^Ww)21aNT3aT z!Fv3LTKL`NKb?Ot%J^TL;FKbCyeKyC@st=faF{9i^0 z9$^-BA>%Be?tCA$p;JuaXB@^rTz4QciaNiDTJNFO6_HQnJ?i);4C5K+%nnVEkw+>D#aCIQZf7H%7-7GV!s@Y-V~s{ie4%)Kbg\n" "Language-Team: LANGUAGE \n" @@ -66,66 +66,62 @@ msgid "Mail from option" msgstr "メール送信者のアドレス" #: evibes/settings/constance.py:38 -msgid "Use Telegram-bot functionality" -msgstr "テレグラムボットの機能を使う" - -#: evibes/settings/constance.py:39 msgid "How many days we store messages from anonymous users" msgstr "匿名ユーザーからのメッセージの保存日数" -#: evibes/settings/constance.py:40 +#: evibes/settings/constance.py:39 msgid "How many days we store messages from authenticated users" msgstr "認証されたユーザーからのメッセージを何日間保存するか" -#: evibes/settings/constance.py:41 +#: evibes/settings/constance.py:40 msgid "Disable buy functionality" msgstr "購入機能を無効にする" -#: evibes/settings/constance.py:42 +#: evibes/settings/constance.py:41 msgid "OpenStreetMap Nominatim API URL" msgstr "OpenStreetMap Nominatim API URL" -#: evibes/settings/constance.py:43 +#: evibes/settings/constance.py:42 msgid "OpenAI API Key" msgstr "OpenAI APIキー" -#: evibes/settings/constance.py:44 +#: evibes/settings/constance.py:43 msgid "Abstract API Key" msgstr "抽象APIキー" -#: evibes/settings/constance.py:45 +#: evibes/settings/constance.py:44 msgid "HTTP Proxy" msgstr "HTTPプロキシ" -#: evibes/settings/constance.py:47 +#: evibes/settings/constance.py:46 msgid "An entity for storing advertisiment data" msgstr "広告データを保存するエンティティ" -#: evibes/settings/constance.py:48 +#: evibes/settings/constance.py:47 msgid "An entity for storing analytics data" msgstr "分析データを保存するエンティティ" -#: evibes/settings/constance.py:50 +#: evibes/settings/constance.py:49 msgid "Save responses from vendors' APIs" msgstr "ベンダーのAPIからの応答を保存する" -#: evibes/settings/constance.py:56 +#: evibes/settings/constance.py:55 msgid "General Options" msgstr "一般オプション" -#: evibes/settings/constance.py:63 +#: evibes/settings/constance.py:62 msgid "Email Options" msgstr "Eメールオプション" -#: evibes/settings/constance.py:73 +#: evibes/settings/constance.py:72 msgid "Features Options" msgstr "機能オプション" -#: evibes/settings/constance.py:83 +#: evibes/settings/constance.py:81 msgid "SEO Options" msgstr "SEOオプション" -#: evibes/settings/constance.py:87 +#: evibes/settings/constance.py:85 msgid "Debugging Options" msgstr "デバッグ・オプション" @@ -274,3 +270,4 @@ msgstr "タスクボード" #: evibes/settings/jazzmin.py:34 msgid "Support" msgstr "サポート" + diff --git a/evibes/locale/kk_KZ/LC_MESSAGES/django.po b/evibes/locale/kk_KZ/LC_MESSAGES/django.po index 71a48e20..b4b84dde 100644 --- a/evibes/locale/kk_KZ/LC_MESSAGES/django.po +++ b/evibes/locale/kk_KZ/LC_MESSAGES/django.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: LANGUAGE \n" @@ -69,66 +69,62 @@ msgid "Mail from option" msgstr "" #: evibes/settings/constance.py:38 -msgid "Use Telegram-bot functionality" -msgstr "" - -#: evibes/settings/constance.py:39 msgid "How many days we store messages from anonymous users" msgstr "" -#: evibes/settings/constance.py:40 +#: evibes/settings/constance.py:39 msgid "How many days we store messages from authenticated users" msgstr "" -#: evibes/settings/constance.py:41 +#: evibes/settings/constance.py:40 msgid "Disable buy functionality" msgstr "" -#: evibes/settings/constance.py:42 +#: evibes/settings/constance.py:41 msgid "OpenStreetMap Nominatim API URL" msgstr "" -#: evibes/settings/constance.py:43 +#: evibes/settings/constance.py:42 msgid "OpenAI API Key" msgstr "" -#: evibes/settings/constance.py:44 +#: evibes/settings/constance.py:43 msgid "Abstract API Key" msgstr "" -#: evibes/settings/constance.py:45 +#: evibes/settings/constance.py:44 msgid "HTTP Proxy" msgstr "" -#: evibes/settings/constance.py:47 +#: evibes/settings/constance.py:46 msgid "An entity for storing advertisiment data" msgstr "" -#: evibes/settings/constance.py:48 +#: evibes/settings/constance.py:47 msgid "An entity for storing analytics data" msgstr "" -#: evibes/settings/constance.py:50 +#: evibes/settings/constance.py:49 msgid "Save responses from vendors' APIs" msgstr "" -#: evibes/settings/constance.py:56 +#: evibes/settings/constance.py:55 msgid "General Options" msgstr "" -#: evibes/settings/constance.py:63 +#: evibes/settings/constance.py:62 msgid "Email Options" msgstr "" -#: evibes/settings/constance.py:73 +#: evibes/settings/constance.py:72 msgid "Features Options" msgstr "" -#: evibes/settings/constance.py:83 +#: evibes/settings/constance.py:81 msgid "SEO Options" msgstr "" -#: evibes/settings/constance.py:87 +#: evibes/settings/constance.py:85 msgid "Debugging Options" msgstr "" diff --git a/evibes/locale/ko_KR/LC_MESSAGES/django.mo b/evibes/locale/ko_KR/LC_MESSAGES/django.mo index 7c1afe362e4b71227dc8514c2a79f0de1278a499..038c95374c7d1090d19ce054008dc6da55dab2f1 100644 GIT binary patch delta 594 zcmXZZ%_~G<6vy#1cP1LTGlNW-@shVpQZ`d8Fe?cQe}Qfaiz!hQySpJ_VIfw?!p_2C zR#vhS8>L7>7M9c4nrwW3d2ZeNIp^NabDrnim%?r#{Ai3F8dn#0EB8ReY!F909$Y_I ztTU@(6ZyPvmck88;|}KV414en8?b^cXbCey%V0C+Q1xS&Gz)Epfb}iF7#1;)%Q%eZ zsDgLY1}aXEYC=n62liqX$FUygFpf*84XnF-%jNsnNq;*b&<3ut7VlAok1l_6e&H){>`Hf5MTyZT)u}1`r9#q3NM^j`aph*QG7;C`jQZ{v(`~xI4I?n(A delta 673 zcmXZZ%PT~26u|LgjK>h;5yddB2r023qr^Xeg;+{VL&QuNiqe#bENqws3nNmLSCQA= z%EFdeSXkkXvXGS~-&4O^_kPZ~xAXg*-?{6Z&z+Ii0%ugXs<_Lzn^Qy@vCF}OD>GGO zJWIrdh2-HJkvv?(V%)|$yufOF!F)_&3FhUB5K283p%1mb2i+nO86;qR3851guo)xh z!zfqZYoIJYoDn zFYo_wfGK(CYMGtpIj&AF$wM3Rl$#S{J-N^5M?J^}mSRkE_LqACEqp}nG;Vx1?|+f$ zOB%cDWL(&a9mpq{L#^9FozOn&de^88Jec?2s0Vd2F8%JtZv9tY0v%Zs>OX47TI@w# zZ~@bC19hV)>Ou#`Gh}VK+iY{3r&L{jI8t-G{WAfpFE9}pogSKO7!HN4k=dX>JQfNL qO^k)-FKu_sUGcTDW$&$h-rU-|N0xoHYJJ{b*z1Q@V(BEYb1eT7xLgJR diff --git a/evibes/locale/ko_KR/LC_MESSAGES/django.po b/evibes/locale/ko_KR/LC_MESSAGES/django.po index fdc3d4ee..f52713fb 100644 --- a/evibes/locale/ko_KR/LC_MESSAGES/django.po +++ b/evibes/locale/ko_KR/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: LANGUAGE \n" @@ -66,66 +66,62 @@ msgid "Mail from option" msgstr "이메일 발신자의 주소" #: evibes/settings/constance.py:38 -msgid "Use Telegram-bot functionality" -msgstr "텔레그램 봇 기능 사용" - -#: evibes/settings/constance.py:39 msgid "How many days we store messages from anonymous users" msgstr "익명 사용자의 메시지를 보관하는 일수" -#: evibes/settings/constance.py:40 +#: evibes/settings/constance.py:39 msgid "How many days we store messages from authenticated users" msgstr "인증된 사용자의 메시지를 보관하는 일수" -#: evibes/settings/constance.py:41 +#: evibes/settings/constance.py:40 msgid "Disable buy functionality" msgstr "구매 기능 비활성화" -#: evibes/settings/constance.py:42 +#: evibes/settings/constance.py:41 msgid "OpenStreetMap Nominatim API URL" msgstr "오픈스트리트맵 노미나팀 API URL" -#: evibes/settings/constance.py:43 +#: evibes/settings/constance.py:42 msgid "OpenAI API Key" msgstr "OpenAI API 키" -#: evibes/settings/constance.py:44 +#: evibes/settings/constance.py:43 msgid "Abstract API Key" msgstr "추상 API 키" -#: evibes/settings/constance.py:45 +#: evibes/settings/constance.py:44 msgid "HTTP Proxy" msgstr "HTTP 프록시" -#: evibes/settings/constance.py:47 +#: evibes/settings/constance.py:46 msgid "An entity for storing advertisiment data" msgstr "광고 데이터를 저장하는 엔티티" -#: evibes/settings/constance.py:48 +#: evibes/settings/constance.py:47 msgid "An entity for storing analytics data" msgstr "분석 데이터를 저장하는 엔티티" -#: evibes/settings/constance.py:50 +#: evibes/settings/constance.py:49 msgid "Save responses from vendors' APIs" msgstr "공급업체 API의 응답 저장하기" -#: evibes/settings/constance.py:56 +#: evibes/settings/constance.py:55 msgid "General Options" msgstr "일반 옵션" -#: evibes/settings/constance.py:63 +#: evibes/settings/constance.py:62 msgid "Email Options" msgstr "이메일 옵션" -#: evibes/settings/constance.py:73 +#: evibes/settings/constance.py:72 msgid "Features Options" msgstr "기능 옵션" -#: evibes/settings/constance.py:83 +#: evibes/settings/constance.py:81 msgid "SEO Options" msgstr "SEO 옵션" -#: evibes/settings/constance.py:87 +#: evibes/settings/constance.py:85 msgid "Debugging Options" msgstr "디버깅 옵션" @@ -275,3 +271,4 @@ msgstr "작업 보드" #: evibes/settings/jazzmin.py:34 msgid "Support" msgstr "지원" + diff --git a/evibes/locale/nl_NL/LC_MESSAGES/django.mo b/evibes/locale/nl_NL/LC_MESSAGES/django.mo index 1a39cfd17070909baebc1e5190052c494abd0183..2f44ad39f784b80a07accefa6e936a9ef72b03d6 100644 GIT binary patch delta 594 zcmXZYJ1j$S6vy#juZri@YNhWIhq!=cw1RiE z25L@^YC^NvA?bftbqq?!6&rB7ni>|tGLZ{zVVZS zb&eV1yJ^N|CtG!H;XL_1&S4p?p;zq3FYH7OOMUDwpMW)$c4pBU%A-wW6Bn_7D|n6* z_>4VRclsm$4W-Z~l0|+h@UZoc&<+-$?N`EO`{RnhMq9>7yhr=6iZ;3$w&JhLn_1o7 T$1m2ryO1gkugR|@quIzGh0Hj~ delta 681 zcmZ|LJuE{}6u|M*YC?UL`c9Qfr4=HUs*GeW{f#K$A`(FU&riF6_C(m@O&W*-TI z&1y4rVlZ?O!6vZ?{wKMsm-pW9p8MXp_uO-u_)27-y{?>a1$mlzA`X!r9Cq^JDk&0K zE){WO4Y6GzQiTUtk4M;nSJ;k^SdBl}gjJOy45bt6Fov2xiXM@y%rIbmNuvw5F@jl) z;SFlS2WkO7Mlab6C4{Zmi$0vhGF(SD?w}U1Z{nPZPq2;s<(z>Q@PNhmgqm0|@w@R8 zTbTdGX}aX2ssf2y9M{YI6z$U!rj2{pM|_M?%%c`o>KAFmdMsyu>0!`-ab#_oFfO1L zW}|i{ivzfegLsEw{KZ-fQ=J+|EodCIGYiNqyS#M0Gt>iK;D~N`Yd+kgwm6Sn_=5Ul z4XbDi{aAusCXN_~FvR@WVZZaz5xjnN7FD!NZd!o}Yt>rXm|g3hOWT3POlsavrc<-4 bNqg)1%@g&6|NU+y?ZA>Xw~\n" "Language-Team: LANGUAGE \n" @@ -66,66 +66,62 @@ msgid "Mail from option" msgstr "Het adres van de afzender van de e-mail" #: evibes/settings/constance.py:38 -msgid "Use Telegram-bot functionality" -msgstr "Telegram-bot functionaliteit gebruiken" - -#: evibes/settings/constance.py:39 msgid "How many days we store messages from anonymous users" msgstr "Hoeveel dagen we berichten van anonieme gebruikers bewaren" -#: evibes/settings/constance.py:40 +#: evibes/settings/constance.py:39 msgid "How many days we store messages from authenticated users" msgstr "Hoeveel dagen we berichten van geverifieerde gebruikers bewaren" -#: evibes/settings/constance.py:41 +#: evibes/settings/constance.py:40 msgid "Disable buy functionality" msgstr "Koopfunctie uitschakelen" -#: evibes/settings/constance.py:42 +#: evibes/settings/constance.py:41 msgid "OpenStreetMap Nominatim API URL" msgstr "OpenStreetMap Nominatim API URL" -#: evibes/settings/constance.py:43 +#: evibes/settings/constance.py:42 msgid "OpenAI API Key" msgstr "OpenAI API sleutel" -#: evibes/settings/constance.py:44 +#: evibes/settings/constance.py:43 msgid "Abstract API Key" msgstr "Abstracte API-sleutel" -#: evibes/settings/constance.py:45 +#: evibes/settings/constance.py:44 msgid "HTTP Proxy" msgstr "HTTP-proxy" -#: evibes/settings/constance.py:47 +#: evibes/settings/constance.py:46 msgid "An entity for storing advertisiment data" msgstr "Een entiteit voor het opslaan van adverteerdersgegevens" -#: evibes/settings/constance.py:48 +#: evibes/settings/constance.py:47 msgid "An entity for storing analytics data" msgstr "Een entiteit voor het opslaan van analytische gegevens" -#: evibes/settings/constance.py:50 +#: evibes/settings/constance.py:49 msgid "Save responses from vendors' APIs" msgstr "Reacties opslaan van API's van leveranciers" -#: evibes/settings/constance.py:56 +#: evibes/settings/constance.py:55 msgid "General Options" msgstr "Algemene opties" -#: evibes/settings/constance.py:63 +#: evibes/settings/constance.py:62 msgid "Email Options" msgstr "E-mailopties" -#: evibes/settings/constance.py:73 +#: evibes/settings/constance.py:72 msgid "Features Options" msgstr "Functies Opties" -#: evibes/settings/constance.py:83 +#: evibes/settings/constance.py:81 msgid "SEO Options" msgstr "SEO Opties" -#: evibes/settings/constance.py:87 +#: evibes/settings/constance.py:85 msgid "Debugging Options" msgstr "Debugopties" @@ -280,3 +276,4 @@ msgstr "Taakbord" #: evibes/settings/jazzmin.py:34 msgid "Support" msgstr "Ondersteuning" + diff --git a/evibes/locale/no_NO/LC_MESSAGES/django.mo b/evibes/locale/no_NO/LC_MESSAGES/django.mo index 9f63af254cd53d60de8686181b10782d826afcaa..1a8831990748883ac5a2a7addbec46596f7be52e 100644 GIT binary patch delta 595 zcmXZZJxD@f6vpx6P3TL_tdz9u8yxyr3JUUWLAkUC5rLBs;bhR@)DR5~;TSYDM(zyGkAuRSjS#$;vibYjM9=gfEiT3k3D8(Tc==u+rl6ga2|JY5zkQ# zFQ@^UPLFO%i{l7RVG38U8@I6&cTfYA-1@++k8zCW+bM+xxW#t7Lp46Q^|P~qo22uJ zH5zifrUnWTTR)Cs3>Q#|tl|U~k&jilr11*%yL(LXd}~l7@D~+nV)%ccSyUoRs3d&M zVhOeJH8P7mp%VH)ZTyW&B+S#4$PDWHHPnl3Uqe168||b1!y{C~B`T2`s-cb@ X_~?8~pX9uYfK^*wTezBv{zU!&ee64k delta 676 zcmY+>J1j$S6vy$St*A$<>QNMJQxPOsNCY()Oi~LQ5s!NH6?(-Zk&c)fgGncYgh*-- zo5XHrAjCkB7z_r)_rzV?^xn_^fBXNRd+zT(h0glZw{F|6a0EH)I6L!1I&jFsg~M(Y zSu7GM#B%0_L&SyKScQAoj3?NL*I0%>Sc5L72t#SbO6*46AI4IVv`jFdz9i9x8`z0y z?8Z~n4R5Fo{Fu7g%}|=qhh6B!Q7pzKEW}OJ2DZ%kt~uYw0MC~r2HLz{|T(r(Tx_Q1xy+|#TqX*kj zqa8$TY#cS2dDKMW7{UY8!jDK#VyCJmRgKy}3u-cbsL70(|F5CG;0}gM7-Y;FS=2&@ zsNeD&wcs6UGViGCKhci)R9BtoM~^SlV>!+X=AJE9N5g0;;vb2`B6G`=@wTa?;h$Ye jOdAWy#AIy2SkJwbemesL%PY};i`rNeO)dT{iWu?>c3@Mv diff --git a/evibes/locale/no_NO/LC_MESSAGES/django.po b/evibes/locale/no_NO/LC_MESSAGES/django.po index 2af1329e..8075ac2b 100644 --- a/evibes/locale/no_NO/LC_MESSAGES/django.po +++ b/evibes/locale/no_NO/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: LANGUAGE \n" @@ -66,66 +66,62 @@ msgid "Mail from option" msgstr "Adressen til avsenderen av e-posten" #: evibes/settings/constance.py:38 -msgid "Use Telegram-bot functionality" -msgstr "Bruk Telegram-bot-funksjonalitet" - -#: evibes/settings/constance.py:39 msgid "How many days we store messages from anonymous users" msgstr "Hvor mange dager vi lagrer meldinger fra anonyme brukere" -#: evibes/settings/constance.py:40 +#: evibes/settings/constance.py:39 msgid "How many days we store messages from authenticated users" msgstr "Hvor mange dager vi lagrer meldinger fra autentiserte brukere" -#: evibes/settings/constance.py:41 +#: evibes/settings/constance.py:40 msgid "Disable buy functionality" msgstr "Deaktiver kjøpsfunksjonalitet" -#: evibes/settings/constance.py:42 +#: evibes/settings/constance.py:41 msgid "OpenStreetMap Nominatim API URL" msgstr "OpenStreetMap Nominatim API URL" -#: evibes/settings/constance.py:43 +#: evibes/settings/constance.py:42 msgid "OpenAI API Key" msgstr "OpenAI API-nøkkel" -#: evibes/settings/constance.py:44 +#: evibes/settings/constance.py:43 msgid "Abstract API Key" msgstr "Abstrakt API-nøkkel" -#: evibes/settings/constance.py:45 +#: evibes/settings/constance.py:44 msgid "HTTP Proxy" msgstr "HTTP-proxy" -#: evibes/settings/constance.py:47 +#: evibes/settings/constance.py:46 msgid "An entity for storing advertisiment data" msgstr "En enhet for lagring av annonseringsdata" -#: evibes/settings/constance.py:48 +#: evibes/settings/constance.py:47 msgid "An entity for storing analytics data" msgstr "En enhet for lagring av analysedata" -#: evibes/settings/constance.py:50 +#: evibes/settings/constance.py:49 msgid "Save responses from vendors' APIs" msgstr "Lagre svar fra leverandørers API-er" -#: evibes/settings/constance.py:56 +#: evibes/settings/constance.py:55 msgid "General Options" msgstr "Generelle alternativer" -#: evibes/settings/constance.py:63 +#: evibes/settings/constance.py:62 msgid "Email Options" msgstr "E-postalternativer" -#: evibes/settings/constance.py:73 +#: evibes/settings/constance.py:72 msgid "Features Options" msgstr "Funksjoner Alternativer" -#: evibes/settings/constance.py:83 +#: evibes/settings/constance.py:81 msgid "SEO Options" msgstr "SEO-alternativer" -#: evibes/settings/constance.py:87 +#: evibes/settings/constance.py:85 msgid "Debugging Options" msgstr "Alternativer for feilsøking" @@ -279,3 +275,4 @@ msgstr "Oppgavetavle" #: evibes/settings/jazzmin.py:34 msgid "Support" msgstr "Støtte" + diff --git a/evibes/locale/pl_PL/LC_MESSAGES/django.mo b/evibes/locale/pl_PL/LC_MESSAGES/django.mo index aed580c795cf2a9612828c41858b20b2a93e84bc..fdebfaa716bf9a7ac67393af6ea6a365415c51e3 100644 GIT binary patch delta 594 zcmXZYPbkB27{~EvKg-yRVK!|3hIUvelEY{zii?~jDK0B%rzwY>9Go1Ma#51I!yLsG zM^4JWxAW@3+3c*YoZ7dw$RJeJa`GZ1J_te`Ksdc9Na;nT=t_PjLwEuobJ=h1P6FXx-R>DOCO}wwM)dnSlS>I{Gn(lemM^c#cYV zK{ZfydSnw?4Et~x6F83{+`vZMMm11y=Y4lR!~yEt34t28!2sT)5+B_8+4+fUOy>)) zsIbH}qkI?W`JY4*)zAcv;v9}+9yO6O?8QrL!bgl#-`)w-Va-|3S4xN?wQK~lIE4#X zz<#_&-SiDrxPqG0FRE~ev8cfe>Ow2dRaD*<&gey+AdY*e(U(v^y2S>3LKXPHPW(nS U94sw*7d|Whcy-}&B9e~$0RVG4K>z>% delta 678 zcmX}qyDvj=6u|MLBwAGK{pLy=uf$_0!PG>;;4$eaQgTUK+O)lfHj&zhl_pF~28oc= zXz~w;k-@+ubdy-5@jY?lCii}R=a+ka=lp*6o&-OFxtIEiym0xrJGld8BBQwA;KAiA z7l~GhxUhlPa*KHJ0Gsg?2k-{{_=I&>!Z!5QiZGNRY{E&@{3Y~=q`PFFpB}q z;UwOoCKOQ{DB0GN%~1NV2gk7kLs*STbm1;)1N(NIx8pPHrM_G-&;}l`5}#2MU+wtQ z_6xh2|G^bbse`WWsFY#5jm%GU{hi1>YGZ3Sf=L|1bJUZ0L|x|%Yp5>{q89X^cG_<{ zj+!uo)RYhg(ZpH2Km&`YJFevzv~WA>i4CF_o\n" "Language-Team: LANGUAGE \n" @@ -66,66 +66,62 @@ msgid "Mail from option" msgstr "Adres nadawcy wiadomości e-mail" #: evibes/settings/constance.py:38 -msgid "Use Telegram-bot functionality" -msgstr "Korzystanie z funkcji bota Telegram" - -#: evibes/settings/constance.py:39 msgid "How many days we store messages from anonymous users" msgstr "Ile dni przechowujemy wiadomości od anonimowych użytkowników?" -#: evibes/settings/constance.py:40 +#: evibes/settings/constance.py:39 msgid "How many days we store messages from authenticated users" msgstr "Ile dni przechowujemy wiadomości od uwierzytelnionych użytkowników?" -#: evibes/settings/constance.py:41 +#: evibes/settings/constance.py:40 msgid "Disable buy functionality" msgstr "Wyłączenie funkcji kupowania" -#: evibes/settings/constance.py:42 +#: evibes/settings/constance.py:41 msgid "OpenStreetMap Nominatim API URL" msgstr "Adres URL interfejsu API OpenStreetMap Nominatim" -#: evibes/settings/constance.py:43 +#: evibes/settings/constance.py:42 msgid "OpenAI API Key" msgstr "Klucz API OpenAI" -#: evibes/settings/constance.py:44 +#: evibes/settings/constance.py:43 msgid "Abstract API Key" msgstr "Abstrakcyjny klucz API" -#: evibes/settings/constance.py:45 +#: evibes/settings/constance.py:44 msgid "HTTP Proxy" msgstr "Serwer proxy HTTP" -#: evibes/settings/constance.py:47 +#: evibes/settings/constance.py:46 msgid "An entity for storing advertisiment data" msgstr "Jednostka do przechowywania danych reklamowych" -#: evibes/settings/constance.py:48 +#: evibes/settings/constance.py:47 msgid "An entity for storing analytics data" msgstr "Jednostka do przechowywania danych analitycznych" -#: evibes/settings/constance.py:50 +#: evibes/settings/constance.py:49 msgid "Save responses from vendors' APIs" msgstr "Zapisywanie odpowiedzi z interfejsów API dostawców" -#: evibes/settings/constance.py:56 +#: evibes/settings/constance.py:55 msgid "General Options" msgstr "Opcje ogólne" -#: evibes/settings/constance.py:63 +#: evibes/settings/constance.py:62 msgid "Email Options" msgstr "Opcje e-mail" -#: evibes/settings/constance.py:73 +#: evibes/settings/constance.py:72 msgid "Features Options" msgstr "Opcje funkcji" -#: evibes/settings/constance.py:83 +#: evibes/settings/constance.py:81 msgid "SEO Options" msgstr "Opcje SEO" -#: evibes/settings/constance.py:87 +#: evibes/settings/constance.py:85 msgid "Debugging Options" msgstr "Opcje debugowania" @@ -280,3 +276,4 @@ msgstr "Tablica zadań" #: evibes/settings/jazzmin.py:34 msgid "Support" msgstr "Wsparcie" + diff --git a/evibes/locale/pt_BR/LC_MESSAGES/django.mo b/evibes/locale/pt_BR/LC_MESSAGES/django.mo index f951869b8f5a29ea3fc74a6cb232f0103692b497..afaa7001def9c74a0abd2c5f4f0efd17c773c7a8 100644 GIT binary patch delta 594 zcmXZZKS)AR6vy$OFQLDtSs7(zNs>e%M1w< zzemcmO+ppMT01M^0Qo+q@C@hh0f+D#?SwQgg&~14)>oRq3fIvl+(m2X2(6(L%-}g@ z@eSh`WZU-tymJ}tO4cxeJIJr9xbJsp8+$~X{~0qD)ClZu>NtbHXbZ8VzlS{sAXGIBWm_ delta 683 zcmXxizb`{k6u|M*ABmr(>Q|(GJc=NZE|oBl+A*mOd9yc zFHj5KQ5*O%`lu$9W~{>w^kW1IZ~^mh6}5p)lkb}R5bN1rP6@PuTg<@+)WTTR$!6$+0w6Z7gU>kV= zb>ji!5bC!b!Cag-rcnO_8#`UjGe;ov;&gdxBTF%BFg6pLT(oD~#}Y|vVtH;n8BfgF iGx209^IAORZH+A1i*W`%)>ke7 diff --git a/evibes/locale/pt_BR/LC_MESSAGES/django.po b/evibes/locale/pt_BR/LC_MESSAGES/django.po index 9d23c880..c7c09cd7 100644 --- a/evibes/locale/pt_BR/LC_MESSAGES/django.po +++ b/evibes/locale/pt_BR/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: LANGUAGE \n" @@ -66,66 +66,62 @@ msgid "Mail from option" msgstr "O endereço do remetente do e-mail" #: evibes/settings/constance.py:38 -msgid "Use Telegram-bot functionality" -msgstr "Usar a funcionalidade do bot do Telegram" - -#: evibes/settings/constance.py:39 msgid "How many days we store messages from anonymous users" msgstr "Por quantos dias armazenamos mensagens de usuários anônimos" -#: evibes/settings/constance.py:40 +#: evibes/settings/constance.py:39 msgid "How many days we store messages from authenticated users" msgstr "Por quantos dias armazenamos mensagens de usuários autenticados" -#: evibes/settings/constance.py:41 +#: evibes/settings/constance.py:40 msgid "Disable buy functionality" msgstr "Desativar a funcionalidade de compra" -#: evibes/settings/constance.py:42 +#: evibes/settings/constance.py:41 msgid "OpenStreetMap Nominatim API URL" msgstr "URL da API do OpenStreetMap Nominatim" -#: evibes/settings/constance.py:43 +#: evibes/settings/constance.py:42 msgid "OpenAI API Key" msgstr "Chave da API da OpenAI" -#: evibes/settings/constance.py:44 +#: evibes/settings/constance.py:43 msgid "Abstract API Key" msgstr "Chave abstrata da API" -#: evibes/settings/constance.py:45 +#: evibes/settings/constance.py:44 msgid "HTTP Proxy" msgstr "Proxy HTTP" -#: evibes/settings/constance.py:47 +#: evibes/settings/constance.py:46 msgid "An entity for storing advertisiment data" msgstr "Uma entidade para armazenar dados de propaganda" -#: evibes/settings/constance.py:48 +#: evibes/settings/constance.py:47 msgid "An entity for storing analytics data" msgstr "Uma entidade para armazenar dados analíticos" -#: evibes/settings/constance.py:50 +#: evibes/settings/constance.py:49 msgid "Save responses from vendors' APIs" msgstr "Salvar respostas das APIs dos fornecedores" -#: evibes/settings/constance.py:56 +#: evibes/settings/constance.py:55 msgid "General Options" msgstr "Opções gerais" -#: evibes/settings/constance.py:63 +#: evibes/settings/constance.py:62 msgid "Email Options" msgstr "Opções de e-mail" -#: evibes/settings/constance.py:73 +#: evibes/settings/constance.py:72 msgid "Features Options" msgstr "Opções de recursos" -#: evibes/settings/constance.py:83 +#: evibes/settings/constance.py:81 msgid "SEO Options" msgstr "Opções de SEO" -#: evibes/settings/constance.py:87 +#: evibes/settings/constance.py:85 msgid "Debugging Options" msgstr "Opções de depuração" @@ -283,3 +279,4 @@ msgstr "Quadro de tarefas" #: evibes/settings/jazzmin.py:34 msgid "Support" msgstr "Suporte" + diff --git a/evibes/locale/ro_RO/LC_MESSAGES/django.mo b/evibes/locale/ro_RO/LC_MESSAGES/django.mo index d54594a5fa4aa64af2113f68f8f2b827e44c023f..2716462838c51f6ffaecf2d2c1df578d1601bb7f 100644 GIT binary patch delta 594 zcmXZZy)Q#i7{~EntMS$sRa7XdUXl(?3?w9!G$O%(O(GE?ri!IC3@Wim2$RLo zKfq)lrfw3tFo|>&-F%YERNtVj^Q2J zf)BI;Do!t}2^GaS4q^;v(2wibfZJ#V9Ju`0%P#|Q5Ww;2BPdGME8T+ypl_BEG|3Y\n" "Language-Team: LANGUAGE \n" @@ -66,66 +66,62 @@ msgid "Mail from option" msgstr "Adresa expeditorului e-mailurilor" #: evibes/settings/constance.py:38 -msgid "Use Telegram-bot functionality" -msgstr "Utilizați funcționalitatea Telegram-bot" - -#: evibes/settings/constance.py:39 msgid "How many days we store messages from anonymous users" msgstr "Câte zile păstrăm mesajele de la utilizatorii anonimi" -#: evibes/settings/constance.py:40 +#: evibes/settings/constance.py:39 msgid "How many days we store messages from authenticated users" msgstr "Câte zile stocăm mesajele de la utilizatorii autentificați" -#: evibes/settings/constance.py:41 +#: evibes/settings/constance.py:40 msgid "Disable buy functionality" msgstr "Dezactivați funcționalitatea de cumpărare" -#: evibes/settings/constance.py:42 +#: evibes/settings/constance.py:41 msgid "OpenStreetMap Nominatim API URL" msgstr "OpenStreetMap Nominatim API URL" -#: evibes/settings/constance.py:43 +#: evibes/settings/constance.py:42 msgid "OpenAI API Key" msgstr "Cheie API OpenAI" -#: evibes/settings/constance.py:44 +#: evibes/settings/constance.py:43 msgid "Abstract API Key" msgstr "Cheie API abstractă" -#: evibes/settings/constance.py:45 +#: evibes/settings/constance.py:44 msgid "HTTP Proxy" msgstr "Proxy HTTP" -#: evibes/settings/constance.py:47 +#: evibes/settings/constance.py:46 msgid "An entity for storing advertisiment data" msgstr "O entitate pentru stocarea datelor privind publicitatea" -#: evibes/settings/constance.py:48 +#: evibes/settings/constance.py:47 msgid "An entity for storing analytics data" msgstr "O entitate pentru stocarea datelor analitice" -#: evibes/settings/constance.py:50 +#: evibes/settings/constance.py:49 msgid "Save responses from vendors' APIs" msgstr "Salvați răspunsurile de la API-urile furnizorilor" -#: evibes/settings/constance.py:56 +#: evibes/settings/constance.py:55 msgid "General Options" msgstr "Opțiuni generale" -#: evibes/settings/constance.py:63 +#: evibes/settings/constance.py:62 msgid "Email Options" msgstr "Opțiuni de e-mail" -#: evibes/settings/constance.py:73 +#: evibes/settings/constance.py:72 msgid "Features Options" msgstr "Caracteristici Opțiuni" -#: evibes/settings/constance.py:83 +#: evibes/settings/constance.py:81 msgid "SEO Options" msgstr "Opțiuni SEO" -#: evibes/settings/constance.py:87 +#: evibes/settings/constance.py:85 msgid "Debugging Options" msgstr "Opțiuni de depanare" @@ -283,3 +279,4 @@ msgstr "Tablou de sarcini" #: evibes/settings/jazzmin.py:34 msgid "Support" msgstr "Sprijin" + diff --git a/evibes/locale/ru_RU/LC_MESSAGES/django.mo b/evibes/locale/ru_RU/LC_MESSAGES/django.mo index 278ca506336579bd11ae29ecbd8ecad13313c758..81a4ec1c2618a07c84500d8924ce029c4902e3e2 100644 GIT binary patch delta 595 zcmXZZF-QV&6vy$Orw|pU83}3{R;GxMLqkId1raDz)LaoY3DQ{G4bl)44bm7C)Y9N$ zOH*SM4bhxUjp3}c^nG~;cc1q^?%n^r_dnZeY`R~Oz@@mRxF@&^K4}gY9Ufd=tPV*% z9AkYDl)`w7Q9Q*QUgHeD;3#%5h8mFw6~}SRq2-q_B)M8A;Q!ji09J7x4{-r+(GuEd z1#~0A>HOeh zL@Lv!br_)SX-uINu#6Sl!415}H2z`{lbL>lYnW$$)d}o_CMNM6|3`?{p=Ox|gs_e- zuA)EN&#RzKpoTV~bIjun7Vr)2sCsCV2yvj3s%BTHiYkKZn<^u=bT^n_xqjS`31WDJ-$bK#J2Dh@@Dh8!bB>u-NuI}DqLhd zMkE?j$i49*Nw|S&xPuN1ViDe9GX7u&CMAdviW5_@4t0JfCW`oEfPnSIgAurZF7#m? zo}f;6M=jvT(#~u`DZxCf#VqW@Se(XaTtqEk-O9JEd=CrQU-k*KfE$d&d(??fR{m!B zfw_!-V?SNWqN+2y$UMi@lh$y2?P3RNA=B7~o7jbSSb)xAkt%FQ7yHX1ffJ8Ve|W$g z{6%eLPD$vbmFOXFz!f~e7OXA}&09e2#4c*5E>YJtupGZougt-HX-68dQ#a_a1_qEK zWfGfk3$?|!$U)^9^$tHV6XVK4mSQV;b6KF?b`Vy0{9+4_&+VIa=l8lN+@mvtlNCcA zZ~n;K)UbEVGc`Cd=AA!&O>|@g9vta4=Bl}3Tp8!)nsI7e69tV6(~sBYlDTa9{}(Y1 J8Cy1j@&~;jZO8xs diff --git a/evibes/locale/ru_RU/LC_MESSAGES/django.po b/evibes/locale/ru_RU/LC_MESSAGES/django.po index 8cbae2b2..033a60fd 100644 --- a/evibes/locale/ru_RU/LC_MESSAGES/django.po +++ b/evibes/locale/ru_RU/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: LANGUAGE \n" @@ -66,66 +66,62 @@ msgid "Mail from option" msgstr "Адрес отправителя электронного письма" #: evibes/settings/constance.py:38 -msgid "Use Telegram-bot functionality" -msgstr "Используйте функциональность Telegram-бота" - -#: evibes/settings/constance.py:39 msgid "How many days we store messages from anonymous users" msgstr "Сколько дней мы храним сообщения от анонимных пользователей" -#: evibes/settings/constance.py:40 +#: evibes/settings/constance.py:39 msgid "How many days we store messages from authenticated users" msgstr "Сколько дней мы храним сообщения от аутентифицированных пользователей" -#: evibes/settings/constance.py:41 +#: evibes/settings/constance.py:40 msgid "Disable buy functionality" msgstr "Отключить функцию покупки" -#: evibes/settings/constance.py:42 +#: evibes/settings/constance.py:41 msgid "OpenStreetMap Nominatim API URL" msgstr "URL-адрес API OpenStreetMap Nominatim" -#: evibes/settings/constance.py:43 +#: evibes/settings/constance.py:42 msgid "OpenAI API Key" msgstr "Ключ API OpenAI" -#: evibes/settings/constance.py:44 +#: evibes/settings/constance.py:43 msgid "Abstract API Key" msgstr "Абстрактный ключ API" -#: evibes/settings/constance.py:45 +#: evibes/settings/constance.py:44 msgid "HTTP Proxy" msgstr "HTTP-прокси" -#: evibes/settings/constance.py:47 +#: evibes/settings/constance.py:46 msgid "An entity for storing advertisiment data" msgstr "Устройство для хранения данных о рекламе" -#: evibes/settings/constance.py:48 +#: evibes/settings/constance.py:47 msgid "An entity for storing analytics data" msgstr "Сущность для хранения аналитических данных" -#: evibes/settings/constance.py:50 +#: evibes/settings/constance.py:49 msgid "Save responses from vendors' APIs" msgstr "Сохраняйте ответы от API поставщиков" -#: evibes/settings/constance.py:56 +#: evibes/settings/constance.py:55 msgid "General Options" msgstr "Общие параметры" -#: evibes/settings/constance.py:63 +#: evibes/settings/constance.py:62 msgid "Email Options" msgstr "Параметры электронной почты" -#: evibes/settings/constance.py:73 +#: evibes/settings/constance.py:72 msgid "Features Options" msgstr "Особенности Опции" -#: evibes/settings/constance.py:83 +#: evibes/settings/constance.py:81 msgid "SEO Options" msgstr "Параметры SEO" -#: evibes/settings/constance.py:87 +#: evibes/settings/constance.py:85 msgid "Debugging Options" msgstr "Параметры отладки" @@ -281,3 +277,4 @@ msgstr "Доска задач" #: evibes/settings/jazzmin.py:34 msgid "Support" msgstr "Поддержка" + diff --git a/evibes/locale/sv_SE/LC_MESSAGES/django.mo b/evibes/locale/sv_SE/LC_MESSAGES/django.mo index e0bf024e949fd955568c9e39ac139c0aad6ea2d8..f49eebb813860706aab5957cbcdf2004f9226b1d 100644 GIT binary patch delta 594 zcmXZYJxD@f6vpx6)#%eSDl=$5 zW=-s+-wK+Av5ZkX#uQ%Q7(QVSHgEu~+lsE7{RxineLJVn0{7U8w=>tCIpSRkD* z{AD1|Z$@}8Pi$JOfa-T~5)Uzn*QmwnIEW2Ya$PhrzHdniMU%lkTth9ijegw2ES52c zcQ}PVsASSZ|54fkD*6>vA_e3XJ3u9MhC27k^|!dBKYgUo<}WybAE?OMIHd)ns6K&; WHtn1{UG{E#R%?3xU@abA5B&iT1vuyc delta 678 zcmY+>%PT~26u|K_GvpOB22);xM)GK~85t?Eu<}@lWFdK6!aTyIW=gZLU@<#Qv7#s& zqQ+mq&c=Ea3n>XJmJHuh*TQY?{hagbckVsEGgm#S-o%4DCna1y?i%iZO{5(M?L4^h z9U@DGA_Z7RZWfEUa0flOkIi_2jhMkw%wi?FN<;{y6)P}^T0e|Vk%UYU@P3J64#qKn z2@K*TYQZ~d16fNq)r8W7b=ZN`IEF>If(5vV+Q7Dzr>y({8~DDQ5oiOqn1^?$g^yPL zX8DO;*1vF)DOJt;R1__VrJJA%M^Hx; z#&X<3ZEO#jz8qmMo?t&dV;lPEN+&dd^d?KFe?c5|GD&2soT5(b2KBue9MXj+0zL5u zYUkhBgf6Oebe))s{Z>AJI^qdS1NDR}yIuBkn=k!hcNBZa){Od5BV;VBPKW(7QL}!2 lJu+)9MkCXqMKhLub&fk5`yw0H$C0^z`~2)%{@Z7m@(VrVS3dv% diff --git a/evibes/locale/sv_SE/LC_MESSAGES/django.po b/evibes/locale/sv_SE/LC_MESSAGES/django.po index 1540c214..e6786254 100644 --- a/evibes/locale/sv_SE/LC_MESSAGES/django.po +++ b/evibes/locale/sv_SE/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: LANGUAGE \n" @@ -66,66 +66,62 @@ msgid "Mail from option" msgstr "Adressen till e-postmeddelandets avsändare" #: evibes/settings/constance.py:38 -msgid "Use Telegram-bot functionality" -msgstr "Använd Telegram-bot-funktionalitet" - -#: evibes/settings/constance.py:39 msgid "How many days we store messages from anonymous users" msgstr "Hur många dagar vi lagrar meddelanden från anonyma användare" -#: evibes/settings/constance.py:40 +#: evibes/settings/constance.py:39 msgid "How many days we store messages from authenticated users" msgstr "Hur många dagar vi lagrar meddelanden från autentiserade användare" -#: evibes/settings/constance.py:41 +#: evibes/settings/constance.py:40 msgid "Disable buy functionality" msgstr "Inaktivera köpfunktionalitet" -#: evibes/settings/constance.py:42 +#: evibes/settings/constance.py:41 msgid "OpenStreetMap Nominatim API URL" msgstr "OpenStreetMap Nominatim API URL" -#: evibes/settings/constance.py:43 +#: evibes/settings/constance.py:42 msgid "OpenAI API Key" msgstr "OpenAI API-nyckel" -#: evibes/settings/constance.py:44 +#: evibes/settings/constance.py:43 msgid "Abstract API Key" msgstr "Abstrakt API-nyckel" -#: evibes/settings/constance.py:45 +#: evibes/settings/constance.py:44 msgid "HTTP Proxy" msgstr "HTTP-proxy" -#: evibes/settings/constance.py:47 +#: evibes/settings/constance.py:46 msgid "An entity for storing advertisiment data" msgstr "En enhet för lagring av annonseringsdata" -#: evibes/settings/constance.py:48 +#: evibes/settings/constance.py:47 msgid "An entity for storing analytics data" msgstr "En enhet för lagring av analysdata" -#: evibes/settings/constance.py:50 +#: evibes/settings/constance.py:49 msgid "Save responses from vendors' APIs" msgstr "Spara svar från leverantörers API:er" -#: evibes/settings/constance.py:56 +#: evibes/settings/constance.py:55 msgid "General Options" msgstr "Allmänna alternativ" -#: evibes/settings/constance.py:63 +#: evibes/settings/constance.py:62 msgid "Email Options" msgstr "Alternativ för e-post" -#: evibes/settings/constance.py:73 +#: evibes/settings/constance.py:72 msgid "Features Options" msgstr "Funktioner Alternativ" -#: evibes/settings/constance.py:83 +#: evibes/settings/constance.py:81 msgid "SEO Options" msgstr "SEO-alternativ" -#: evibes/settings/constance.py:87 +#: evibes/settings/constance.py:85 msgid "Debugging Options" msgstr "Alternativ för felsökning" @@ -281,3 +277,4 @@ msgstr "Uppgiftstavla" #: evibes/settings/jazzmin.py:34 msgid "Support" msgstr "Stöd" + diff --git a/evibes/locale/th_TH/LC_MESSAGES/django.mo b/evibes/locale/th_TH/LC_MESSAGES/django.mo index f8e24381ae296cef02474b787ccd8c69bf5ecb96..2c6594b635b0453667f18b84bf69a710640f3af9 100644 GIT binary patch delta 594 zcmXZZKP*F06vy#jpN7zs`d9xo{zXx(gu#GL;$K2cVvv%M(6s5uBAq%2jiE7#D6x|i zD=Udb3i&Dfh(BB7#465w+5wUyv2SjAEFEFuONZ>;yCh5m)MFgXj=Az zY5c=;JPJr*3=B)17(-Kch+TM(?5TI0MJrhPwF}rlzKtEYkCW!cDM1h3;3~dhGX_JY d1!vH-b_d;Q2ruCT+VC~%0cOoSZRQ#Du)kyp z^Z-Syz+b2v56t|;^e;A2Kg9sIRL@kKE|CPsy-U6K*7?mv@ecWC9L6F>u*J)%@e@A6 zLu_Gx>AEd)4+E%AzKVP&Kd}x^QD2>_O(car%-|2ak57E(gRP+M`;HzwLiU!5c98+> zK>ZWXU^On_gX;ue%)&P6|G_?vpw%x@g8|eFPNTl!MYLnybPM~)cRu!5*2|i6#}=!- zacC;k^f(j=jZKce^gWBkn_j$%K97fE(a}gap2+>K`sVIeg?GxBSA{ucWR&q$8MDfG ZqY58%QKw7Fc&m(TslHqa7XGg({{XsNcq;$^ diff --git a/evibes/locale/th_TH/LC_MESSAGES/django.po b/evibes/locale/th_TH/LC_MESSAGES/django.po index 8d10e49d..45d6c495 100644 --- a/evibes/locale/th_TH/LC_MESSAGES/django.po +++ b/evibes/locale/th_TH/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: LANGUAGE \n" @@ -66,66 +66,62 @@ msgid "Mail from option" msgstr "ที่อยู่ของผู้ส่งอีเมล" #: evibes/settings/constance.py:38 -msgid "Use Telegram-bot functionality" -msgstr "ใช้ฟังก์ชันของบอท Telegram" - -#: evibes/settings/constance.py:39 msgid "How many days we store messages from anonymous users" msgstr "เราเก็บข้อความจากผู้ใช้ที่ไม่ระบุตัวตนไว้กี่วัน" -#: evibes/settings/constance.py:40 +#: evibes/settings/constance.py:39 msgid "How many days we store messages from authenticated users" msgstr "เราเก็บข้อความจากผู้ใช้ที่ผ่านการยืนยันตัวตนไว้กี่วัน" -#: evibes/settings/constance.py:41 +#: evibes/settings/constance.py:40 msgid "Disable buy functionality" msgstr "ปิดการใช้งานฟังก์ชันการซื้อ" -#: evibes/settings/constance.py:42 +#: evibes/settings/constance.py:41 msgid "OpenStreetMap Nominatim API URL" msgstr "URL ของ API OpenStreetMap Nominatim" -#: evibes/settings/constance.py:43 +#: evibes/settings/constance.py:42 msgid "OpenAI API Key" msgstr "คีย์ API ของ OpenAI" -#: evibes/settings/constance.py:44 +#: evibes/settings/constance.py:43 msgid "Abstract API Key" msgstr "คีย์ API แบบนามธรรม" -#: evibes/settings/constance.py:45 +#: evibes/settings/constance.py:44 msgid "HTTP Proxy" msgstr "HTTP พร็อกซี" -#: evibes/settings/constance.py:47 +#: evibes/settings/constance.py:46 msgid "An entity for storing advertisiment data" msgstr "หน่วยงานสำหรับเก็บข้อมูลโฆษณา" -#: evibes/settings/constance.py:48 +#: evibes/settings/constance.py:47 msgid "An entity for storing analytics data" msgstr "หน่วยงานสำหรับเก็บข้อมูลการวิเคราะห์" -#: evibes/settings/constance.py:50 +#: evibes/settings/constance.py:49 msgid "Save responses from vendors' APIs" msgstr "บันทึกการตอบกลับจาก API ของผู้ขาย" -#: evibes/settings/constance.py:56 +#: evibes/settings/constance.py:55 msgid "General Options" msgstr "ตัวเลือกทั่วไป" -#: evibes/settings/constance.py:63 +#: evibes/settings/constance.py:62 msgid "Email Options" msgstr "ตัวเลือกอีเมล" -#: evibes/settings/constance.py:73 +#: evibes/settings/constance.py:72 msgid "Features Options" msgstr "คุณสมบัติ ตัวเลือก" -#: evibes/settings/constance.py:83 +#: evibes/settings/constance.py:81 msgid "SEO Options" msgstr "ตัวเลือก SEO" -#: evibes/settings/constance.py:87 +#: evibes/settings/constance.py:85 msgid "Debugging Options" msgstr "ตัวเลือกการแก้ไขข้อผิดพลาด" @@ -256,3 +252,4 @@ msgstr "กระดานงาน" #: evibes/settings/jazzmin.py:34 msgid "Support" msgstr "การสนับสนุน" + diff --git a/evibes/locale/tr_TR/LC_MESSAGES/django.mo b/evibes/locale/tr_TR/LC_MESSAGES/django.mo index cb8a96d0274e376d3828d8a6ed560f92632fc88a..62174908b3f86895120b4f7643e5647d6fceadaf 100644 GIT binary patch delta 594 zcmXZZJ4nM|5Ww+k42q9x>Z3mDt5u z9CUWbC@8qq(OD~q;3A#d&HvF0Nq%=Em+!vIbLKZ)taQ6K!V%*d=9&qJByh>$#!4OC5sYC;L)7*1gXSFs)Uu@&>E4V+niVfhtCSzm4mw1F3F!8g>xcgsJ_AKYa+ zfB3};>uggeFg?;}EQ8u;7H9FuETJ~`YIy~F$vZ}w5bH~npdS}eN4JgI&>`wyIKdS> z#Vz!aQ(U&K6PQ5V;T-CR(-^}n>cR!o#!9Ha-~sjhCrk|xlODIHP6u|Lg$g^R*$!k19N){fG1@=f{VS$D&U9LMGGipRrQtTOJHDzNZ#M%aH z8ygmsjl34h!b0*t`8IBI@9&&@=iKjn=RS3x_eAe=l48P9%~{IXk|5HAy&f(csfi*p z=^|;EOCIuy_;3pga1ZP87;Eqrv+)Ou(U&PgC=Hm8?Wpzrm?aXGaRS~iK}^CGY{4kD z;~8qfJ8A+@7mqP+=;2Kl#4z=*nL3- z#&%G@MjX3v9|!Oe`AIX|*GUYb?lgdT7{n^vKwbC%wXqA-PjQ2NTJSeQ(<>9WCz`V mV}~NAuUV_U`hU;utGHt=FIkRbU&d|M_RoeLC*WS5xbh3NXIk_C diff --git a/evibes/locale/tr_TR/LC_MESSAGES/django.po b/evibes/locale/tr_TR/LC_MESSAGES/django.po index 3184dd42..55272453 100644 --- a/evibes/locale/tr_TR/LC_MESSAGES/django.po +++ b/evibes/locale/tr_TR/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: LANGUAGE \n" @@ -66,66 +66,62 @@ msgid "Mail from option" msgstr "E-posta göndericisinin adresi" #: evibes/settings/constance.py:38 -msgid "Use Telegram-bot functionality" -msgstr "Telegram-bot işlevselliğini kullanın" - -#: evibes/settings/constance.py:39 msgid "How many days we store messages from anonymous users" msgstr "Anonim kullanıcılardan gelen mesajları kaç gün saklıyoruz" -#: evibes/settings/constance.py:40 +#: evibes/settings/constance.py:39 msgid "How many days we store messages from authenticated users" msgstr "Kimliği doğrulanmış kullanıcılardan gelen mesajları kaç gün saklıyoruz" -#: evibes/settings/constance.py:41 +#: evibes/settings/constance.py:40 msgid "Disable buy functionality" msgstr "Satın alma işlevini devre dışı bırakın" -#: evibes/settings/constance.py:42 +#: evibes/settings/constance.py:41 msgid "OpenStreetMap Nominatim API URL" msgstr "OpenStreetMap Nominatim API URL'si" -#: evibes/settings/constance.py:43 +#: evibes/settings/constance.py:42 msgid "OpenAI API Key" msgstr "OpenAI API Anahtarı" -#: evibes/settings/constance.py:44 +#: evibes/settings/constance.py:43 msgid "Abstract API Key" msgstr "Soyut API Anahtarı" -#: evibes/settings/constance.py:45 +#: evibes/settings/constance.py:44 msgid "HTTP Proxy" msgstr "HTTP Proxy" -#: evibes/settings/constance.py:47 +#: evibes/settings/constance.py:46 msgid "An entity for storing advertisiment data" msgstr "Reklam verilerini depolamak için bir varlık" -#: evibes/settings/constance.py:48 +#: evibes/settings/constance.py:47 msgid "An entity for storing analytics data" msgstr "Analitik verileri depolamak için bir varlık" -#: evibes/settings/constance.py:50 +#: evibes/settings/constance.py:49 msgid "Save responses from vendors' APIs" msgstr "Satıcıların API'lerinden gelen yanıtları kaydedin" -#: evibes/settings/constance.py:56 +#: evibes/settings/constance.py:55 msgid "General Options" msgstr "Genel Seçenekler" -#: evibes/settings/constance.py:63 +#: evibes/settings/constance.py:62 msgid "Email Options" msgstr "E-posta Seçenekleri" -#: evibes/settings/constance.py:73 +#: evibes/settings/constance.py:72 msgid "Features Options" msgstr "Özellikler Seçenekler" -#: evibes/settings/constance.py:83 +#: evibes/settings/constance.py:81 msgid "SEO Options" msgstr "SEO Seçenekleri" -#: evibes/settings/constance.py:87 +#: evibes/settings/constance.py:85 msgid "Debugging Options" msgstr "Hata Ayıklama Seçenekleri" @@ -282,3 +278,4 @@ msgstr "Görev Panosu" #: evibes/settings/jazzmin.py:34 msgid "Support" msgstr "Destek" + diff --git a/evibes/locale/vi_VN/LC_MESSAGES/django.mo b/evibes/locale/vi_VN/LC_MESSAGES/django.mo index 9fb95aa94a9202964a9f37c31a7a67ae624256d8..6a7e7e488e20c8087808b72619ed65e186f41995 100644 GIT binary patch delta 594 zcmXZYy)Q#y6vy$?t0G9bN*h#YtLPxnNC%0R0Ue0MB4P2CSTqrXfli$|h=f7JBt*nu zA?Y6=5sQvuFnC#PuFg70d{26Aa_{Gyd++l+zvns6JWl67g8mcXigR~y5BfxgaLnPs z^^4gCkqWlbZv;eK+`};LV-hbgflt_iW$Zv{5}}k%3}F&=`~)_O)*^T zT;_B<3^C&@+id5*wQi9%%%KK2#7Vp{f9!pVl>NM)Lp`A#jIzEID0JYpeRx0(^n$vR zPh7-rT*0ZR$N*lV?yQ7*GOws7<>4^?VK1g))qo2~cG*M?ki&6Z;DADRa*CsPXT66S cq&8k%z(t)PVWy8~oLiq1D^5+I7;%?^{|JygXaE2J delta 686 zcmY+>O(;ZB6u|LgMlm!#h7m?QA0ZzpjUo#rcGwKbf@zGwh?y`JLz;yJI}0gRQ%YEf zVr8tgDpXP16dhd76eed3T&V9+gcz^84k+~~ewcHil?hKJO9I)`< z%C?Hk<%rm@h&*B!DZni(!F_DRbF9M$EW}?d!-6~!LTN%LcB0N7!hDgKcnMfv!kCGx z=*Ad!;w9>Y57YvFO&!c8lzObf4s_uN=HepSa2>UPO*7v$^Eg(sznl_i0k@cikEj!0 z%>3Q-3o9A_!EsK>MO98#j?!)^u3$q&Oj`DDnyc{QR2^;VZwZm`J6UwSipO_2V$y-o=uNSqz4WtLz!$IBXm_U#0 z3bm6P?8av^ch#f|aiea~gSvpn)Q`>N%R60`vy9q{SBuqNIkFruh6D3~nI+#s>tr}$ yOs|CekzhFFn-4~!7jOAvjuuZUacWGZ5{ID~!#|r!ocN7Uazm3;;>h=Jy8Hn}TwL}5 diff --git a/evibes/locale/vi_VN/LC_MESSAGES/django.po b/evibes/locale/vi_VN/LC_MESSAGES/django.po index e29c9423..569912fd 100644 --- a/evibes/locale/vi_VN/LC_MESSAGES/django.po +++ b/evibes/locale/vi_VN/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: LANGUAGE \n" @@ -66,67 +66,63 @@ msgid "Mail from option" msgstr "Địa chỉ email của người gửi" #: evibes/settings/constance.py:38 -msgid "Use Telegram-bot functionality" -msgstr "Sử dụng chức năng của Telegram-bot" - -#: evibes/settings/constance.py:39 msgid "How many days we store messages from anonymous users" msgstr "Chúng tôi lưu trữ tin nhắn từ người dùng ẩn danh trong bao nhiêu ngày?" -#: evibes/settings/constance.py:40 +#: evibes/settings/constance.py:39 msgid "How many days we store messages from authenticated users" msgstr "" "Chúng tôi lưu trữ tin nhắn từ người dùng đã xác thực trong bao nhiêu ngày?" -#: evibes/settings/constance.py:41 +#: evibes/settings/constance.py:40 msgid "Disable buy functionality" msgstr "Vô hiệu hóa chức năng mua hàng" -#: evibes/settings/constance.py:42 +#: evibes/settings/constance.py:41 msgid "OpenStreetMap Nominatim API URL" msgstr "Địa chỉ URL API Nominatim của OpenStreetMap" -#: evibes/settings/constance.py:43 +#: evibes/settings/constance.py:42 msgid "OpenAI API Key" msgstr "Khóa API OpenAI" -#: evibes/settings/constance.py:44 +#: evibes/settings/constance.py:43 msgid "Abstract API Key" msgstr "Tóm tắt Khóa API" -#: evibes/settings/constance.py:45 +#: evibes/settings/constance.py:44 msgid "HTTP Proxy" msgstr "Proxy HTTP" -#: evibes/settings/constance.py:47 +#: evibes/settings/constance.py:46 msgid "An entity for storing advertisiment data" msgstr "Một thực thể dùng để lưu trữ dữ liệu quảng cáo" -#: evibes/settings/constance.py:48 +#: evibes/settings/constance.py:47 msgid "An entity for storing analytics data" msgstr "Một thực thể dùng để lưu trữ dữ liệu phân tích." -#: evibes/settings/constance.py:50 +#: evibes/settings/constance.py:49 msgid "Save responses from vendors' APIs" msgstr "Lưu trữ phản hồi từ các API của nhà cung cấp" -#: evibes/settings/constance.py:56 +#: evibes/settings/constance.py:55 msgid "General Options" msgstr "Tùy chọn chung" -#: evibes/settings/constance.py:63 +#: evibes/settings/constance.py:62 msgid "Email Options" msgstr "Tùy chọn email" -#: evibes/settings/constance.py:73 +#: evibes/settings/constance.py:72 msgid "Features Options" msgstr "Tính năng và tùy chọn" -#: evibes/settings/constance.py:83 +#: evibes/settings/constance.py:81 msgid "SEO Options" msgstr "Các tùy chọn SEO" -#: evibes/settings/constance.py:87 +#: evibes/settings/constance.py:85 msgid "Debugging Options" msgstr "Các tùy chọn gỡ lỗi" @@ -258,3 +254,4 @@ msgstr "Bảng nhiệm vụ" #: evibes/settings/jazzmin.py:34 msgid "Support" msgstr "Hỗ trợ" + diff --git a/evibes/locale/zh_Hans/LC_MESSAGES/django.mo b/evibes/locale/zh_Hans/LC_MESSAGES/django.mo index 38e070b0ae09ee09dc9c11975de5e80e757b9374..5c0944a9a03956ac8f6f1bc9a2a2efd7542459b3 100644 GIT binary patch delta 594 zcmXZZJ4gdT5P;#y85A|Ad1%m!4^9*gR1_2yUsWswK~h);F;ze;lP-l=T%{nU69ny3 zq!BEFm1wD8r6OXfsZFK-;2i9Jv&+st=1x{_mn(0{=$Y`1(S~SK5s?{Ob?Eqhu-GNi z!W83zD-y>trZL0-FK`_1F@a4SMClPB6c76`K+RvrUXhAy6R^MJF^WZ;#{*o#E7XKn z)C)9ChipPg<0wvG1~;%9cd--qQ7=%k@sW*>(dT?QC(sKtumc}Z6CZ8-Vt!(t>U?3y zf-Rn@>z+N45q!rO{-RzaMyCdJI-kWP=F9>nIA2P(AT+Dk$NVL><26oW1LyD?wUj>p zOE+FLv#6!dp;lxM^}s_Mz$$8GYUT~D>BJp@mhuT_@dNeX)bPI^>PvmpN==#zr<+bK OBK4Nj=GHUu9rq8;OgOXv delta 674 zcmX}pODIHP6u|Lg#+xyWM>HNIlGLD39y>dQW??8Bp&1bdGZsjrEId~7SSV#D8xaUV&zAtk<1E%= z7#r~v^}r`;12Ln6(}YriCD?#Y^kN!LVhYZqHn3#YTV}nBrPP-L0&Uk0t!O(DEynl2! kG;{K9@3y%f&M%%f_y4!Ko^~RS+xriZ$m8nn%i_8G0m*S$rvLx| diff --git a/evibes/locale/zh_Hans/LC_MESSAGES/django.po b/evibes/locale/zh_Hans/LC_MESSAGES/django.po index 8a77fddb..3a9a1247 100644 --- a/evibes/locale/zh_Hans/LC_MESSAGES/django.po +++ b/evibes/locale/zh_Hans/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: EVIBES 2025.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2025-11-11 23:13+0300\n" +"POT-Creation-Date: 2025-11-12 11:52+0300\n" "PO-Revision-Date: 2025-06-16 08:59+0100\n" "Last-Translator: EGOR GORBUNOV \n" "Language-Team: LANGUAGE \n" @@ -66,66 +66,62 @@ msgid "Mail from option" msgstr "邮件发件人地址" #: evibes/settings/constance.py:38 -msgid "Use Telegram-bot functionality" -msgstr "使用 Telegram 机器人功能" - -#: evibes/settings/constance.py:39 msgid "How many days we store messages from anonymous users" msgstr "我们将匿名用户的信息保存多少天" -#: evibes/settings/constance.py:40 +#: evibes/settings/constance.py:39 msgid "How many days we store messages from authenticated users" msgstr "我们会将已验证用户的信息保存多少天" -#: evibes/settings/constance.py:41 +#: evibes/settings/constance.py:40 msgid "Disable buy functionality" msgstr "禁用购买功能" -#: evibes/settings/constance.py:42 +#: evibes/settings/constance.py:41 msgid "OpenStreetMap Nominatim API URL" msgstr "OpenStreetMap Nominatim API URL" -#: evibes/settings/constance.py:43 +#: evibes/settings/constance.py:42 msgid "OpenAI API Key" msgstr "OpenAI API 密钥" -#: evibes/settings/constance.py:44 +#: evibes/settings/constance.py:43 msgid "Abstract API Key" msgstr "抽象应用程序接口密钥" -#: evibes/settings/constance.py:45 +#: evibes/settings/constance.py:44 msgid "HTTP Proxy" msgstr "HTTP 代理服务器" -#: evibes/settings/constance.py:47 +#: evibes/settings/constance.py:46 msgid "An entity for storing advertisiment data" msgstr "存储广告数据的实体" -#: evibes/settings/constance.py:48 +#: evibes/settings/constance.py:47 msgid "An entity for storing analytics data" msgstr "存储分析数据的实体" -#: evibes/settings/constance.py:50 +#: evibes/settings/constance.py:49 msgid "Save responses from vendors' APIs" msgstr "保存来自供应商应用程序接口的响应" -#: evibes/settings/constance.py:56 +#: evibes/settings/constance.py:55 msgid "General Options" msgstr "一般选项" -#: evibes/settings/constance.py:63 +#: evibes/settings/constance.py:62 msgid "Email Options" msgstr "电子邮件选项" -#: evibes/settings/constance.py:73 +#: evibes/settings/constance.py:72 msgid "Features Options" msgstr "功能选项" -#: evibes/settings/constance.py:83 +#: evibes/settings/constance.py:81 msgid "SEO Options" msgstr "搜索引擎优化选项" -#: evibes/settings/constance.py:87 +#: evibes/settings/constance.py:85 msgid "Debugging Options" msgstr "调试选项" @@ -267,3 +263,4 @@ msgstr "任务板" #: evibes/settings/jazzmin.py:34 msgid "Support" msgstr "支持" +