From 953272cdbf3dcf32bc0c8cc5030852954c5198b9 Mon Sep 17 00:00:00 2001 From: Dave Earley Date: Sun, 15 Sep 2024 08:38:04 -0700 Subject: [PATCH 01/12] Make API rate limit configurable --- backend/app/Providers/RouteServiceProvider.php | 3 ++- backend/config/app.php | 1 + 2 files changed, 3 insertions(+), 1 deletion(-) diff --git a/backend/app/Providers/RouteServiceProvider.php b/backend/app/Providers/RouteServiceProvider.php index 460ac40a..07606be9 100644 --- a/backend/app/Providers/RouteServiceProvider.php +++ b/backend/app/Providers/RouteServiceProvider.php @@ -25,7 +25,8 @@ class RouteServiceProvider extends ServiceProvider public function boot(): void { RateLimiter::for('api', function (Request $request) { - return Limit::perMinute(120)->by($request->user()?->id ?: $request->ip()); + return Limit::perMinute(config('app.api_rate_limit_per_minute')) + ->by($request->user()?->id ?: $request->ip()); }); $this->routes(function () { diff --git a/backend/config/app.php b/backend/config/app.php index 3e61b362..e302ce32 100644 --- a/backend/config/app.php +++ b/backend/config/app.php @@ -14,6 +14,7 @@ 'saas_mode_enabled' => env('APP_SAAS_MODE_ENABLED', false), 'saas_stripe_application_fee_percent' => env('APP_SAAS_STRIPE_APPLICATION_FEE_PERCENT', 1.5), 'disable_registration' => env('APP_DISABLE_REGISTRATION', false), + 'api_rate_limit_per_minute' => env('APP_API_RATE_LIMIT_PER_MINUTE', 180), /** * The number of page views to batch before updating the database From 19575f20423f0922e7aab17477c17381600504ca Mon Sep 17 00:00:00 2001 From: Dave Earley Date: Sun, 15 Sep 2024 08:44:22 -0700 Subject: [PATCH 02/12] Update menu order --- .../components/common/GlobalMenu/index.tsx | 31 ++++++++++++------- 1 file changed, 20 insertions(+), 11 deletions(-) diff --git a/frontend/src/components/common/GlobalMenu/index.tsx b/frontend/src/components/common/GlobalMenu/index.tsx index d473854c..c5ca740b 100644 --- a/frontend/src/components/common/GlobalMenu/index.tsx +++ b/frontend/src/components/common/GlobalMenu/index.tsx @@ -9,12 +9,20 @@ import {useDisclosure} from "@mantine/hooks"; import {AboutModal} from "../../modals/AboutModal/index.tsx"; import {getConfig} from "../../../utilites/config.ts"; +interface Link { + label: string; + icon: any; + link?: string; + target?: string; + onClick?: (event: any) => void; +} + export const GlobalMenu = () => { const {data: me} = useGetMe(); const [aboutModalOpen, {open: openAboutModal, close: closeAboutModal}] = useDisclosure(false); - const links = [ + const links: Link[] = [ { label: t`My Profile`, icon: IconUser, @@ -25,16 +33,6 @@ export const GlobalMenu = () => { icon: IconSettingsCog, link: `/account/settings`, }, - { - label: t`Logout`, - icon: IconLogout, - onClick: (event: any) => { - event.preventDefault(); - authClient.logout(); - localStorage.removeItem("token"); - window.location.href = "/auth/login"; - }, - }, ]; if (!getConfig("VITE_HIDE_ABOUT_LINK")) { @@ -45,6 +43,17 @@ export const GlobalMenu = () => { }); } + links.push({ + label: t`Logout`, + icon: IconLogout, + onClick: (event: any) => { + event.preventDefault(); + authClient.logout(); + localStorage.removeItem("token"); + window.location.href = "/auth/login"; + }, + }); + return ( <> From 0cc5b6e9c43f28c040a27ef878cd2d62a448fad1 Mon Sep 17 00:00:00 2001 From: Graham Blair Date: Sun, 15 Sep 2024 12:25:17 -0700 Subject: [PATCH 03/12] Improve ticket quantity edge cases 1. Create shared values for all tiers of a given ticket, to ensure mins/maxes are adhered to and the overall maximum won't be exceeded. 2. Modify backend to allow user to buy < the minimum order size if there aren't enough remaining tickets to meet the minimum order size --- .../OrderCreateRequestValidationService.php | 13 +++- .../common/NumberSelector/index.tsx | 59 ++++++++++++++++--- .../SelectTickets/Prices/Tiered/index.tsx | 5 +- 3 files changed, 66 insertions(+), 11 deletions(-) diff --git a/backend/app/Services/Domain/Order/OrderCreateRequestValidationService.php b/backend/app/Services/Domain/Order/OrderCreateRequestValidationService.php index 61d80839..8f42ed81 100644 --- a/backend/app/Services/Domain/Order/OrderCreateRequestValidationService.php +++ b/backend/app/Services/Domain/Order/OrderCreateRequestValidationService.php @@ -3,6 +3,7 @@ namespace HiEvents\Services\Domain\Order; use Exception; +use HiEvents\DomainObjects\CapacityAssignmentDomainObject; use HiEvents\DomainObjects\Enums\TicketType; use HiEvents\DomainObjects\EventDomainObject; use HiEvents\DomainObjects\Generated\PromoCodeDomainObjectAbstract; @@ -13,6 +14,7 @@ use HiEvents\Repository\Interfaces\PromoCodeRepositoryInterface; use HiEvents\Repository\Interfaces\TicketRepositoryInterface; use HiEvents\Services\Domain\Ticket\AvailableTicketQuantitiesFetchService; +use HiEvents\Services\Domain\Ticket\DTO\AvailableTicketQuantitiesDTO; use HiEvents\Services\Domain\Ticket\DTO\AvailableTicketQuantitiesResponseDTO; use Illuminate\Support\Collection; use Illuminate\Support\Facades\Validator; @@ -186,7 +188,16 @@ private function validateTicketQuantity(int $ticketIndex, array $ticketAndQuanti { $totalQuantity = collect($ticketAndQuantities['quantities'])->sum('quantity'); $maxPerOrder = (int)$ticket->getMaxPerOrder() ?: 100; - $minPerOrder = (int)$ticket->getMinPerOrder() ?: 1; + + $capacityMaximum = $this->availableTicketQuantities + ->ticketQuantities + ->where('ticket_id', $ticket->getId()) + ->map(fn(AvailableTicketQuantitiesDTO $price) => $price->capacities) + ->flatten() + ->min(fn(CapacityAssignmentDomainObject $capacity) => $capacity->getCapacity()); + + # if there are fewer tickets available than the configured minimum, we allow less than the minimum to be purchased + $minPerOrder = min((int)$ticket->getMinPerOrder() ?: 1, $capacityMaximum ?: $maxPerOrder); $this->validateTicketPricesQuantity( quantities: $ticketAndQuantities['quantities'], diff --git a/frontend/src/components/common/NumberSelector/index.tsx b/frontend/src/components/common/NumberSelector/index.tsx index 02890e26..f97a43e3 100644 --- a/frontend/src/components/common/NumberSelector/index.tsx +++ b/frontend/src/components/common/NumberSelector/index.tsx @@ -11,9 +11,10 @@ interface NumberSelectorProps extends TextInputProps { fieldName: string, min?: number; max?: number; + sharedValues?: SharedValues; } -export const NumberSelector = ({formInstance, fieldName, min, max}: NumberSelectorProps) => { +export const NumberSelector = ({formInstance, fieldName, min, max, sharedValues}: NumberSelectorProps) => { const handlers = useRef(null); // Start with 0, ensuring it's treated as number for consistency const [value, setValue] = useState(0); @@ -21,6 +22,8 @@ export const NumberSelector = ({formInstance, fieldName, min, max}: NumberSelect const minValue = min || 0; const maxValue = max || 100; + const [sharedVals, setSharedVals] = useState(sharedValues ?? new SharedValues(maxValue)); + useEffect(() => { formInstance.setFieldValue(fieldName, value); }, [value]); @@ -35,22 +38,37 @@ export const NumberSelector = ({formInstance, fieldName, min, max}: NumberSelect const increment = () => { // Adjust from 0 to minValue on the first increment, if minValue is greater than 0 - if (value === 0 && minValue > 0) { - setValue(minValue); + if (value === 0 && minValue > 1) { + // If incrementing from 0, we have a few scenarios: + // 1. If there is sufficient quantity, increment to the minValue + // 2. If there is insufficient quantity to reach minValue, increment to the remaining quantity + // 3. If another NumberSelector is sharing this NumberSelector's SharedValues, and the amount + // selected on that NumberSelector is less than minValue, increment to an amount where the + // combined count across the NumberSelectors is minValue (or at least 1) + let adjustedMinimum = Math.max(1, minValue - sharedVals.currentValue) + setValue(sharedVals.changeValue(Math.min(adjustedMinimum, maxValue, sharedVals.quantityRemaining))) + } else if (sharedVals.currentValue < minValue) { + setValue(prevValue => prevValue + (sharedVals.changeValue(minValue - sharedVals.currentValue))) } else if (value < maxValue) { - setValue(prevValue => Math.min(maxValue, prevValue + 1)); + setValue(prevValue => prevValue + sharedVals.changeValue(1)); } }; const decrement = () => { - // Ensure decrement does not go below minValue - if (value > minValue) { - setValue(prevValue => Math.max(minValue, prevValue - 1)); + // Ensure decrement does not bring the current shared value between 0 and minValue + if (sharedVals.currentValue > minValue) { + setValue(prevValue => prevValue + sharedVals.changeValue(-1)); } else { + sharedVals.changeValue(-value) setValue(0); } }; + const changeValue = (newValue: number) => { + let adjustedDifference = sharedVals.changeValue(newValue - value); + setValue(value + adjustedDifference); + }; + return (
setValue(value as number)} + onChange={changeValue} classNames={{input: classes.input}} /> = maxValue} + disabled={value >= maxValue || sharedVals.quantityRemaining == 0} onMouseDown={(event) => event.preventDefault()} className={classes.control} > @@ -127,3 +145,26 @@ export const NumberSelectorSelect = ({formInstance, fieldName, min, max, classNa ); } +// Used to aggregate related NumberSelectors together, to allow them to share a common maximum +// and know about the collective values of all the selectors +export class SharedValues { + sharedMax: number; + currentValue: number; + + constructor(sharedMax: number) { + this.sharedMax = sharedMax; + this.currentValue = 0; + } + + get quantityRemaining() { + return this.sharedMax - this.currentValue; + } + + changeValue(difference: number) { + let adjustedDifference = Math.min(difference, this.sharedMax - this.currentValue); + this.currentValue += adjustedDifference; + + return adjustedDifference; + } +} + diff --git a/frontend/src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx b/frontend/src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx index fbb56b2f..3bb3c390 100644 --- a/frontend/src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx +++ b/frontend/src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx @@ -1,7 +1,7 @@ import {Currency, TicketPriceDisplay} from "../../../../../common/Currency"; import {Event, Ticket, TicketType} from "../../../../../../types.ts"; import {Group, TextInput} from "@mantine/core"; -import {NumberSelector} from "../../../../../common/NumberSelector"; +import {NumberSelector, SharedValues} from "../../../../../common/NumberSelector"; import {UseFormReturnType} from "@mantine/form"; import {t} from "@lingui/macro"; import {TicketPriceAvailability} from "../../../../../common/TicketPriceAvailability"; @@ -14,6 +14,8 @@ interface TieredPricingProps { } export const TieredPricing = ({ticket, event, form, ticketIndex}: TieredPricingProps) => { + + const sharedValues = new SharedValues(Math.min(ticket.max_per_order ?? 100, ticket.quantity_available ?? 10000)); return ( <> {ticket?.prices?.map((price, index) => { @@ -63,6 +65,7 @@ export const TieredPricing = ({ticket, event, form, ticketIndex}: TieredPricingP max={(Math.min(price.quantity_remaining ?? 50, ticket.max_per_order ?? 50))} fieldName={`tickets.${ticketIndex}.quantities.${index}.quantity`} formInstance={form} + sharedValues={sharedValues} /> {form.errors[`tickets.${ticketIndex}.quantities.${index}.quantity`] && (
From b9d4e19dced19d4fa70f49d483e5b0a1c880e3db Mon Sep 17 00:00:00 2001 From: Graham Blair Date: Mon, 16 Sep 2024 08:38:06 -0700 Subject: [PATCH 04/12] Add additional case to check ticket availability overall --- .../Domain/Order/OrderCreateRequestValidationService.php | 9 ++++++++- 1 file changed, 8 insertions(+), 1 deletion(-) diff --git a/backend/app/Services/Domain/Order/OrderCreateRequestValidationService.php b/backend/app/Services/Domain/Order/OrderCreateRequestValidationService.php index 8f42ed81..b55ad8c7 100644 --- a/backend/app/Services/Domain/Order/OrderCreateRequestValidationService.php +++ b/backend/app/Services/Domain/Order/OrderCreateRequestValidationService.php @@ -196,8 +196,15 @@ private function validateTicketQuantity(int $ticketIndex, array $ticketAndQuanti ->flatten() ->min(fn(CapacityAssignmentDomainObject $capacity) => $capacity->getCapacity()); + $ticketAvailableQuantity = $this->availableTicketQuantities + ->ticketQuantities + ->first(fn(AvailableTicketQuantitiesDTO $price) => $price->ticket_id === $ticket->getId()) + ->quantity_available; + # if there are fewer tickets available than the configured minimum, we allow less than the minimum to be purchased - $minPerOrder = min((int)$ticket->getMinPerOrder() ?: 1, $capacityMaximum ?: $maxPerOrder); + $minPerOrder = min((int)$ticket->getMinPerOrder() ?: 1, + $capacityMaximum ?: $maxPerOrder, + $ticketAvailableQuantity ?: $maxPerOrder); $this->validateTicketPricesQuantity( quantities: $ticketAndQuantities['quantities'], From 7056eeaa9dd3b5578452fd5315f12f674ea0f560 Mon Sep 17 00:00:00 2001 From: Dave Earley Date: Wed, 18 Sep 2024 20:43:21 -0700 Subject: [PATCH 05/12] Remove setSharedVals --- frontend/src/components/common/NumberSelector/index.tsx | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/frontend/src/components/common/NumberSelector/index.tsx b/frontend/src/components/common/NumberSelector/index.tsx index f97a43e3..4c795dbb 100644 --- a/frontend/src/components/common/NumberSelector/index.tsx +++ b/frontend/src/components/common/NumberSelector/index.tsx @@ -22,7 +22,7 @@ export const NumberSelector = ({formInstance, fieldName, min, max, sharedValues} const minValue = min || 0; const maxValue = max || 100; - const [sharedVals, setSharedVals] = useState(sharedValues ?? new SharedValues(maxValue)); + const [sharedVals] = useState(sharedValues ?? new SharedValues(maxValue)); useEffect(() => { formInstance.setFieldValue(fieldName, value); From 0bdd5f0808a4576d34b5efcc496efd0246eb486b Mon Sep 17 00:00:00 2001 From: Dave Earley Date: Thu, 19 Sep 2024 18:26:03 -0700 Subject: [PATCH 06/12] Update All-in-one Docker instructions --- docker/all-in-one/.env | 17 +++++++++++++++++ docker/all-in-one/README.md | 7 ++++++- docker/all-in-one/docker-compose.yml | 20 ++++++++++---------- 3 files changed, 33 insertions(+), 11 deletions(-) diff --git a/docker/all-in-one/.env b/docker/all-in-one/.env index 1a6c74a3..72fd12f5 100644 --- a/docker/all-in-one/.env +++ b/docker/all-in-one/.env @@ -1,2 +1,19 @@ +# See the README.md for informaiton on how to generate the JWT_SECRET and APP_KEY APP_KEY= JWT_SECRET= + +VITE_FRONTEND_URL=http://localhost:8123 +VITE_API_URL_CLIENT=http://localhost:8123/api +VITE_API_URL_SERVER=http://localhost:80/api +VITE_STRIPE_PUBLISHABLE_KEY=pk_test + +LOG_CHANNEL=stderr +QUEUE_CONNECTION=sync +MAIL_MAILER=log + +FILESYSTEM_PUBLIC_DISK=public +FILESYSTEM_PRIVATE_DISK=local + +APP_CDN_URL=http://localhost:8123/storage + +DATABASE_URL=postgresql://postgres:secret@postgres:5432/hi-events diff --git a/docker/all-in-one/README.md b/docker/all-in-one/README.md index 08cff3e1..39b50a86 100644 --- a/docker/all-in-one/README.md +++ b/docker/all-in-one/README.md @@ -1,6 +1,11 @@ # Hi.Events All-in-One Docker Image -The all-in-one Docker image runs both the frontend and backend services in a single container. While it can be used in production, the recommended approach for production is to run the frontend and backend separately for better scalability and security. +The all-in-one Docker image runs both the frontend and backend services in a single container. While it can be used in +production, the recommended approach for production is to run the frontend and backend separately for better scalability and security. + +The provided docker-compose.yml file is meant for development and testing purposes. For production, you should use +the [Docker image](https://hub.docker.com/r/daveearley/hi.events-all-in-one), or create your own Docker compose file with the +necessary [configurations for production](https://hi.events/docs/getting-started/deploying#configuring-environment-variables). ## Quick Start with Docker diff --git a/docker/all-in-one/docker-compose.yml b/docker/all-in-one/docker-compose.yml index a33660b2..f315b428 100644 --- a/docker/all-in-one/docker-compose.yml +++ b/docker/all-in-one/docker-compose.yml @@ -7,18 +7,18 @@ services: ports: - "8123:80" environment: - - VITE_FRONTEND_URL=http://localhost:8123 - - VITE_API_URL_CLIENT=http://localhost:8123/api - - VITE_API_URL_SERVER=http://localhost:80/api - - VITE_STRIPE_PUBLISHABLE_KEY=pk_test - - LOG_CHANNEL=stderr - - QUEUE_CONNECTION=sync - - MAIL_MAILER=array + - VITE_FRONTEND_URL=${VITE_FRONTEND_URL} + - VITE_API_URL_CLIENT=${VITE_API_URL_CLIENT} + - VITE_API_URL_SERVER=${VITE_API_URL_SERVER} + - VITE_STRIPE_PUBLISHABLE_KEY=${VITE_STRIPE_PUBLISHABLE_KEY} + - LOG_CHANNEL=${LOG_CHANNEL} + - QUEUE_CONNECTION=${QUEUE_CONNECTION} + - MAIL_MAILER=${MAIL_MAILER} - APP_KEY=${APP_KEY} - JWT_SECRET=${JWT_SECRET} - - FILESYSTEM_PUBLIC_DISK=public - - FILESYSTEM_PRIVATE_DISK=local - - APP_CDN_URL=http://localhost:8123/storage + - FILESYSTEM_PUBLIC_DISK=${FILESYSTEM_PUBLIC_DISK} + - FILESYSTEM_PRIVATE_DISK=${FILESYSTEM_PRIVATE_DISK} + - APP_CDN_URL=${APP_CDN_URL} - DATABASE_URL=postgresql://postgres:secret@postgres:5432/hi-events depends_on: From 758452668862686e9b164239d3409695703006da Mon Sep 17 00:00:00 2001 From: Dave Earley Date: Sat, 21 Sep 2024 22:25:27 -0700 Subject: [PATCH 07/12] Add missing order attendee count validation --- .../Order/SendOrderDetailsEmailListener.php | 2 +- .../Handlers/Order/CompleteOrderHandler.php | 38 ++- backend/phpunit.xml | 2 +- .../Order/CompleteOrderHandlerTest.php | 296 ++++++++++++++++++ 4 files changed, 327 insertions(+), 11 deletions(-) create mode 100644 backend/tests/Unit/Services/Handlers/Order/CompleteOrderHandlerTest.php diff --git a/backend/app/Listeners/Order/SendOrderDetailsEmailListener.php b/backend/app/Listeners/Order/SendOrderDetailsEmailListener.php index 5cfa051d..85ee2256 100644 --- a/backend/app/Listeners/Order/SendOrderDetailsEmailListener.php +++ b/backend/app/Listeners/Order/SendOrderDetailsEmailListener.php @@ -5,7 +5,7 @@ use HiEvents\Events\OrderStatusChangedEvent; use HiEvents\Jobs\Order\SendOrderDetailsEmailJob; -readonly class SendOrderDetailsEmailListener +class SendOrderDetailsEmailListener { public function handle(OrderStatusChangedEvent $changedEvent): void { diff --git a/backend/app/Services/Handlers/Order/CompleteOrderHandler.php b/backend/app/Services/Handlers/Order/CompleteOrderHandler.php index 33a18197..0d9751cf 100644 --- a/backend/app/Services/Handlers/Order/CompleteOrderHandler.php +++ b/backend/app/Services/Handlers/Order/CompleteOrderHandler.php @@ -15,10 +15,12 @@ use HiEvents\DomainObjects\Status\AttendeeStatus; use HiEvents\DomainObjects\Status\OrderPaymentStatus; use HiEvents\DomainObjects\Status\OrderStatus; +use HiEvents\DomainObjects\TicketDomainObject; use HiEvents\DomainObjects\TicketPriceDomainObject; use HiEvents\Events\OrderStatusChangedEvent; use HiEvents\Exceptions\ResourceConflictException; use HiEvents\Helper\IdHelper; +use HiEvents\Repository\Eloquent\Value\Relationship; use HiEvents\Repository\Interfaces\AttendeeRepositoryInterface; use HiEvents\Repository\Interfaces\OrderRepositoryInterface; use HiEvents\Repository\Interfaces\QuestionAnswerRepositoryInterface; @@ -37,14 +39,14 @@ /** * @todo - Tidy this up */ -readonly class CompleteOrderHandler +class CompleteOrderHandler { public function __construct( - private OrderRepositoryInterface $orderRepository, - private AttendeeRepositoryInterface $attendeeRepository, - private QuestionAnswerRepositoryInterface $questionAnswersRepository, - private TicketQuantityUpdateService $ticketQuantityUpdateService, - private TicketPriceRepositoryInterface $ticketPriceRepository, + private readonly OrderRepositoryInterface $orderRepository, + private readonly AttendeeRepositoryInterface $attendeeRepository, + private readonly QuestionAnswerRepositoryInterface $questionAnswersRepository, + private readonly TicketQuantityUpdateService $ticketQuantityUpdateService, + private readonly TicketPriceRepositoryInterface $ticketPriceRepository, ) { } @@ -89,7 +91,6 @@ public function handle(string $orderShortId, CompleteOrderDTO $orderData): Order private function createAttendees(Collection $attendees, OrderDomainObject $order): void { $inserts = []; - $publicIdIndex = 1; $ticketsPrices = $this->ticketPriceRepository->findWhereIn( field: TicketPriceDomainObjectAbstract::ID, @@ -97,6 +98,7 @@ private function createAttendees(Collection $attendees, OrderDomainObject $order ); $this->validateTicketPriceIdsMatchOrder($order, $ticketsPrices); + $this->validateAttendees($order, $attendees); foreach ($attendees as $attendee) { $ticketId = $ticketsPrices->first( @@ -192,7 +194,7 @@ private function createAttendeeQuestions( private function validateOrder(OrderDomainObject $order): void { if ($order->getEmail() !== null) { - throw new ResourceConflictException(__('This order is has already been processed')); + throw new ResourceConflictException(__('This order has already been processed')); } if (Carbon::createFromTimeString($order->getReservedUntil())->isPast()) { @@ -210,7 +212,11 @@ private function validateOrder(OrderDomainObject $order): void private function getOrder(string $orderShortId): OrderDomainObject { $order = $this->orderRepository - ->loadRelation(OrderItemDomainObject::class) + ->loadRelation( + new Relationship( + domainObject: OrderItemDomainObject::class, + nested: [new Relationship(TicketDomainObject::class, name: 'ticket')] + )) ->findByShortId($orderShortId); if ($order === null) { @@ -258,4 +264,18 @@ private function validateTicketPriceIdsMatchOrder(OrderDomainObject $order, Coll throw new ResourceConflictException(__('There is an unexpected ticket price ID in the order')); } } + + /** + * @throws ResourceConflictException + */ + private function validateAttendees(OrderDomainObject $order, Collection $attendees): void + { + $orderAttendeeCount = $order->getOrderItems()->sum(fn(OrderItemDomainObject $orderItem) => $orderItem->getQuantity()); + + if ($orderAttendeeCount !== $attendees->count()) { + throw new ResourceConflictException( + __('The number of attendees does not match the number of tickets in the order') + ); + } + } } diff --git a/backend/phpunit.xml b/backend/phpunit.xml index 4f3d5a61..9b11db4f 100644 --- a/backend/phpunit.xml +++ b/backend/phpunit.xml @@ -21,7 +21,7 @@ - + diff --git a/backend/tests/Unit/Services/Handlers/Order/CompleteOrderHandlerTest.php b/backend/tests/Unit/Services/Handlers/Order/CompleteOrderHandlerTest.php new file mode 100644 index 00000000..2cd976ec --- /dev/null +++ b/backend/tests/Unit/Services/Handlers/Order/CompleteOrderHandlerTest.php @@ -0,0 +1,296 @@ +orderRepository = Mockery::mock(OrderRepositoryInterface::class); + $this->attendeeRepository = Mockery::mock(AttendeeRepositoryInterface::class); + $this->questionAnswersRepository = Mockery::mock(QuestionAnswerRepositoryInterface::class); + $this->ticketQuantityUpdateService = Mockery::mock(TicketQuantityUpdateService::class); + $this->ticketPriceRepository = Mockery::mock(TicketPriceRepositoryInterface::class); + + $this->completeOrderHandler = new CompleteOrderHandler( + $this->orderRepository, + $this->attendeeRepository, + $this->questionAnswersRepository, + $this->ticketQuantityUpdateService, + $this->ticketPriceRepository + ); + } + + protected function tearDown(): void + { + Mockery::close(); + parent::tearDown(); + } + + public function testHandleSuccessfullyCompletesOrder(): void + { + $orderShortId = 'ABC123'; + $orderData = $this->createMockCompleteOrderDTO(); + $order = $this->createMockOrder(); + $updatedOrder = $this->createMockOrder(); + + $this->orderRepository->shouldReceive('findByShortId')->with($orderShortId)->andReturn($order); + $this->orderRepository->shouldReceive('loadRelation')->andReturnSelf(); + $this->orderRepository->shouldReceive('updateFromArray')->andReturn($updatedOrder); + $this->orderRepository->shouldReceive('loadRelation')->andReturnSelf(); + + $this->ticketPriceRepository->shouldReceive('findWhereIn')->andReturn(new Collection([$this->createMockTicketPrice()])); + + $this->attendeeRepository->shouldReceive('insert')->andReturn(true); + $this->attendeeRepository->shouldReceive('findWhere')->andReturn(new Collection([$this->createMockAttendee()])); + + $this->ticketQuantityUpdateService->shouldReceive('updateQuantitiesFromOrder'); + + $this->completeOrderHandler->handle($orderShortId, $orderData); + + $this->assertTrue(true); + } + + public function testHandleThrowsResourceNotFoundExceptionWhenOrderNotFound(): void + { + $this->expectException(ResourceNotFoundException::class); + + $orderShortId = 'NONEXISTENT'; + $orderData = $this->createMockCompleteOrderDTO(); + + $this->orderRepository->shouldReceive('findByShortId')->with($orderShortId)->andReturnNull(); + $this->orderRepository->shouldReceive('loadRelation')->andReturnSelf(); + + $this->completeOrderHandler->handle($orderShortId, $orderData); + } + + public function testHandleThrowsResourceConflictExceptionWhenOrderAlreadyProcessed(): void + { + $this->expectException(ResourceConflictException::class); + $this->expectExceptionMessage('This order has already been processed'); + + $orderShortId = 'ABC123'; + $orderData = $this->createMockCompleteOrderDTO(); + + $order = $this->createMockOrder(OrderStatus::COMPLETED); + $order->setEmail('d@d.com'); + $order->setTotalGross(0); + + $this->orderRepository->shouldReceive('findByShortId')->with($orderShortId)->andReturn($order); + $this->orderRepository->shouldReceive('loadRelation')->andReturnSelf(); + + $this->completeOrderHandler->handle($orderShortId, $orderData); + } + + public function testHandleThrowsResourceConflictExceptionWhenOrderExpired(): void + { + $this->expectException(ResourceConflictException::class); + + $orderShortId = 'ABC123'; + $orderData = $this->createMockCompleteOrderDTO(); + $order = $this->createMockOrder(); + $order->setEmail('d@d.com'); + $order->setReservedUntil(Carbon::now()->subHour()->toDateTimeString()); + $order->setTotalGross(100); + + $this->orderRepository->shouldReceive('findByShortId')->with($orderShortId)->andReturn($order); + $this->orderRepository->shouldReceive('loadRelation')->andReturnSelf(); + + $this->completeOrderHandler->handle($orderShortId, $orderData); + } + + public function testHandleUpdatesTicketQuantitiesForFreeOrder(): void + { + $orderShortId = 'ABC123'; + $orderData = $this->createMockCompleteOrderDTO(); + $order = $this->createMockOrder(); + $updatedOrder = $this->createMockOrder(OrderStatus::COMPLETED); + + $order->setTotalGross(0); + $this->orderRepository->shouldReceive('findByShortId')->with($orderShortId)->andReturn($order); + $this->orderRepository->shouldReceive('loadRelation')->andReturnSelf(); + $this->orderRepository->shouldReceive('updateFromArray')->andReturn($updatedOrder); + + $this->ticketPriceRepository->shouldReceive('findWhereIn')->andReturn(new Collection([$this->createMockTicketPrice()])); + + $this->attendeeRepository->shouldReceive('insert')->andReturn(true); + $this->attendeeRepository->shouldReceive('findWhere')->andReturn(new Collection([$this->createMockAttendee()])); + + $this->ticketQuantityUpdateService->shouldReceive('updateQuantitiesFromOrder')->once(); + + $order = $this->completeOrderHandler->handle($orderShortId, $orderData); + + $this->assertSame($order->getStatus(), OrderStatus::COMPLETED->name); + } + + public function testHandleDoesNotUpdateTicketQuantitiesForPaidOrder(): void + { + $orderShortId = 'ABC123'; + $orderData = $this->createMockCompleteOrderDTO(); + $order = $this->createMockOrder(); + $updatedOrder = $this->createMockOrder(); + + $order->setTotalGross(10); + + $this->orderRepository->shouldReceive('findByShortId')->with($orderShortId)->andReturn($order); + $this->orderRepository->shouldReceive('loadRelation')->andReturnSelf(); + $this->orderRepository->shouldReceive('updateFromArray')->andReturn($updatedOrder); + + $this->ticketPriceRepository->shouldReceive('findWhereIn')->andReturn(new Collection([$this->createMockTicketPrice()])); + + $this->attendeeRepository->shouldReceive('insert')->andReturn(true); + $this->attendeeRepository->shouldReceive('findWhere')->andReturn(new Collection([$this->createMockAttendee()])); + + $this->ticketQuantityUpdateService->shouldNotReceive('updateQuantitiesFromOrder'); + + $this->completeOrderHandler->handle($orderShortId, $orderData); + + $this->expectNotToPerformAssertions(); + } + + public function testHandleThrowsExceptionWhenAttendeeInsertFails(): void + { + $this->expectException(Exception::class); + + $orderShortId = 'ABC123'; + $orderData = $this->createMockCompleteOrderDTO(); + $order = $this->createMockOrder(); + $updatedOrder = $this->createMockOrder(); + + $this->orderRepository->shouldReceive('findByShortId')->with($orderShortId)->andReturn($order); + $this->orderRepository->shouldReceive('loadRelation')->andReturnSelf(); + $this->orderRepository->shouldReceive('updateFromArray')->andReturn($updatedOrder); + + $this->ticketPriceRepository->shouldReceive('findWhereIn')->andReturn(new Collection([$this->createMockTicketPrice()])); + + $this->attendeeRepository->shouldReceive('insert')->andReturn(false); + + $this->completeOrderHandler->handle($orderShortId, $orderData); + } + + public function testExceptionIsThrowWhenAttendeeCountDoesNotMatchOrderItemsCount(): void + { + $this->expectException(ResourceConflictException::class); + $this->expectExceptionMessage('The number of attendees does not match the number of tickets in the order'); + + $orderShortId = 'ABC123'; + $orderData = $this->createMockCompleteOrderDTO(); + $order = $this->createMockOrder(); + $updatedOrder = $this->createMockOrder(); + + $order->getOrderItems()->first()->setQuantity(2); + + $this->orderRepository->shouldReceive('findByShortId')->with($orderShortId)->andReturn($order); + $this->orderRepository->shouldReceive('loadRelation')->andReturnSelf(); + $this->orderRepository->shouldReceive('updateFromArray')->andReturn($updatedOrder); + + $this->ticketPriceRepository->shouldReceive('findWhereIn')->andReturn(new Collection([$this->createMockTicketPrice()])); + + $this->attendeeRepository->shouldReceive('insert')->andReturn(true); + $this->attendeeRepository->shouldReceive('findWhere')->andReturn(new Collection()); + + $this->completeOrderHandler->handle($orderShortId, $orderData); + } + + private function createMockCompleteOrderDTO(): CompleteOrderDTO + { + $orderDTO = new CompleteOrderOrderDTO( + first_name: 'John', + last_name: 'Doe', + email: 'john@example.com', + questions: null, + ); + + $attendeeDTO = new CompleteOrderAttendeeDTO( + first_name: 'John', + last_name: 'Doe', + email: 'john@example.com', + ticket_price_id: 1 + ); + + return new CompleteOrderDTO( + order: $orderDTO, + attendees: new Collection([$attendeeDTO]) + ); + } + + private function createMockOrder(OrderStatus $status = OrderStatus::RESERVED): OrderDomainObject|MockInterface + { + return (new OrderDomainObject()) + ->setEmail(null) + ->setReservedUntil(Carbon::now()->addHour()->toDateTimeString()) + ->setStatus($status->name) + ->setId(1) + ->setEventId(1) + ->setLocale('en') + ->setTotalGross(10) + ->setOrderItems(new Collection([ + $this->createMockOrderItem() + ])); + } + + private function createMockOrderItem(): OrderItemDomainObject|MockInterface + { + return (new OrderItemDomainObject()) + ->setId(1) + ->setTicketId(1) + ->setQuantity(1) + ->setPrice(10) + ->setTotalGross(10) + ->setTicketPriceId(1); + } + + private function createMockTicketPrice(): TicketPriceDomainObject|MockInterface + { + $ticketPrice = Mockery::mock(TicketPriceDomainObject::class); + $ticketPrice->shouldReceive('getId')->andReturn(1); + $ticketPrice->shouldReceive('getTicketId')->andReturn(1); + return $ticketPrice; + } + + private function createMockAttendee(): AttendeeDomainObject|MockInterface + { + $attendee = Mockery::mock(AttendeeDomainObject::class); + $attendee->shouldReceive('getId')->andReturn(1); + $attendee->shouldReceive('getTicketId')->andReturn(1); + return $attendee; + } +} From d1993f679fdc1216d119924ce1464c2605ab0f44 Mon Sep 17 00:00:00 2001 From: Dave Earley Date: Sat, 21 Sep 2024 22:32:49 -0700 Subject: [PATCH 08/12] Mock DB transaction --- .../Unit/Services/Handlers/Order/CompleteOrderHandlerTest.php | 3 +++ 1 file changed, 3 insertions(+) diff --git a/backend/tests/Unit/Services/Handlers/Order/CompleteOrderHandlerTest.php b/backend/tests/Unit/Services/Handlers/Order/CompleteOrderHandlerTest.php index 2cd976ec..a68f595e 100644 --- a/backend/tests/Unit/Services/Handlers/Order/CompleteOrderHandlerTest.php +++ b/backend/tests/Unit/Services/Handlers/Order/CompleteOrderHandlerTest.php @@ -21,12 +21,14 @@ use HiEvents\Services\Handlers\Order\DTO\CompleteOrderOrderDTO; use Illuminate\Support\Collection; use Illuminate\Support\Facades\Bus; +use Illuminate\Support\Facades\DB; use Illuminate\Support\Facades\Mail; use Illuminate\Support\Facades\Queue; use Mockery; use Mockery\MockInterface; use Symfony\Component\Routing\Exception\ResourceNotFoundException; use Tests\TestCase; +use Illuminate\Database\Connection; class CompleteOrderHandlerTest extends TestCase { @@ -43,6 +45,7 @@ protected function setUp(): void Queue::fake(); Mail::fake(); Bus::fake(); + DB::shouldReceive('transaction')->andReturnUsing(fn($callback) => $callback(Mockery::mock(Connection::class))); $this->orderRepository = Mockery::mock(OrderRepositoryInterface::class); $this->attendeeRepository = Mockery::mock(AttendeeRepositoryInterface::class); From ce78848b30e6e1447607759476aaadc71e4f4dc6 Mon Sep 17 00:00:00 2001 From: Dave Earley Date: Sun, 22 Sep 2024 14:13:13 -0700 Subject: [PATCH 09/12] Fix tickets with unlimited quantity and 'show_remaining_quantity' prevent checkout --- backend/app/Constants.php | 2 +- .../app/DomainObjects/TicketDomainObject.php | 8 +++ .../SelectTickets/Prices/Tiered/index.tsx | 1 - .../ticket-widget/SelectTickets/index.tsx | 30 +++++--- frontend/src/constants.ts | 4 ++ frontend/src/locales/de.js | 2 +- frontend/src/locales/de.po | 68 ++++++++++++------- frontend/src/locales/en.js | 2 +- frontend/src/locales/en.po | 68 ++++++++++++------- frontend/src/locales/es.js | 2 +- frontend/src/locales/es.po | 68 ++++++++++++------- frontend/src/locales/fr.js | 2 +- frontend/src/locales/fr.po | 68 ++++++++++++------- frontend/src/locales/pt-br.js | 2 +- frontend/src/locales/pt-br.po | 68 ++++++++++++------- frontend/src/locales/pt.js | 2 +- frontend/src/locales/pt.po | 68 ++++++++++++------- frontend/src/locales/ru.js | 2 +- frontend/src/locales/ru.po | 68 ++++++++++++------- frontend/src/locales/zh-cn.js | 2 +- frontend/src/locales/zh-cn.po | 68 ++++++++++++------- 21 files changed, 377 insertions(+), 228 deletions(-) create mode 100644 frontend/src/constants.ts diff --git a/backend/app/Constants.php b/backend/app/Constants.php index a5e6e312..0d265430 100644 --- a/backend/app/Constants.php +++ b/backend/app/Constants.php @@ -11,5 +11,5 @@ final class Constants * * @var int */ - public const INFINITE = PHP_INT_MAX; + public const INFINITE = 999999999; } diff --git a/backend/app/DomainObjects/TicketDomainObject.php b/backend/app/DomainObjects/TicketDomainObject.php index b0965f1b..718a5cc6 100644 --- a/backend/app/DomainObjects/TicketDomainObject.php +++ b/backend/app/DomainObjects/TicketDomainObject.php @@ -3,6 +3,7 @@ namespace HiEvents\DomainObjects; use Carbon\Carbon; +use HiEvents\Constants; use HiEvents\DomainObjects\Enums\TicketType; use HiEvents\DomainObjects\Interfaces\IsSortable; use HiEvents\DomainObjects\SortingAndFiltering\AllowedSorts; @@ -98,6 +99,13 @@ public function getQuantityAvailable(): int return 0; } + // This is to address a case where prices have an unlimited quantity available and the user has + // enabled show_quantity_remaining. + if ($this->getShowQuantityRemaining() + && $this->getTicketPrices()->first(fn(TicketPriceDomainObject $price) => $price->getQuantityAvailable() === null)) { + return Constants::INFINITE; + } + return $availableCount; } diff --git a/frontend/src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx b/frontend/src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx index 3bb3c390..81e34e3d 100644 --- a/frontend/src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx +++ b/frontend/src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx @@ -14,7 +14,6 @@ interface TieredPricingProps { } export const TieredPricing = ({ticket, event, form, ticketIndex}: TieredPricingProps) => { - const sharedValues = new SharedValues(Math.min(ticket.max_per_order ?? 100, ticket.quantity_available ?? 10000)); return ( <> diff --git a/frontend/src/components/routes/ticket-widget/SelectTickets/index.tsx b/frontend/src/components/routes/ticket-widget/SelectTickets/index.tsx index 4019b2ea..a530ca92 100644 --- a/frontend/src/components/routes/ticket-widget/SelectTickets/index.tsx +++ b/frontend/src/components/routes/ticket-widget/SelectTickets/index.tsx @@ -24,6 +24,7 @@ import {eventsClientPublic} from "../../../../api/event.client.ts"; import {promoCodeClientPublic} from "../../../../api/promo-code.client.ts"; import {IconX} from "@tabler/icons-react" import {getSessionIdentifier} from "../../../../utilites/sessionIdentifier.ts"; +import {Constants} from "../../../../constants.ts"; const sendHeightToIframeWidgets = () => { const height = document.documentElement.scrollHeight; @@ -234,15 +235,15 @@ const SelectTickets = (props: SelectTicketsProps) => { return ( (
+ ref={resizeRef} + style={{ + '--widget-background-color': props.colors?.background, + '--widget-primary-color': props.colors?.primary, + '--widget-primary-text-color': props.colors?.primaryText, + '--widget-secondary-color': props.colors?.secondary, + '--widget-secondary-text-color': props.colors?.secondaryText, + '--widget-padding': props?.padding, + } as React.CSSProperties}> {!ticketAreAvailable && (

@@ -295,7 +296,16 @@ const SelectTickets = (props: SelectTicketsProps) => {

{(ticket.is_available && !!ticket.quantity_available) && ( <> - {ticket?.quantity_available} available + {ticket.quantity_available === Constants.INFINITE_TICKETS && ( + + Unlimited available + + )} + {ticket.quantity_available !== Constants.INFINITE_TICKETS && ( + + {ticket.quantity_available} available + + )} )} diff --git a/frontend/src/constants.ts b/frontend/src/constants.ts new file mode 100644 index 00000000..26801ecb --- /dev/null +++ b/frontend/src/constants.ts @@ -0,0 +1,4 @@ +export const Constants = { + // An arbitrary to represent an infinite number of tickets + INFINITE_TICKETS: 999999999 +} diff --git a/frontend/src/locales/de.js b/frontend/src/locales/de.js index b8fb0d7f..2cb840a9 100644 --- a/frontend/src/locales/de.js +++ b/frontend/src/locales/de.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"1bpx9A\":\"...\",\"f8qS7T\":\"„Es gibt noch nichts zu zeigen“\",\"4zldrf\":[[\"0\",\"plural\",{\"one\":[\"#\",\" hidden question\"],\"other\":[\"#\",\" hidden questions\"]}]],\"J/hVSQ\":[[\"0\"]],\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"Jv22kr\":[[\"0\"],\" <0>erfolgreich eingecheckt\"],\"yxhYRZ\":[[\"0\"],\" <0>erfolgreich ausgecheckt\"],\"KMgp2+\":[[\"0\"],\" verfügbar\"],\"tmew5X\":[[\"0\"],\" eingecheckt\"],\"Pmr5xp\":[[\"0\"],\" erfolgreich erstellt\"],\"FImCSc\":[[\"0\"],\" erfolgreich aktualisiert\"],\"KOr9b4\":[[\"0\"],\"s Veranstaltungen\"],\"qSiUsc\":[[\"0\"],[\"1\"]],\"cU8MWb\":[[\"0\"],\"/\",[\"1\"],\" eingecheckt\"],\"Vjij1k\":[[\"days\"],\" Tage, \",[\"hours\"],\" Stunden, \",[\"minutes\"],\" Minuten und \",[\"seconds\"],\" Sekunden\"],\"f3RdEk\":[[\"hours\"],\" Stunden, \",[\"minutes\"],\" Minuten und \",[\"seconds\"],\" Sekunden\"],\"wapGcj\":[[\"message\"]],\"fyE7Au\":[[\"Minuten\"],\" Minuten und \",[\"Sekunden\"],\" Sekunden\"],\"NlQ0cx\":[\"Erste Veranstaltung von \",[\"organizerName\"]],\"Ul6IgC\":\"<0>Kapazitätszuweisungen ermöglichen es Ihnen, die Kapazität über Tickets oder ein ganzes Ereignis zu verwalten. Ideal für mehrtägige Veranstaltungen, Workshops und mehr, bei denen die Kontrolle der Teilnehmerzahl entscheidend ist.<1>Beispielsweise können Sie eine Kapazitätszuweisung mit einem <2>Tag Eins und einem <3>Alle Tage-Ticket verknüpfen. Sobald die Kapazität erreicht ist, werden beide Tickets automatisch nicht mehr zum Verkauf angeboten.\",\"Exjbj7\":\"<0>Einchecklisten helfen, den Eintritt der Teilnehmer zu verwalten. Sie können mehrere Tickets mit einer Eincheckliste verknüpfen und sicherstellen, dass nur Personen mit gültigen Tickets eintreten können.\",\"OXku3b\":\"<0>https://Ihre-website.com\",\"qnSLLW\":\"<0>Bitte geben Sie den Preis ohne Steuern und Gebühren ein.<1>Steuern und Gebühren können unten hinzugefügt werden.\",\"0940VN\":\"<0>Die Anzahl der verfügbaren Tickets für dieses Ticket<1>Dieser Wert kann überschrieben werden, wenn diesem Ticket <2>Kapazitätsgrenzen zugewiesen sind.\",\"E15xs8\":\"⚡️ Richten Sie Ihre Veranstaltung ein\",\"FL6OwU\":\"✉️ Bestätigen Sie Ihre E-Mail-Adresse\",\"y1NShf\":\"🎉 Congratulation on creating an event!\",\"BN0OQd\":\"🎉 Herzlichen Glückwunsch zur Erstellung einer Veranstaltung!\",\"fAv9QG\":\"🎟️ Tickets hinzufügen\",\"4WT5tD\":\"🎨 Passen Sie Ihre Veranstaltungsseite an\",\"3VPPdS\":\"💳 Mit Stripe verbinden\",\"s4Tgn6\":\"📢 Promote your event\",\"cjdktw\":\"🚀 Setze dein Event live\",\"rmelwV\":\"0 Minuten und 0 Sekunden\",\"UQ7pBY\":\"0.50 for $0.50\",\"i1+xzD\":\"1.75 for 1.75%\",\"i0puaE\":\"10.00\",\"W9+fkZ\":\"10001\",\"qdfdgM\":\"123 Hauptstraße\",\"IoRZzD\":\"20\",\"+H1RMb\":\"01.01.2024 10:00\",\"Q/T49U\":\"01.01.2024 18:00\",\"hMT8+2\":\"94103\",\"efAM7X\":\"Ein Datumseingabefeld. Perfekt, um nach einem Geburtsdatum usw. zu fragen.\",\"d9El7Q\":[\"Auf alle neuen Tickets wird automatisch ein Standard-\",[\"type\"],\" angewendet. Sie können dies für jedes Ticket einzeln überschreiben.\"],\"SMUbbQ\":\"Eine Dropdown-Eingabe erlaubt nur eine Auswahl\",\"qv4bfj\":\"Eine Gebühr, beispielsweise eine Buchungsgebühr oder eine Servicegebühr\",\"Pgaiuj\":\"Ein fester Betrag pro Ticket. Z. B. 0,50 $ pro Ticket\",\"f4vJgj\":\"Eine mehrzeilige Texteingabe\",\"ySO/4f\":\"Ein Prozentsatz des Ticketpreises. Beispiel: 3,5 % des Ticketpreises\",\"WXeXGB\":\"Mit einem Promo-Code ohne Rabatt können versteckte Tickets freigeschaltet werden.\",\"GMhWB5\":\"A Radio option allows has multiple options but only one can be selected.\",\"CBt3s7\":\"A Radio Option allows only one selection\",\"AG/qmQ\":\"Eine Radiooption hat mehrere Optionen, aber nur eine kann ausgewählt werden.\",\"7g61G9\":\"A short description of Awesome Events Ltd.\",\"h179TP\":\"Eine kurze Beschreibung der Veranstaltung, die in Suchmaschinenergebnissen und beim Teilen in sozialen Medien angezeigt wird. Standardmäßig wird die Veranstaltungsbeschreibung verwendet\",\"WKMnh4\":\"Eine einzeilige Texteingabe\",\"zCk10D\":\"Eine einzelne Frage pro Teilnehmer. Z. B.: „Was ist Ihr Lieblingsessen?“\",\"ap3v36\":\"Eine einzige Frage pro Bestellung. Z. B.: Wie lautet der Name Ihres Unternehmens?\",\"RlJmQg\":\"Eine Standardsteuer wie Mehrwertsteuer oder GST\",\"pDwHGk\":\"About hi.events\",\"uIKNjo\":\"Über die Veranstaltung\",\"bfXQ+N\":\"Die Einladung annehmen\",\"iwyhk4\":\"Access to the VIP area...\",\"AeXO77\":\"Konto\",\"0b79Xf\":\"Account Email\",\"lkNdiH\":\"Kontoname\",\"Puv7+X\":\"Account Einstellungen\",\"OmylXO\":\"Konto erfolgreich aktualisiert\",\"7L01XJ\":\"Aktionen\",\"FQBaXG\":\"aktivieren Sie\",\"5T2HxQ\":\"Aktivierungsdatum\",\"F6pfE9\":\"Aktiv\",\"m16xKo\":\"Hinzufügen\",\"LKNynS\":\"Add a cover image, description, and more to make your event stand out.\",\"/PN1DA\":\"Fügen Sie eine Beschreibung für diese Eincheckliste hinzu\",\"PGPGsL\":\"Beschreibung hinzufügen\",\"gMK0ps\":\"Fügen Sie Ereignisdetails hinzu und verwalten Sie die Ereigniseinstellungen.\",\"Fb+SDI\":\"Weitere Tickets hinzufügen\",\"ApsD9J\":\"Neue hinzufügen\",\"TZxnm8\":\"Option hinzufügen\",\"Cw27zP\":\"Frage hinzufügen\",\"yWiPh+\":\"Steuern oder Gebühren hinzufügen\",\"BGD9Yt\":\"Tickets hinzufügen\",\"goOKRY\":\"Ebene hinzufügen\",\"p59pEv\":\"Additional Details\",\"Y8DIQy\":\"Zusatzoptionen\",\"Du6bPw\":\"Adresse\",\"NY/x1b\":\"Anschrift Zeile 1\",\"POdIrN\":\"Anschrift Zeile 1\",\"cormHa\":\"Adresszeile 2\",\"gwk5gg\":\"Adresszeile 2\",\"U3pytU\":\"Administrator\",\"HLDaLi\":\"Administratorbenutzer haben vollständigen Zugriff auf Ereignisse und Kontoeinstellungen.\",\"CPXP5Z\":\"Mitgliedsorganisationen\",\"W7AfhC\":\"Alle Teilnehmer dieser Veranstaltung\",\"QsYjci\":\"Alle Veranstaltungen\",\"/twVAS\":\"Alle Tickets\",\"ipYKgM\":\"Suchmaschinenindizierung zulassen\",\"LRbt6D\":\"Suchmaschinen erlauben, dieses Ereignis zu indizieren\",\"+MHcJD\":\"Fast geschafft! Wir warten nur darauf, dass Ihre Zahlung bearbeitet wird. Dies sollte nur ein paar Sekunden dauern.\",\"8wYDMp\":\"Already have an account?\",\"ApOYO8\":\"Erstaunlich, Ereignis, Schlüsselwörter...\",\"hehnjM\":\"Menge\",\"TRYjHa\":[\"amount in \",[\"0\"]],\"R2O9Rg\":[\"Bezahlter Betrag (\",[\"0\"],\")\"],\"tLjOgo\":[\"Amount paid $\",[\"0\"]],\"V7MwOy\":\"Beim Laden der Seite ist ein Fehler aufgetreten\",\"Q7UCEH\":\"Beim Sortieren der Fragen ist ein Fehler aufgetreten. Bitte versuchen Sie es erneut oder aktualisieren Sie die Seite\",\"er3d/4\":\"Beim Sortieren der Tickets ist ein Fehler aufgetreten. Bitte versuchen Sie es erneut oder aktualisieren Sie die Seite\",\"hhvESd\":\"An event is the actual event you are hosting\",\"jD/OCQ\":\"Ein Event ist die eigentliche Veranstaltung, die Sie veranstalten. Sie können später weitere Details hinzufügen.\",\"oBkF+i\":\"Ein Veranstalter ist das Unternehmen oder die Person, die die Veranstaltung ausrichtet.\",\"W5A0Ly\":\"Ein unerwarteter Fehler ist aufgetreten.\",\"byKna+\":\"Ein unerwarteter Fehler ist aufgetreten. Bitte versuchen Sie es erneut.\",\"j4DliD\":\"Alle Anfragen von Ticketinhabern werden an diese E-Mail-Adresse gesendet. Diese wird auch als „Antwortadresse“ für alle E-Mails verwendet, die von dieser Veranstaltung gesendet werden.\",\"aAIQg2\":\"Aussehen\",\"Ym1gnK\":\"angewandt\",\"epTbAK\":[\"Gilt für \",[\"0\"],\" Tickets\"],\"6MkQ2P\":\"Gilt für 1 Ticket\",\"DB8zMK\":\"Apply\",\"GctSSm\":\"Promo-Code anwenden\",\"jcnZEw\":[\"Wenden Sie diesen \",[\"type\"],\" auf alle neuen Tickets an\"],\"S0ctOE\":\"Veranstaltung archivieren\",\"TdfEV7\":\"Archiviert\",\"A6AtLP\":\"Archivierte Veranstaltungen\",\"q7TRd7\":\"Möchten Sie diesen Teilnehmer wirklich aktivieren?\",\"TvkW9+\":\"Sind Sie sicher, dass Sie diese Veranstaltung archivieren möchten?\",\"/CV2x+\":\"Möchten Sie diesen Teilnehmer wirklich stornieren? Dadurch wird sein Ticket ungültig.\",\"YgRSEE\":\"Möchten Sie diesen Aktionscode wirklich löschen?\",\"iU234U\":\"Möchten Sie diese Frage wirklich löschen?\",\"CMyVEK\":\"Möchten Sie diese Veranstaltung wirklich als Entwurf speichern? Dadurch wird die Veranstaltung für die Öffentlichkeit unsichtbar.\",\"mEHQ8I\":\"Möchten Sie diese Veranstaltung wirklich öffentlich machen? Dadurch wird die Veranstaltung für die Öffentlichkeit sichtbar\",\"s4JozW\":\"Sind Sie sicher, dass Sie diese Veranstaltung wiederherstellen möchten? Es wird als Entwurf wiederhergestellt.\",\"vJuISq\":\"Sind Sie sicher, dass Sie diese Kapazitätszuweisung löschen möchten?\",\"baHeCz\":\"Möchten Sie diese Eincheckliste wirklich löschen?\",\"2xEpch\":\"Einmal pro Teilnehmer fragen\",\"LBLOqH\":\"Einmal pro Bestellung anfragen\",\"ss9PbX\":\"Teilnehmer\",\"m0CFV2\":\"Teilnehmerdetails\",\"lXcSD2\":\"Fragen der Teilnehmer\",\"VvYqMB\":\"Attendee questions are asked once per attendee. By default, people are asked for their first name, last name, and email address.\",\"spxPEv\":\"Attendee questions are asked once per attendee. By default, we ask for the attendee's first name, last name, and email address.\",\"9SZT4E\":\"Teilnehmer\",\"5UbY+B\":\"Teilnehmer mit einem bestimmten Ticket\",\"IMJ6rh\":\"Automatische Größenanpassung\",\"vZ5qKF\":\"Passen Sie die Widgethöhe automatisch an den Inhalt an. Wenn diese Option deaktiviert ist, füllt das Widget die Höhe des Containers aus.\",\"lXkUEV\":\"Availability\",\"ioG+xt\":\"Zahlung steht aus\",\"3PmQfI\":\"Tolles Event\",\"kNmmvE\":\"Awesome Events Ltd.\",\"Yrbm6T\":\"Awesome Organizer Ltd.\",\"9002sI\":\"Zurück zu allen Events\",\"0TGkYM\":\"Back to event homepage\",\"A302fe\":\"Zurück zur Veranstaltungsseite\",\"VCoEm+\":\"Zurück zur Anmeldung\",\"MLZyiY\":\"Background color\",\"k1bLf+\":\"Hintergrundfarbe\",\"I7xjqg\":\"Hintergrundtyp\",\"EOUool\":\"Grundlegende Details\",\"7EGQKA\":\"Because you are the account owner, you cannot change your role or status.\",\"1mwMl+\":\"Bevor Sie versenden!\",\"wVfiR2\":\"Before you're event can go live, there's a few thing to do.\",\"/yeZ20\":\"Bevor Ihre Veranstaltung live gehen kann, müssen Sie einige Dinge erledigen.\",\"1xAcxY\":\"Beginnen Sie in wenigen Minuten mit dem Ticketverkauf\",\"R+w/Va\":\"Billing\",\"rp/zaT\":\"Brasilianisches Portugiesisch\",\"Ptp9MF\":\"Button color\",\"whqocw\":\"Mit der Registrierung stimmen Sie unseren <0>Servicebedingungen und <1>Datenschutzrichtlinie zu.\",\"bcCn6r\":\"Berechnungstyp\",\"+8bmSu\":\"Kalifornien\",\"iStTQt\":\"Die Kameraberechtigung wurde verweigert. <0>Fordern Sie die Berechtigung erneut an. Wenn dies nicht funktioniert, müssen Sie dieser Seite in Ihren Browsereinstellungen <1>Zugriff auf Ihre Kamera gewähren.\",\"Jzn1qy\":\"Can't load events\",\"dEgA5A\":\"Stornieren\",\"Gjt/py\":\"E-Mail-Änderung abbrechen\",\"tVJk4q\":\"Bestellung stornieren\",\"Os6n2a\":\"Bestellung stornieren\",\"Mz7Ygx\":[\"Bestellung stornieren \",[\"0\"]],\"Ud7zwq\":\"Durch die Stornierung werden alle mit dieser Bestellung verbundenen Tickets storniert und die Tickets werden wieder in den verfügbaren Pool freigegeben.\",\"vv7kpg\":\"Abgesagt\",\"QyjCeq\":\"Kapazität\",\"V6Q5RZ\":\"Kapazitätszuweisung erfolgreich erstellt\",\"k5p8dz\":\"Kapazitätszuweisung erfolgreich gelöscht\",\"nDBs04\":\"Kapazitätsmanagement\",\"77/YgG\":\"Cover ändern\",\"GptGxg\":\"Kennwort ändern\",\"QndF4b\":\"einchecken\",\"xMDm+I\":\"Einchecken\",\"9FVFym\":\"Kasse\",\"/Ta1d4\":\"Auschecken\",\"gXcPxc\":\"Einchecken\",\"Y3FYXy\":\"Einchecken\",\"fVUbUy\":\"Eincheckliste erfolgreich erstellt\",\"+CeSxK\":\"Eincheckliste erfolgreich gelöscht\",\"+hBhWk\":\"Die Eincheckliste ist abgelaufen\",\"mBsBHq\":\"Die Eincheckliste ist nicht aktiv\",\"vPqpQG\":\"Eincheckliste nicht gefunden\",\"tejfAy\":\"Einchecklisten\",\"hD1ocH\":\"Eincheck-URL in die Zwischenablage kopiert\",\"CNafaC\":\"Kontrollkästchenoptionen ermöglichen Mehrfachauswahl\",\"SpabVf\":\"Kontrollkästchen\",\"CRu4lK\":\"Eingecheckt\",\"rfeicl\":\"Erfolgreich eingecheckt\",\"/ydvvl\":\"Checkout Messaging\",\"1WnhCL\":\"Checkout-Einstellungen\",\"h1IXFK\":\"Chinesisch\",\"6imsQS\":\"Vereinfachtes Chinesisch\",\"JjkX4+\":\"Wählen Sie eine Farbe für Ihren Hintergrund\",\"/Jizh9\":\"Wähle einen Account\",\"jJGoVv\":\"Choose what notifications you want to receive\",\"3wV73y\":\"Stadt\",\"FG98gC\":\"Suchtext löschen\",\"EYeuMv\":\"klicken Sie hier\",\"sby+1/\":\"Zum Kopieren klicken\",\"yz7wBu\":\"Schließen\",\"62Ciis\":\"Sidebar schließen\",\"EWPtMO\":\"Code\",\"ercTDX\":\"Der Code muss zwischen 3 und 50 Zeichen lang sein\",\"jZlrte\":\"Farbe\",\"Vd+LC3\":\"Die Farbe muss ein gültiger Hex-Farbcode sein. Beispiel: #ffffff\",\"1HfW/F\":\"Farben\",\"VZeG/A\":\"Demnächst\",\"yPI7n9\":\"Durch Kommas getrennte Schlüsselwörter, die das Ereignis beschreiben. Diese werden von Suchmaschinen verwendet, um das Ereignis zu kategorisieren und zu indizieren.\",\"NPZqBL\":\"Bestellung abschließen\",\"guBeyC\":\"Zur vollständigen Bezahlung\",\"C8HNV2\":\"Zur vollständigen Bezahlung\",\"qqWcBV\":\"Vollendet\",\"DwF9eH\":\"Komponentencode\",\"7VpPHA\":\"Bestätigen\",\"ZaEJZM\":\"E-Mail-Änderung bestätigen\",\"yjkELF\":\"Bestätige neues Passwort\",\"xnWESi\":\"Bestätige das Passwort\",\"p2/GCq\":\"Bestätige das Passwort\",\"wnDgGj\":\"E-Mail-Adresse wird bestätigt …\",\"DnLC08\":\"Congratulation on creating an event!\",\"pbAk7a\":\"Stripe verbinden\",\"UMGQOh\":\"Mit Stripe verbinden\",\"QKLP1W\":\"Verbinden Sie Ihr Stripe-Konto, um Zahlungen zu empfangen.\",\"5lcVkL\":\"Verbindungsdetails\",\"i3p844\":\"Contact email\",\"yAej59\":\"Hintergrundfarbe des Inhalts\",\"xGVfLh\":\"Weitermachen\",\"X++RMT\":\"Text der Schaltfläche „Weiter“\",\"AfNRFG\":\"Text der Schaltfläche „Weiter“\",\"lIbwvN\":\"Mit der Ereigniseinrichtung fortfahren\",\"HB22j9\":\"Weiter einrichten\",\"bZEa4H\":\"Mit der Einrichtung von Stripe Connect fortfahren\",\"RGVUUI\":\"Weiter zur Zahlung\",\"6V3Ea3\":\"Kopiert\",\"T5rdis\":\"in die Zwischenablage kopiert\",\"he3ygx\":\"Kopieren\",\"r2B2P8\":\"Eincheck-URL kopieren\",\"8+cOrS\":\"Details an alle Teilnehmer kopieren\",\"ENCIQz\":\"Link kopieren\",\"E6nRW7\":\"URL kopieren\",\"JNCzPW\":\"Land\",\"IF7RiR\":\"Abdeckung\",\"P0rbCt\":\"Cover Image\",\"hYgDIe\":\"Create\",\"b9XOHo\":[\"Erstellen Sie \",[\"0\"]],\"6kdXbW\":\"Einen Promo-Code erstellen\",\"n5pRtF\":\"Ticket erstellen\",\"X6sRve\":[\"Erstellen Sie ein Konto oder <0>\",[\"0\"],\", um loszulegen\"],\"nx+rqg\":\"einen Organizer erstellen\",\"ipP6Ue\":\"Teilnehmer erstellen\",\"VwdqVy\":\"Kapazitätszuweisung erstellen\",\"WVbTwK\":\"Eincheckliste erstellen\",\"uN355O\":\"Ereignis erstellen\",\"BOqY23\":\"Erstelle neu\",\"kpJAeS\":\"Organizer erstellen\",\"sYpiZP\":\"Promo-Code erstellen\",\"a6YrKg\":\"Create promo codes\",\"n6H6AO\":\"Create promo codes to offer discounts to your attendees.\",\"B3Mkdt\":\"Frage erstellen\",\"UKfi21\":\"Steuer oder Gebühr erstellen\",\"Tg323g\":\"Ticket erstellen\",\"agZ87r\":\"Erstellen Sie Tickets für Ihre Veranstaltung, legen Sie Preise fest und verwalten Sie die verfügbare Menge.\",\"d+F6q9\":\"Erstellt\",\"Q2lUR2\":\"Währung\",\"DCKkhU\":\"Aktuelles Passwort\",\"uIElGP\":\"Benutzerdefinierte Karten-URL\",\"876pfE\":\"Kunde\",\"QOg2Sf\":\"Passen Sie die E-Mail- und Benachrichtigungseinstellungen für dieses Ereignis an\",\"Lu75d1\":\"Customize the email settings for this event\",\"RaxMyF\":\"Customize the event homepage and checkout experience\",\"Y9Z/vP\":\"Passen Sie die Startseite der Veranstaltung und die Nachrichten an der Kasse an\",\"2E2O5H\":\"Passen Sie die sonstigen Einstellungen für dieses Ereignis an\",\"iJhSxe\":\"Passen Sie die SEO-Einstellungen für dieses Event an\",\"KIhhpi\":\"Passen Sie Ihre Veranstaltungsseite an\",\"nrGWUv\":\"Passen Sie Ihre Veranstaltungsseite an Ihre Marke und Ihren Stil an.\",\"Zz6Cxn\":\"Gefahrenzone\",\"ZQKLI1\":\"Gefahrenzone\",\"7p5kLi\":\"Armaturenbrett\",\"mYGY3B\":\"Datum\",\"JvUngl\":\"Terminzeit\",\"JJhRbH\":\"Kapazität am ersten Tag\",\"PqrqgF\":\"Tag eins Eincheckliste\",\"RiXc4g\":\"Deactivate user\",\"cnGeoo\":\"Löschen\",\"jRJZxD\":\"Kapazität löschen\",\"Qrc8RZ\":\"Eincheckliste löschen\",\"WHf154\":\"Code löschen\",\"heJllm\":\"Cover löschen\",\"KWa0gi\":\"Lösche Bild\",\"IatsLx\":\"Frage löschen\",\"GnyEfA\":\"Ticket löschen\",\"E33LRn\":\"Delete user\",\"Nu4oKW\":\"Beschreibung\",\"YC3oXa\":\"Beschreibung für das Eincheckpersonal\",\"s9iD5d\":\"Description should be less than 50,000 characters\",\"URmyfc\":\"Einzelheiten\",\"x8uDKb\":\"Disable code\",\"Tgg8XQ\":\"Deaktivieren Sie diese Kapazitätsverfolgung ohne den Ticketverkauf zu stoppen\",\"H6Ma8Z\":\"Rabatt\",\"ypJ62C\":\"Rabatt %\",\"3LtiBI\":[\"Rabatt in \",[\"0\"]],\"C8JLas\":\"Rabattart\",\"1QfxQT\":\"Zurückweisen\",\"cVq+ga\":\"Sie haben noch kein Konto? <0>Registrieren\",\"4+aC/x\":\"Spende / Bezahlen Sie, was Sie möchten Ticket\",\"++S5i/\":\"Donation amount\",\"OO7MG7\":\"Donation Ticket\",\"0pEVi2\":\"Download Tickets PDF\",\"uABpqP\":\"Ziehen und ablegen oder klicken\",\"3z2ium\":\"Zum Sortieren ziehen\",\"6skwyH\":\"Drop an image, or click here to replace the Cover Image\",\"S37RRV\":\"Drop an image, or click here to upload the Cover Image\",\"CfKofC\":\"Dropdown-Auswahl\",\"JzLDvy\":\"Duplizieren Sie Kapazitätszuweisungen\",\"ulMxl+\":\"Duplizieren Sie Check-in-Listen\",\"vi8Q/5\":\"Ereignis duplizieren\",\"3ogkAk\":\"Ereignis duplizieren\",\"Yu6m6X\":\"Duplizieren Sie das Titelbild des Ereignisses\",\"+fA4C7\":\"Optionen duplizieren\",\"57ALrd\":\"Promo-Codes duplizieren\",\"83Hu4O\":\"Fragen duplizieren\",\"20144c\":\"Einstellungen duplizieren\",\"Wt9eV8\":\"Tickets duplizieren\",\"7Cx5It\":\"Früher Vogel\",\"ePK91l\":\"Bearbeiten\",\"N6j2JH\":[\"Bearbeiten \",[\"0\"]],\"kNGp1D\":\"Teilnehmer bearbeiten\",\"t2bbp8\":\"Teilnehmer bearbeiten\",\"kBkYSa\":\"Kapazität bearbeiten\",\"oHE9JT\":\"Kapazitätszuweisung bearbeiten\",\"FU1gvP\":\"Eincheckliste bearbeiten\",\"iFgaVN\":\"Code bearbeiten\",\"jrBSO1\":\"Organisator bearbeiten\",\"9BdS63\":\"Aktionscode bearbeiten\",\"O0CE67\":\"Frage bearbeiten\",\"EzwCw7\":\"Frage bearbeiten\",\"d+nnyk\":\"Ticket bearbeiten\",\"poTr35\":\"Benutzer bearbeiten\",\"GTOcxw\":\"Benutzer bearbeiten\",\"pqFrv2\":\"z.B. 2,50 für 2,50 $\",\"3yiej1\":\"z.B. 23,5 für 23,5 %\",\"O3oNi5\":\"Email\",\"VxYKoK\":\"E-Mail- und Benachrichtigungseinstellungen\",\"ATGYL1\":\"E-Mail-Adresse\",\"hzKQCy\":\"E-Mail-Adresse\",\"HqP6Qf\":\"E-Mail-Änderung erfolgreich abgebrochen\",\"mISwW1\":\"E-Mail-Änderung ausstehend\",\"WiKda6\":\"Email Configuration\",\"APuxIE\":\"E-Mail-Bestätigung erneut gesendet\",\"YaCgdO\":\"E-Mail-Bestätigung erfolgreich erneut gesendet\",\"jyt+cx\":\"E-Mail-Fußzeilennachricht\",\"I6F3cp\":\"E-Mail nicht verifiziert\",\"G5zNMX\":\"Email Settings\",\"NTZ/NX\":\"Code einbetten\",\"4rnJq4\":\"Skript einbetten\",\"nA31FG\":\"Aktivieren Sie diese Kapazität, um den Ticketverkauf zu stoppen, wenn das Limit erreicht ist\",\"VFv2ZC\":\"Endtermin\",\"237hSL\":\"Beendet\",\"nt4UkP\":\"Beendete Veranstaltungen\",\"lYGfRP\":\"Englisch\",\"MhVoma\":\"Geben Sie einen Betrag ohne Steuern und Gebühren ein.\",\"3Z223G\":\"Fehler beim Bestätigen der E-Mail-Adresse\",\"a6gga1\":\"Fehler beim Bestätigen der E-Mail-Änderung\",\"5/63nR\":\"EUR\",\"0pC/y6\":\"Ereignis\",\"nuoP/j\":\"Event created successfully\",\"CFLUfD\":\"Veranstaltung erfolgreich erstellt 🎉\",\"0Zptey\":\"Ereignisstandards\",\"6fuA9p\":\"Ereignis erfolgreich dupliziert\",\"Xe3XMd\":\"Das Ereignis ist nicht öffentlich sichtbar\",\"4pKXJS\":\"Veranstaltung ist öffentlich sichtbar\",\"ClwUUD\":\"Veranstaltungsort & Details zum Veranstaltungsort\",\"OopDbA\":\"Veranstaltungsseite\",\"JyD0LH\":\"Event Settings\",\"4/If97\":\"Die Aktualisierung des Ereignisstatus ist fehlgeschlagen. Bitte versuchen Sie es später erneut\",\"btxLWj\":\"Veranstaltungsstatus aktualisiert\",\"tst44n\":\"Veranstaltungen\",\"sZg7s1\":\"Ablaufdatum\",\"KnN1Tu\":\"Läuft ab\",\"uaSvqt\":\"Verfallsdatum\",\"GS+Mus\":\"Export\",\"9xAp/j\":\"Teilnehmer konnte nicht abgesagt werden\",\"ZpieFv\":\"Stornierung der Bestellung fehlgeschlagen\",\"z6tdjE\":\"Nachricht konnte nicht gelöscht werden. Bitte versuchen Sie es erneut.\",\"9zSt4h\":\"Das Exportieren der Teilnehmer ist fehlgeschlagen. Bitte versuchen Sie es erneut.\",\"2uGNuE\":\"Der Export der Bestellungen ist fehlgeschlagen. Bitte versuchen Sie es erneut.\",\"d+KKMz\":\"Laden der Eincheckliste fehlgeschlagen\",\"ZQ15eN\":\"Ticket-E-Mail konnte nicht erneut gesendet werden\",\"PLUB/s\":\"Gebühr\",\"YirHq7\":\"Rückmeldung\",\"/mfICu\":\"Gebühren\",\"V1EGGU\":\"Vorname\",\"kODvZJ\":\"Vorname\",\"S+tm06\":\"Der Vorname muss zwischen 1 und 50 Zeichen lang sein\",\"1g0dC4\":\"Vorname, Nachname und E-Mail-Adresse sind Standardfragen und werden immer in den Bestellvorgang einbezogen.\",\"QWa3Sk\":\"First Name, Last Name, and Email Address are default questions that are always included in the checkout process.\",\"TpqW74\":\"Fest\",\"irpUxR\":\"Fester Betrag\",\"TF9opW\":\"Flash ist auf diesem Gerät nicht verfügbar\",\"UNMVei\":\"Passwort vergessen?\",\"2POOFK\":\"Frei\",\"/4rQr+\":\"Freikarten\",\"01my8x\":\"Kostenloses Ticket, keine Zahlungsinformationen erforderlich\",\"nLC6tu\":\"Französisch\",\"ejVYRQ\":\"From\",\"DDcvSo\":\"Deutsch\",\"u6FPxT\":\"Get Tickets\",\"4GLxhy\":\"Erste Schritte\",\"4D3rRj\":\"Zurück zum Profil\",\"cQPKZt\":\"Go to Dashboard\",\"9LCqFI\":\"Zur Event-Homepage\",\"RUz8o/\":\"Bruttoverkäufe\",\"IgcAGN\":\"Bruttoumsatz\",\"yRg26W\":\"Bruttoumsatz\",\"R4r4XO\":\"Gäste\",\"26pGvx\":\"Haben Sie einen Promo-Code?\",\"V7yhws\":\"hello@awesome-events.com\",\"GNJ1kd\":\"Hilfe & Support\",\"6K/IHl\":\"Hier ist ein Beispiel, wie Sie die Komponente in Ihrer Anwendung verwenden können.\",\"Y1SSqh\":\"Hier ist die React-Komponente, die Sie verwenden können, um das Widget in Ihre Anwendung einzubetten.\",\"Ow9Hz5\":[\"Hi.Events-Konferenz \",[\"0\"]],\"verBst\":\"Hi.Events Konferenzzentrum\",\"6eMEQO\":\"hi.events-Logo\",\"C4qOW8\":\"Vor der Öffentlichkeit verborgen\",\"gt3Xw9\":\"versteckte Frage\",\"g3rqFe\":\"versteckte Fragen\",\"k3dfFD\":\"Versteckte Fragen sind nur für den Veranstalter und nicht für den Kunden sichtbar.\",\"EeNE0j\":\"Hidden will not be shown to customers.\",\"vLyv1R\":\"Verstecken\",\"Mkkvfd\":\"Seite „Erste Schritte“ ausblenden\",\"mFn5Xz\":\"Versteckte Fragen ausblenden\",\"SCimta\":\"Blenden Sie die Seite „Erste Schritte“ in der Seitenleiste aus.\",\"Da29Y6\":\"Diese Frage verbergen\",\"fsi6fC\":\"Dieses Ticket vor Kunden verbergen\",\"fvDQhr\":\"Diese Ebene vor Benutzern verbergen\",\"Fhzoa8\":\"Ticket nach Verkaufsende verbergen\",\"yhm3J/\":\"Ticket vor Verkaufsbeginn verbergen\",\"k7/oGT\":\"Ticket verbergen, sofern der Benutzer nicht über einen gültigen Aktionscode verfügt\",\"L0ZOiu\":\"Ticket bei Ausverkauf verbergen\",\"uno73L\":\"Wenn Sie ein Ticket ausblenden, können Benutzer es nicht auf der Veranstaltungsseite sehen.\",\"tj6Gob\":\"Homepage & Checkout\",\"m07jN3\":\"Homepage & Checkout Settings\",\"ZOBwQn\":\"Homepage-Design\",\"PRuBTd\":\"Homepage Designer\",\"YjVNGZ\":\"Homepage-Vorschau\",\"c3E/kw\":\"Homer\",\"id+NIk\":\"How many minutes the customer has to complete their order\",\"8k8Njd\":\"Wie viele Minuten hat der Kunde Zeit, um seine Bestellung abzuschließen. Wir empfehlen mindestens 15 Minuten\",\"ySxKZe\":\"Wie oft kann dieser Code verwendet werden?\",\"dZsDbK\":[\"HTML-Zeichenlimit überschritten: \",[\"htmlLength\"],\"/\",[\"maxLength\"]],\"fYyXCd\":\"https://example-maps-service.com/...\",\"uOXLV3\":\"Ich stimme den <0>Allgemeinen Geschäftsbedingungen zu\",\"sIxFk5\":\"I agree to the terms and conditions\",\"Crwwhn\":[\"If a new tab did not open, please <0>\",[\"0\"],\".\"],\"93DUnd\":[\"Wenn keine neue Registerkarte geöffnet wurde, <0><1>\",[\"0\"],\".\"],\"9gtsTP\":\"Wenn leer, wird die Adresse verwendet, um einen Google-Kartenlink zu generieren.\",\"muXhGi\":\"Wenn aktiviert, erhält der Veranstalter eine E-Mail-Benachrichtigung, wenn eine neue Bestellung aufgegeben wird\",\"6fLyj/\":\"Sollten Sie diese Änderung nicht veranlasst haben, ändern Sie bitte umgehend Ihr Passwort.\",\"n/ZDCz\":\"Bild erfolgreich gelöscht\",\"Gyl1h8\":\"Image dimensions must be at least 600px by 300px\",\"TiGacZ\":\"Image dimensions must be at least 900px by 450px\",\"UnTvkH\":\"Die Bildabmessungen müssen zwischen 3000px und 2000px liegen. Mit einer maximalen Höhe von 2000px und einer maximalen Breite von 3000px\",\"Mfbc2v\":\"Bildabmessungen müssen zwischen 4000px und 4000px liegen. Mit einer maximalen Höhe von 4000px und einer maximalen Breite von 4000px\",\"uPEIvq\":\"Das Bild muss kleiner als 5 MB sein.\",\"AGZmwV\":\"Bild erfolgreich hochgeladen\",\"ibi52/\":\"Die Bildbreite muss mindestens 900 Pixel und die Höhe mindestens 50 Pixel betragen.\",\"NoNwIX\":\"Inaktiv\",\"T0K0yl\":\"Inaktive Benutzer können sich nicht anmelden.\",\"OFAmKP\":\"Include connection details for your online event\",\"BfPBBG\":\"Include connection details for your online event. These details will be after successful registration.\",\"6+pAOx\":\"Include connection details for your online event. These details will be shown after successful registration.\",\"evpD4c\":\"Fügen Sie Verbindungsdetails für Ihre Online-Veranstaltung hinzu. Diese Details werden auf der Bestellübersichtsseite und der Teilnehmerticketseite angezeigt.\",\"FlQKnG\":\"Steuern und Gebühren im Preis einbeziehen\",\"AXTNr8\":[\"Enthält \",[\"0\"],\" Tickets\"],\"7/Rzoe\":\"Enthält 1 Ticket\",\"nbfdhU\":\"Integrationen\",\"OyLdaz\":\"Einladung erneut verschickt!\",\"HE6KcK\":\"Einladung widerrufen!\",\"SQKPvQ\":\"Benutzer einladen\",\"PgdQrx\":\"Rückerstattung ausstellen\",\"KFXip/\":\"John\",\"XcgRvb\":\"Johnson\",\"1IWWYX\":[\"KittenTech Conference \",[\"0\"]],\"ZgJEMX\":\"KittenTech Conference Center\",\"87a/t/\":\"Etikett\",\"vXIe7J\":\"Sprache\",\"I3yitW\":\"Letzte Anmeldung\",\"1ZaQUH\":\"Familienname, Nachname\",\"UXBCwc\":\"Familienname, Nachname\",\"CKcupn\":\"Latest Orders\",\"tITjB1\":\"Erfahren Sie mehr über Stripe\",\"c+gAXc\":\"Let's get started by creating your first event\",\"vR92Yn\":\"Beginnen wir mit der Erstellung Ihres ersten Organizers\",\"QfrKvi\":\"Link color\",\"wJijgU\":\"Standort\",\"sQia9P\":\"Anmeldung\",\"zUDyah\":\"Einloggen\",\"z0t9bb\":\"Anmeldung\",\"nOhz3x\":\"Ausloggen\",\"F2jAFv\":\"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Ich habe das Element platziert …\",\"XkhEf9\":\"Lorem ipsum...\",\"MU3ijv\":\"Machen Sie diese Frage obligatorisch\",\"wckWOP\":\"Verwalten\",\"8mmINh\":\"Manage billing information and view invoices\",\"jWIznR\":\"Manage default settings for new events\",\"n4SpU5\":\"Veranstaltung verwalten\",\"wqyqaF\":\"Manage general account settings\",\"cQrNR3\":\"Profil verwalten\",\"f92Qak\":\"Manage taxes and fees which can be applied to tickets\",\"PlTcVr\":\"Verwalten Sie Steuern und Gebühren, die auf Ihre Tickets erhoben werden können\",\"ophZVW\":\"Tickets verwalten\",\"Wsx7Iu\":\"Manage users and their permissions\",\"DdHfeW\":\"Verwalten Sie Ihre Kontodetails und Standardeinstellungen\",\"QHcjP+\":\"Manage your billing and payment details\",\"S+UjNL\":\"Verwalten Sie Ihre Stripe-Zahlungsdetails\",\"BfucwY\":\"Verwalten Sie Ihre Benutzer und deren Berechtigungen\",\"1m+YT2\":\"Bevor der Kunde zur Kasse gehen kann, müssen obligatorische Fragen beantwortet werden.\",\"Dim4LO\":\"Einen Teilnehmer manuell hinzufügen\",\"e4KdjJ\":\"Teilnehmer manuell hinzufügen\",\"lzcrX3\":\"Durch manuelles Hinzufügen eines Teilnehmers wird die Ticketanzahl angepasst.\",\"g9dPPQ\":\"Maximal pro Bestellung\",\"l5OcwO\":\"Nachricht an Teilnehmer\",\"Gv5AMu\":\"Nachrichten an Teilnehmer senden\",\"1jRD0v\":\"Teilnehmer mit bestimmten Tickets benachrichtigen\",\"Lvi+gV\":\"Nachricht an den Käufer\",\"tNZzFb\":\"Nachrichteninhalt\",\"lYDV/s\":\"Nachrichten an einzelne Teilnehmer senden\",\"V7DYWd\":\"Nachricht gesendet\",\"t7TeQU\":\"Mitteilungen\",\"xFRMlO\":\"Mindestbestellwert\",\"QYcUEf\":\"Minimaler Preis\",\"mYLhkl\":\"Verschiedene Einstellungen\",\"KYveV8\":\"Mehrzeiliges Textfeld\",\"SVuGaP\":\"Multiple price options, users can choose which to pay\",\"6wbTro\":\"Mehrere Preisoptionen. Perfekt für Frühbuchertickets usw.\",\"/bhMdO\":\"Meine tolle Eventbeschreibung...\",\"vX8/tc\":\"Mein toller Veranstaltungstitel …\",\"hKtWk2\":\"Mein Profil\",\"pRjx4L\":\"Ich habe das Element platziert …\",\"6YtxFj\":\"Name\",\"hVuv90\":\"Der Name sollte weniger als 150 Zeichen lang sein\",\"AIUkyF\":\"Navigieren Sie zu Teilnehmer\",\"qqeAJM\":\"Niemals\",\"7vhWI8\":\"Neues Kennwort\",\"m920rF\":\"New York\",\"1UzENP\":\"NEIN\",\"LNWHXb\":\"Keine archivierten Veranstaltungen anzuzeigen.\",\"Wjz5KP\":\"Keine Teilnehmer zum Anzeigen\",\"Razen5\":\"Vor diesem Datum kann sich niemand mit dieser Liste einchecken\",\"XUfgCI\":\"Keine Kapazitätszuweisungen\",\"a/gMx2\":\"Keine Einchecklisten\",\"fFeCKc\":\"Kein Rabatt\",\"HFucK5\":\"Keine beendeten Veranstaltungen anzuzeigen.\",\"Z6ILSe\":\"Keine Veranstaltungen für diesen Veranstalter\",\"yAlJXG\":\"Keine Ereignisse zum Anzeigen\",\"KPWxKD\":\"Keine Nachrichten zum Anzeigen\",\"J2LkP8\":\"Keine Bestellungen anzuzeigen\",\"+Y976X\":\"Keine Promo-Codes anzuzeigen\",\"Ev2r9A\":\"Keine Ergebnisse\",\"RHyZUL\":\"Keine Suchergebnisse.\",\"cU1op4\":\"No Taxes or Fees have been added yet.\",\"RY2eP1\":\"Es wurden keine Steuern oder Gebühren hinzugefügt.\",\"uR2eFu\":\"No tickets available\",\"b7JZFg\":\"Keine Tickets vorzeigen\",\"EdQY6l\":\"Keiner\",\"OJx3wK\":\"Nicht verfügbar\",\"x5+Lcz\":\"Nicht eingecheckt\",\"Scbrsn\":\"Nicht im Angebot\",\"hFwWnI\":\"Benachrichtigungseinstellungen\",\"xXqEPO\":\"Käufer über Rückerstattung benachrichtigen\",\"YpN29s\":\"Veranstalter über neue Bestellungen benachrichtigen\",\"qeQhNj\":\"Jetzt erstellen wir Ihr erstes Event\",\"2NPDz1\":\"Im Angebot\",\"Ldu/RI\":\"Im Angebot\",\"Ug4SfW\":\"Sobald Sie ein Ereignis erstellt haben, wird es hier angezeigt.\",\"+P/tII\":\"Sobald Sie bereit sind, schalten Sie Ihre Veranstaltung live und beginnen Sie mit dem Ticketverkauf.\",\"J6n7sl\":\"Laufend\",\"z+nuVJ\":\"Online-Veranstaltung\",\"WKHW0N\":\"Details zur Online-Veranstaltung\",\"/xkmKX\":\"Über dieses Formular sollten ausschließlich wichtige E-Mails gesendet werden, die in direktem Zusammenhang mit dieser Veranstaltung stehen.\\nJeder Missbrauch, einschließlich des Versendens von Werbe-E-Mails, führt zu einer sofortigen Sperrung des Kontos.\",\"Qqqrwa\":\"Eincheckseite öffnen\",\"OdnLE4\":\"Seitenleiste öffnen\",\"ZZEYpT\":[\"Option \",[\"i\"]],\"0zpgxV\":\"Optionen\",\"BzEFor\":\"oder\",\"UYUgdb\":\"Befehl\",\"mm+eaX\":\"Befehl #\",\"B3gPuX\":\"Bestellung storniert\",\"SIbded\":\"Bestellung abgeschlossen\",\"q/CcwE\":\"Auftragsdatum\",\"Tol4BF\":\"Bestelldetails\",\"L4kzeZ\":[\"Bestelldetails \",[\"0\"]],\"WbImlQ\":\"Die Bestellung wurde storniert und der Bestellinhaber wurde benachrichtigt.\",\"VCOi7U\":\"Fragen zur Bestellung\",\"wg9MPp\":\"Order questions are asked once per order. By default, people are asked for their first name, last name, and email address.\",\"+KNVxX\":\"Order questions are asked once per order. By default, we ask for the first name, last name, and email address.\",\"TPoYsF\":\"Bestellnummer\",\"GX6dZv\":\"Bestellübersicht\",\"tDTq0D\":\"Bestell-Timeout\",\"1h+RBg\":\"Aufträge\",\"mz+c33\":\"Erstellte Aufträge\",\"G5RhpL\":\"Veranstalter\",\"m/ebSk\":\"Organizer Details\",\"mYygCM\":\"Veranstalter ist erforderlich\",\"Pa6G7v\":\"Name des Organisators\",\"J2cXxX\":\"Organisatoren können nur Events und Tickets verwalten. Sie können keine Benutzer, Kontoeinstellungen oder Rechnungsinformationen verwalten.\",\"fdjq4c\":\"Polsterung\",\"ErggF8\":\"Hintergrundfarbe der Seite\",\"8F1i42\":\"Seite nicht gefunden\",\"QbrUIo\":\"Seitenaufrufe\",\"6D8ePg\":\"Seite.\",\"IkGIz8\":\"bezahlt\",\"2w/FiJ\":\"Bezahltes Ticket\",\"8ZsakT\":\"Passwort\",\"TUJAyx\":\"Das Passwort muss mindestens 8 Zeichen lang sein\",\"vwGkYB\":\"Das Passwort muss mindestens 8 Zeichen lang sein\",\"BLTZ42\":\"Passwort erfolgreich zurückgesetzt. Bitte melden Sie sich mit Ihrem neuen Passwort an.\",\"f7SUun\":\"Passwörter sind nicht gleich\",\"aEDp5C\":\"Fügen Sie dies dort ein, wo das Widget erscheinen soll.\",\"+23bI/\":\"Patrick\",\"iAS9f2\":\"patrick@acme.com\",\"iq5IUr\":\"Pause Ticket\",\"621rYf\":\"Zahlung\",\"JhtZAK\":\"Bezahlung fehlgeschlagen\",\"xgav5v\":\"Zahlung erfolgreich abgeschlossen!\",\"CcK+Ft\":\"PDF\",\"att1Hj\":\"percent\",\"/roQKz\":\"Prozentsatz\",\"vPJ1FI\":\"Prozentualer Betrag\",\"xdA9ud\":\"Platzieren Sie dies im Ihrer Website.\",\"blK94r\":\"Bitte fügen Sie mindestens eine Option hinzu\",\"FJ9Yat\":\"Bitte überprüfen Sie, ob die angegebenen Informationen korrekt sind\",\"TkQVup\":\"Bitte überprüfen Sie Ihre E-Mail und Ihr Passwort und versuchen Sie es erneut\",\"sMiGXD\":\"Bitte überprüfen Sie, ob Ihre E-Mail gültig ist\",\"Ajavq0\":\"Bitte überprüfen Sie Ihre E-Mail, um Ihre E-Mail-Adresse zu bestätigen\",\"MdfrBE\":\"Bitte füllen Sie das folgende Formular aus, um Ihre Einladung anzunehmen\",\"b1Jvg+\":\"Bitte fahren Sie im neuen Tab fort\",\"q40YFl\":\"Please continue your order in the new tab\",\"cdR8d6\":\"Bitte erstellen Sie ein Ticket\",\"ZJG4Di\":\"Please ensure you only send emails directly related to the order. Promotional emails\\nshould not be sent using this form.\",\"o+HaYe\":\"Please enter a valid promo code\",\"HnNept\":\"Bitte geben Sie Ihr neues Passwort ein\",\"5FSIzj\":\"Bitte beachten Sie\",\"MA04r/\":\"Bitte entfernen Sie die Filter und stellen Sie die Sortierung auf \\\"Startseite-Reihenfolge\\\", um die Sortierung zu aktivieren\",\"pJLvdS\":\"Bitte auswählen\",\"yygcoG\":\"Bitte wählen Sie mindestens ein Ticket aus\",\"igBrCH\":\"Bitte bestätigen Sie Ihre E-Mail-Adresse, um auf alle Funktionen zugreifen zu können\",\"MOERNx\":\"Portugiesisch\",\"R7+D0/\":\"Portugiesisch (Brasilien)\",\"qCJyMx\":\"Checkout-Nachricht veröffentlichen\",\"g2UNkE\":\"Angetrieben von\",\"Qs7yI0\":\"Powered By\",\"lqAWKB\":\"Powered by <0>Hi.Events 👋\",\"3n47kV\":\"Powered By Hi.Events\",\"ddi4j4\":\"Unterstützt durch Stripe\",\"Rs7IQv\":\"Nachricht vor dem Checkout\",\"rdUucN\":\"Vorschau\",\"a7u1N9\":\"Preis\",\"CmoB9j\":\"Preisanzeigemodus\",\"Q8PWaJ\":\"Preisstufen\",\"a5jvSX\":\"Price Tiers\",\"6RmHKN\":\"Primärfarbe\",\"G/ZwV1\":\"Grundfarbe\",\"8cBtvm\":\"Primäre Textfarbe\",\"BZz12Q\":\"Drucken\",\"MT7dxz\":\"Alle Tickets ausdrucken\",\"vERlcd\":\"Profil\",\"kUlL8W\":\"Profil erfolgreich aktualisiert\",\"cl5WYc\":[\"Aktionscode \",[\"promo_code\"],\" angewendet\"],\"ZXpm3a\":[\"Promo \",[\"promoCode\"],\" code applied\"],\"yKWfjC\":\"Aktionscode-Seite\",\"RVb8Fo\":\"Promo-Codes\",\"BZ9GWa\":\"Mit Promo-Codes können Sie Rabatte oder Vorverkaufszugang anbieten oder Sonderzugang zu Ihrer Veranstaltung gewähren.\",\"4kyDD5\":\"Geben Sie zusätzlichen Kontext oder Anweisungen für diese Frage an. Verwenden Sie dieses Feld, um Bedingungen, Richtlinien oder wichtige Informationen hinzuzufügen, die die Teilnehmer vor dem Beantworten wissen müssen.\",\"812gwg\":\"Lizenz kaufen\",\"LkMOWF\":\"Verfügbare Menge\",\"XKJuAX\":\"Frage gelöscht\",\"avf0gk\":\"Fragebeschreibung\",\"oQvMPn\":\"Fragentitel\",\"enzGAL\":\"Fragen\",\"K885Eq\":\"Fragen erfolgreich sortiert\",\"OMJ035\":\"Radio-Option\",\"C4TjpG\":\"Lese weniger\",\"I3QpvQ\":\"Empfänger\",\"N2C89m\":\"Referenz\",\"gxFu7d\":[\"Rückerstattungsbetrag (\",[\"0\"],\")\"],\"n10yGu\":\"Rückerstattungsauftrag\",\"zPH6gp\":\"Rückerstattungsauftrag\",\"/BI0y9\":\"Rückerstattung\",\"fgLNSM\":\"Registrieren\",\"tasfos\":\"entfernen\",\"t/YqKh\":\"Entfernen\",\"RloWNu\":\"Reply to email\",\"EGm34e\":\"Bestätigungsmail erneut senden\",\"lnrkNz\":\"E-Mail-Bestätigung erneut senden\",\"wIa8Qe\":\"Einladung erneut versenden\",\"VeKsnD\":\"Bestell-E-Mail erneut senden\",\"dFuEhO\":\"Ticket-E-Mail erneut senden\",\"o6+Y6d\":\"Erneut senden...\",\"RfwZxd\":\"Passwort zurücksetzen\",\"KbS2K9\":\"Passwort zurücksetzen\",\"e99fHm\":\"Veranstaltung wiederherstellen\",\"vtc20Z\":\"Zurück zur Veranstaltungsseite\",\"8YBH95\":\"Einnahmen\",\"PO/sOY\":\"Einladung widerrufen\",\"GDvlUT\":\"Rolle\",\"ELa4O9\":\"Verkaufsende\",\"5uo5eP\":\"Der Verkauf ist beendet\",\"Qm5XkZ\":\"Verkaufsstartdatum\",\"hVF4dJ\":\"Sale starts\",\"hBsw5C\":\"Verkauf beendet\",\"kpAzPe\":\"Verkaufsstart\",\"P/wEOX\":\"San Francisco\",\"tfDRzk\":\"Speichern\",\"IUwGEM\":\"Änderungen speichern\",\"U65fiW\":\"Organizer speichern\",\"UGT5vp\":\"Einstellungen speichern\",\"ovB7m2\":\"QR-Code scannen\",\"lBAlVv\":\"Suche nach Namen, Bestellnummer, Teilnehmernummer oder E-Mail ...\",\"W4kWXJ\":\"Suche nach Teilnehmername, E-Mail oder Bestellnummer ...\",\"ulAuWO\":\"Search by event name or description...\",\"+pr/FY\":\"Suche nach Veranstaltungsnamen...\",\"NQSiYb\":\"Search by name or description...\",\"3zRbWw\":\"Suchen Sie nach Namen, E-Mail oder Bestellnummer ...\",\"BiYOdA\":\"Suche mit Name...\",\"B1bB1j\":\"Search by order #, name or email...\",\"jA4hXE\":\"Search by subject or body...\",\"YEjitp\":\"Suche nach Thema oder Inhalt...\",\"HYnGee\":\"Suche nach Ticketnamen...\",\"Pjsch9\":\"Kapazitätszuweisungen suchen...\",\"r9M1hc\":\"Einchecklisten durchsuchen...\",\"YIix5Y\":\"Suchen...\",\"OeW+DS\":\"Sekundäre Farbe\",\"DnXcDK\":\"Sekundäre Farbe\",\"cZF6em\":\"Sekundäre Textfarbe\",\"ZIgYeg\":\"Sekundäre Textfarbe\",\"QuNKRX\":\"Kamera auswählen\",\"kWI/37\":\"Veranstalter auswählen\",\"hAjDQy\":\"Status auswählen\",\"QYARw/\":\"Ticket auswählen\",\"XH5juP\":\"Ticketstufe auswählen\",\"OMX4tH\":\"Tickets auswählen\",\"nuWxSr\":\"Select Tickets\",\"O/7I0o\":\"Wählen...\",\"JlFcis\":\"Schicken\",\"qKWv5N\":[\"Senden Sie eine Kopie an <0>\",[\"0\"],\"\"],\"RktTWf\":\"Eine Nachricht schicken\",\"/mQ/tD\":\"Als Test senden. Dadurch wird die Nachricht an Ihre E-Mail-Adresse und nicht an die Empfänger gesendet.\",\"471O/e\":\"Send confirmation email\",\"M/WIer\":\"Nachricht Senden\",\"D7ZemV\":\"Bestellbestätigung und Ticket-E-Mail senden\",\"v1rRtW\":\"Test senden\",\"j1VfcT\":\"SEO-Beschreibung\",\"/SIY6o\":\"SEO-Schlüsselwörter\",\"GfWoKv\":\"SEO-Einstellungen\",\"rXngLf\":\"SEO-Titel\",\"/jZOZa\":\"Servicegebühr\",\"vu4F0h\":\"Set a minimum price and let users donate more\",\"Bj/QGQ\":\"Legen Sie einen Mindestpreis fest und lassen Sie die Nutzer mehr zahlen, wenn sie wollen.\",\"nYNT+5\":\"Richten Sie Ihre Veranstaltung ein\",\"A8iqfq\":\"Schalten Sie Ihr Event live\",\"Tz0i8g\":\"Einstellungen\",\"Z8lGw6\":\"Aktie\",\"FFbYHm\":[\"Should this \",[\"type\"],\" be applied to all new tickets?\"],\"8vETh9\":\"Zeigen\",\"smd87r\":\"Verfügbare Ticketanzahl anzeigen\",\"qDsmzu\":\"Versteckte Fragen anzeigen\",\"fMPkxb\":\"Zeig mehr\",\"izwOOD\":\"Steuern und Gebühren separat ausweisen\",\"j3b+OW\":\"Wird dem Kunden nach dem Bezahlvorgang auf der Bestellübersichtsseite angezeigt\",\"YfHZv0\":\"Wird dem Kunden vor dem Bezahlvorgang angezeigt\",\"CBBcly\":\"Zeigt allgemeine Adressfelder an, einschließlich Land\",\"yTnnYg\":\"Simpson\",\"TNaCfq\":\"Einzeiliges Textfeld\",\"+P0Cn2\":\"Überspringe diesen Schritt\",\"YSEnLE\":\"Schmied\",\"lgFfeO\":\"Ausverkauft\",\"Mi1rVn\":\"Ausverkauft\",\"nwtY4N\":\"Etwas ist schief gelaufen\",\"GRChTw\":\"Beim Löschen der Steuer oder Gebühr ist ein Fehler aufgetreten\",\"YHFrbe\":\"Etwas ist schief gelaufen. Bitte versuche es erneut\",\"kf83Ld\":\"Etwas ist schief gelaufen.\",\"fWsBTs\":\"Etwas ist schief gelaufen. Bitte versuche es erneut.\",\"F6YahU\":\"Es ist leider ein Fehler aufgetreten. Bitte starten Sie den Bezahlvorgang erneut.\",\"KWgppI\":\"Entschuldigen Sie, beim Laden dieser Seite ist ein Fehler aufgetreten.\",\"/TCOIK\":\"Entschuldigung, diese Bestellung existiert nicht mehr.\",\"DvCwYF\":\"Sorry, this promo code is invalid'\",\"6a/UJE\":\"Dieser Aktionscode wird leider nicht erkannt\",\"9rRZZ+\":\"Leider ist Ihre Bestellung abgelaufen. Bitte starten Sie eine neue Bestellung.\",\"a4SyEE\":\"Die Sortierung ist deaktiviert, während Filter und Sortierung angewendet werden\",\"65A04M\":\"Spanisch\",\"4nG1lG\":\"Standardticket zum Festpreis\",\"D3iCkb\":\"Startdatum\",\"RS0o7b\":\"State\",\"/2by1f\":\"Staat oder Region\",\"uAQUqI\":\"Status\",\"UJmAAK\":\"Thema\",\"X2rrlw\":\"Zwischensumme\",\"b0HJ45\":[\"Erfolgreich! \",[\"0\"],\" erhält in Kürze eine E-Mail.\"],\"BJIEiF\":[\"Erfolgreich \",[\"0\"],\" Teilnehmer\"],\"Ih8kN0\":[\"Successfully $\",[\"0\"],\" attendee\"],\"xHl17l\":[\"Erfolgreich geprüft <0>\",[\"0\"],\" \",[\"1\"],\" \",[\"2\"]],\"OtgNFx\":\"E-Mail-Adresse erfolgreich bestätigt\",\"IKwyaF\":\"E-Mail-Änderung erfolgreich bestätigt\",\"zLmvhE\":\"Teilnehmer erfolgreich erstellt\",\"9mZEgt\":\"Promo-Code erfolgreich erstellt\",\"aIA9C4\":\"Frage erfolgreich erstellt\",\"onFQYs\":\"Ticket erfolgreich erstellt\",\"Hgj/mB\":\"Successfully deleted ticket\",\"J3RJSZ\":\"Teilnehmer erfolgreich aktualisiert\",\"3suLF0\":\"Kapazitätszuweisung erfolgreich aktualisiert\",\"Z+rnth\":\"Eincheckliste erfolgreich aktualisiert\",\"vzJenu\":\"E-Mail-Einstellungen erfolgreich aktualisiert\",\"7kOMfV\":\"Ereignis erfolgreich aktualisiert\",\"G0KW+e\":\"Erfolgreich aktualisiertes Homepage-Design\",\"k9m6/E\":\"Homepage-Einstellungen erfolgreich aktualisiert\",\"y/NR6s\":\"Standort erfolgreich aktualisiert\",\"73nxDO\":\"Verschiedene Einstellungen erfolgreich aktualisiert\",\"70dYC8\":\"Promo-Code erfolgreich aktualisiert\",\"F+pJnL\":\"SEO-Einstellungen erfolgreich aktualisiert\",\"g2lRrH\":\"Ticket erfolgreich aktualisiert\",\"DXZRk5\":\"Suite 100\",\"GNcfRk\":\"Support-E-Mail\",\"JpohL9\":\"Steuer\",\"geUFpZ\":\"Steuern & Gebühren\",\"0RXCDo\":\"Steuer oder Gebühr erfolgreich gelöscht\",\"ZowkxF\":\"Steuern\",\"EEZnW+\":\"Taxes & Fees\",\"qu6/03\":\"Steuern und Gebühren\",\"gVjSFp\":\"Taxes and Fees can be associated with tickets and will be added to the ticket price.\",\"e0ZSh4\":\"Text Colour\",\"gypigA\":\"Dieser Aktionscode ist ungültig\",\"0ozSQu\":\"The background color for the event homepage\",\"LbHWgW\":\"The background color for the ticket widget on the event homepage\",\"75Xclv\":\"The basic details of your event\",\"5ShqeM\":\"Die gesuchte Eincheckliste existiert nicht.\",\"UNqHnV\":\"The color of the buttons on the event homepage\",\"0amhbL\":\"The color of the links on the event homepage\",\"QXlz+n\":\"Die Standardwährung für Ihre Ereignisse.\",\"mnafgQ\":\"Die Standardzeitzone für Ihre Ereignisse.\",\"o7s5FA\":\"Die Sprache, in der der Teilnehmer die E-Mails erhalten soll.\",\"NlfnUd\":\"Der Link, auf den Sie geklickt haben, ist ungültig.\",\"FqjKfd\":\"The location of your event\",\"kIXEVN\":[\"Die maximale Anzahl von Tickets für \",[\"0\"],\" ist \",[\"1\"]],\"FeAfXO\":[\"Die maximale Anzahl an Tickets für Generäle beträgt \",[\"0\"]],\"POEqXB\":\"The organizer details of your event\",\"TSAiPM\":\"Die gesuchte Seite existiert nicht\",\"MSmKHn\":\"Der dem Kunden angezeigte Preis versteht sich inklusive Steuern und Gebühren.\",\"6zQOg1\":\"Der dem Kunden angezeigte Preis enthält keine Steuern und Gebühren. Diese werden separat ausgewiesen\",\"ne/9Ur\":\"Die von Ihnen gewählten Stileinstellungen gelten nur für kopiertes HTML und werden nicht gespeichert.\",\"TJZByZ\":\"The tax and fee to apply to this ticket. You can create new taxes and fees on the\",\"OJYwh9\":\"Die Steuern und Gebühren, die auf dieses Ticket angewendet werden sollen. Sie können neue Steuern und Gebühren auf der\",\"6BpBfZ\":\"The text color for the event homepage\",\"rljHp7\":\"The text color for the ticket widget on the event homepage\",\"s4di40\":\"The text to display in the 'Continue' button. Defaults to 'Continue'\",\"esY5SG\":\"Der Titel der Veranstaltung, der in Suchmaschinenergebnissen und beim Teilen in sozialen Medien angezeigt wird. Standardmäßig wird der Veranstaltungstitel verwendet\",\"wgAiDb\":\"The user must login to change their email.\",\"jvxN9/\":\"Für diese Veranstaltung sind keine Tickets verfügbar\",\"rMcHYt\":\"Eine Rückerstattung steht aus. Bitte warten Sie, bis der Vorgang abgeschlossen ist, bevor Sie eine weitere Rückerstattung anfordern.\",\"hjLUr+\":\"There was an error loading this content. Please refresh the page and try again.\",\"68Axnm\":\"Bei der Bearbeitung Ihrer Anfrage ist ein Fehler aufgetreten. Bitte versuchen Sie es erneut.\",\"mVKOW6\":\"Beim Senden Ihrer Nachricht ist ein Fehler aufgetreten\",\"Um/adz\":\"These allow multiple selections\",\"vWeHWp\":\"These colors are not saved in our system.\",\"7qzHGS\":\"These colors are not saved in our system. They are only used to generate the widget.\",\"xxv3BZ\":\"Diese Eincheckliste ist abgelaufen\",\"Sa7w7S\":\"Diese Eincheckliste ist abgelaufen und steht nicht mehr für Eincheckungen zur Verfügung.\",\"Uicx2U\":\"Diese Eincheckliste ist aktiv\",\"1k0Mp4\":\"Diese Eincheckliste ist noch nicht aktiv\",\"K6fmBI\":\"Diese Eincheckliste ist noch nicht aktiv und steht nicht für Eincheckungen zur Verfügung.\",\"t/ePFj\":\"Diese Beschreibung wird dem Eincheckpersonal angezeigt\",\"MLTkH7\":\"Diese E-Mail hat keinen Werbezweck und steht in direktem Zusammenhang mit der Veranstaltung.\",\"2eIpBM\":\"Dieses Event ist momentan nicht verfügbar. Bitte versuchen Sie es später noch einmal.\",\"Z6LdQU\":\"Dieses Event ist nicht verfügbar.\",\"CNk/ro\":\"Dies ist eine Online-Veranstaltung\",\"GabtCa\":\"This is the email address that will be used as the reply-to address for all emails sent from this event\",\"FwXnJd\":\"Diese Liste wird nach diesem Datum nicht mehr für Eincheckungen verfügbar sein\",\"CKkb5E\":\"This message is how below the\",\"cHO4ec\":\"Diese Nachricht wird in die Fußzeile aller E-Mails aufgenommen, die von dieser Veranstaltung gesendet werden.\",\"RjwlZt\":\"Diese Bestellung wurde bereits bezahlt.\",\"axERYu\":\"This order has already been paid. <0>View order details\",\"wY+HO9\":\"This order has already been processed.\",\"5K8REg\":\"Diese Bestellung wurde bereits zurückerstattet.\",\"OiQMhP\":\"Diese Bestellung wurde storniert\",\"YyEJij\":\"Diese Bestellung wurde storniert.\",\"D44cEI\":\"This order has been completed.\",\"HILpDX\":\"Diese Bestellung wartet auf Zahlung\",\"0vRWbB\":\"This order is awaiting payment.\",\"BdYtn9\":\"Diese Bestellung ist abgeschlossen\",\"e3uMJH\":\"Diese Bestellung ist abgeschlossen.\",\"YNKXOK\":\"Diese Bestellung wird bearbeitet.\",\"LIjb4v\":\"This order is processing. TODO - a nice image and poll the API\",\"yPZN4i\":\"Diese Bestellseite ist nicht mehr verfügbar.\",\"5189cf\":\"Dadurch werden alle Sichtbarkeitseinstellungen überschrieben und das Ticket wird vor allen Kunden verborgen.\",\"4vwjho\":\"This page has expired. <0>View order details\",\"Qt7RBu\":\"Diese Frage ist nur für den Veranstalter sichtbar\",\"os29v1\":\"Dieser Link zum Zurücksetzen des Passworts ist ungültig oder abgelaufen.\",\"WJqBqd\":\"Dieses Ticket kann nicht gelöscht werden, da es\\nmit einer Bestellung verknüpft ist. Sie können es stattdessen ausblenden.\",\"ma6qdu\":\"Dieses Ticket ist nicht öffentlich sichtbar.\",\"xJ8nzj\":\"Dieses Ticket ist ausgeblendet, sofern es nicht durch einen Promo-Code angesprochen wird.\",\"IV9xTT\":\"Dieser Benutzer ist nicht aktiv, da er die Einladung nicht angenommen hat.\",\"5AnPaO\":\"Fahrkarte\",\"kjAL4v\":\"Fahrkarte\",\"KosivG\":\"Ticket erfolgreich gelöscht\",\"dtGC3q\":\"Die Ticket-E-Mail wurde erneut an den Teilnehmer gesendet.\",\"USk+Mn\":\"Ticket page message\",\"mRM6XH\":\"Ticketverkauf\",\"NirIiz\":\"Ticketstufe\",\"8jLPgH\":\"Art des Tickets\",\"jqWDf9\":\"Ticket widget background color\",\"UrMVAz\":\"Ticket-Widget-Vorschau\",\"ngtDy7\":\"Ticket widget text color\",\"N+YYpo\":\"Eintrittskarte(n)\",\"6GQNLE\":\"Tickets\",\"54q0zp\":\"Tickets für\",\"ikA//P\":\"verkaufte Tickets\",\"i+idBz\":\"Verkaufte Tickets\",\"AGRilS\":\"Verkaufte Tickets\",\"56Qw2C\":\"Tickets erfolgreich sortiert\",\"4f8A8M\":\"Tickets to which the promo code applies (Applies to all by default)\",\"xN9AhL\":[\"Stufe \",[\"0\"]],\"oYaHuq\":\"Stufenticket\",\"XZrhpz\":\"Tiered Ticket - Coming Soon\",\"4M150e\":\"Mit gestaffelten Tickets können Sie mehrere Preisoptionen für dasselbe Ticket anbieten.\\nDas ist ideal für Frühbuchertickets oder das Anbieten unterschiedlicher Preisoptionen\\nfür unterschiedliche Personengruppen.\",\"jQoYTX\":\"Tiered tickets allow you to offer multiple price options for the same ticket. This is perfect for early bird tickets or offering different price options for different groups of people.\",\"s/0RpH\":\"Nutzungshäufigkeit\",\"40Gx0U\":\"Zeitzone\",\"oDGm7V\":\"TIPP\",\"MHrjPM\":\"Titel\",\"xdA/+p\":\"Werkzeuge\",\"72c5Qo\":\"Gesamt\",\"BxsfMK\":\"Gesamtkosten\",\"mpB/d9\":\"Gesamtbestellwert\",\"m3FM1g\":\"Gesamtbetrag zurückerstattet\",\"GBBIy+\":\"Verbleibender Gesamtbetrag\",\"/SgoNA\":\"Gesamtsteuer\",\"+zy2Nq\":\"Typ\",\"mLGbAS\":[\"Teilnehmer \",[\"0\"],\" konnte nicht ausgewählt werden\"],\"FMdMfZ\":\"Teilnehmer konnte nicht eingecheckt werden\",\"bPWBLL\":\"Teilnehmer konnte nicht ausgecheckt werden\",\"/cSMqv\":\"Frage konnte nicht erstellt werden. Bitte überprüfen Sie Ihre Angaben\",\"nNdxt9\":\"Ticket konnte nicht erstellt werden. Bitte überprüfen Sie Ihre Angaben\",\"MH/lj8\":\"Frage kann nicht aktualisiert werden. Bitte überprüfen Sie Ihre Angaben\",\"Mqy/Zy\":\"Vereinigte Staaten\",\"NIuIk1\":\"Unbegrenzt\",\"oMcLhS\":\"Unlimited ticket quantity available\",\"E0q9qH\":\"Unbegrenzte Nutzung erlaubt\",\"ia8YsC\":\"Bevorstehende\",\"TlEeFv\":\"Bevorstehende Veranstaltungen\",\"L/gNNk\":[\"Aktualisierung \",[\"0\"]],\"+qqX74\":\"Aktualisieren Sie den Namen, die Beschreibung und die Daten der Veranstaltung\",\"vXPSuB\":\"Profil aktualisieren\",\"gsehpV\":\"Upload an image to be displayed on the event page\",\"BNBfrU\":\"Cover hochladen\",\"UtDm3q\":\"URL in die Zwischenablage kopiert\",\"e5lF64\":\"Anwendungsbeispiel\",\"sGEOe4\":\"Verwenden Sie eine unscharfe Version des Titelbilds als Hintergrund\",\"OadMRm\":\"Titelbild verwenden\",\"7PzzBU\":\"Benutzer\",\"yDOdwQ\":\"Benutzerverwaltung\",\"Sxm8rQ\":\"Benutzer\",\"VEsDvU\":\"Benutzer können ihre E-Mail in den <0>Profileinstellungen ändern.\",\"vgwVkd\":\"koordinierte Weltzeit\",\"khBZkl\":\"Umsatzsteuer\",\"E/9LUk\":\"Veranstaltungsort Namen\",\"AM+zF3\":\"Teilnehmer anzeigen\",\"e4mhwd\":\"Zur Event-Homepage\",\"/5PEQz\":\"Zur Veranstaltungsseite\",\"fFornT\":\"Vollständige Nachricht anzeigen\",\"YIsEhQ\":\"Ansichts Karte\",\"Ep3VfY\":\"Auf Google Maps anzeigen\",\"AMkkeL\":\"Bestellung anzeigen\",\"Y8s4f6\":\"Bestell Details ansehen\",\"QIWCnW\":\"VIP-Eincheckliste\",\"tF+VVr\":\"VIP-Ticket\",\"2q/Q7x\":\"Sichtweite\",\"vmOFL/\":\"Wir konnten Ihre Zahlung nicht verarbeiten. Bitte versuchen Sie es erneut oder wenden Sie sich an den Support.\",\"1E0vyy\":\"Wir konnten die Daten nicht laden. Bitte versuchen Sie es erneut.\",\"VGioT0\":\"Wir empfehlen Abmessungen von 2160 x 1080 Pixel und eine maximale Dateigröße von 5 MB.\",\"b9UB/w\":\"Wir verwenden Stripe zur Zahlungsabwicklung. Verbinden Sie Ihr Stripe-Konto, um Zahlungen zu empfangen.\",\"01WH0a\":\"Wir konnten Ihre Zahlung nicht bestätigen. Bitte versuchen Sie es erneut oder wenden Sie sich an den Support.\",\"Gspam9\":\"Wir bearbeiten Ihre Bestellung. Bitte warten...\",\"LuY52w\":\"Willkommen an Bord! Bitte melden Sie sich an, um fortzufahren.\",\"dVxpp5\":[\"Willkommen zurück\",[\"0\"],\" 👋\"],\"NxOVCl\":[\"Willkommen bei Hi.Events, \",[\"0\"],\" 👋\"],\"wjqPqF\":\"Was sind Stufentickets?\",\"f1jUC0\":\"An welchem Datum soll diese Eincheckliste aktiv werden?\",\"5iXvHA\":\"What is a Tiered Ticketing?\",\"MhhnvW\":\"Für welche Tickets gilt dieser Code? (Gilt standardmäßig für alle)\",\"dCil3h\":\"Auf welche Tickets soll sich diese Frage beziehen?\",\"Rb0XUE\":\"Um wie viel Uhr werden Sie ankommen?\",\"5N4wLD\":\"Um welche Art von Frage handelt es sich?\",\"D7C6XV\":\"Wann soll diese Eincheckliste ablaufen?\",\"FVetkT\":\"Welche Tickets sollen mit dieser Eincheckliste verknüpft werden?\",\"S+OdxP\":\"Wer organisiert diese Veranstaltung?\",\"LINr2M\":\"An wen ist diese Nachricht gerichtet?\",\"nWhye/\":\"Wem sollte diese Frage gestellt werden?\",\"vVGiM4\":\"Who type of question is this?\",\"onLsWS\":\"Whoops! something went wrong. Please try again or contact support if the problem persists.\",\"AHXN2z\":\"Widget\",\"AU/8QR\":\"Widget Configuration\",\"VxFvXQ\":\"Widget einbetten\",\"v1P7Gm\":\"Widget-Einstellungen\",\"b4itZn\":\"Arbeiten\",\"hqmXmc\":\"Arbeiten...\",\"l75CjT\":\"Ja\",\"QcwyCh\":\"Ja, entfernen\",\"ySeBKv\":\"Sie haben dieses Ticket bereits gescannt\",\"P+Sty0\":[\"Sie ändern Ihre E-Mail zu <0>\",[\"0\"],\".\"],\"gGhBmF\":\"Sie sind offline\",\"4ysd6z\":\"You can connecting using this Zoom link...\",\"9HGdDw\":\"Sie können einen Promo-Code erstellen, der auf dieses Ticket abzielt, auf der\",\"KRhIxT\":\"Sie können jetzt Zahlungen über Stripe empfangen.\",\"UqVaVO\":\"Sie können den Tickettyp nicht ändern, da diesem Ticket Teilnehmer zugeordnet sind.\",\"zQ8idk\":\"You cannot change the ticket type because there are already tickets sold for this ticket.\",\"3vRX5A\":\"Sie können diese Preisstufe nicht löschen, da für diese Stufe bereits Tickets verkauft wurden. Sie können sie stattdessen ausblenden.\",\"RCC09s\":\"You cannot edit a default question\",\"tFbRKJ\":\"Sie können die Rolle oder den Status des Kontoinhabers nicht bearbeiten.\",\"fHfiEo\":\"Sie können eine manuell erstellte Bestellung nicht zurückerstatten.\",\"hK9c7R\":\"Sie haben eine versteckte Frage erstellt, aber die Option zum Anzeigen versteckter Fragen deaktiviert. Sie wurde aktiviert.\",\"NOaWRX\":\"Sie haben keine Berechtigung, auf diese Seite zuzugreifen\",\"BRArmD\":\"Sie haben Zugriff auf mehrere Konten. Bitte wählen Sie eines aus, um fortzufahren.\",\"Z6q0Vl\":\"Sie haben diese Einladung bereits angenommen. Bitte melden Sie sich an, um fortzufahren.\",\"rdk1xK\":\"Sie haben Ihr Stripe-Konto verbunden\",\"ofEncr\":\"Sie haben keine Teilnehmerfragen.\",\"XoeazJ\":\"You have no attendee questions. Attendee questions are asked once per attendee.\",\"CoZHDB\":\"Sie haben keine Bestellfragen.\",\"FZKDIe\":\"You have no order questions. Order questions are asked once per order.\",\"15qAvl\":\"Sie haben keine ausstehende E-Mail-Änderung.\",\"n81Qk8\":\"Sie haben die Einrichtung von Stripe Connect noch nicht abgeschlossen\",\"jxsiqJ\":\"Sie haben Ihr Stripe-Konto nicht verbunden\",\"183zcL\":\"Sie haben Steuern und Gebühren zu einem Freiticket hinzugefügt. Möchten Sie diese entfernen oder unkenntlich machen?\",\"2v5MI1\":\"Sie haben noch keine Nachrichten gesendet. Sie können Nachrichten an alle Teilnehmer oder an bestimmte Ticketinhaber senden.\",\"R6i9o9\":\"Sie müssen bestätigen, dass diese E-Mail keinen Werbezweck hat\",\"3ZI8IL\":\"Sie müssen den Allgemeinen Geschäftsbedingungen zustimmen\",\"dMd3Uf\":\"Sie müssen Ihre E-Mail-Adresse bestätigen, bevor Ihre Veranstaltung live gehen kann.\",\"H35u3n\":\"Sie müssen ein Ticket erstellen, bevor Sie einen Teilnehmer manuell hinzufügen können.\",\"jE4Z8R\":\"Sie müssen mindestens eine Preisstufe haben\",\"LRguuL\":\"You must have at least one tier\",\"8/eLoa\":\"Sie müssen Ihr Konto verifizieren, bevor Sie Nachrichten senden können.\",\"L/+xOk\":\"Sie benötigen ein Ticket, bevor Sie eine Eincheckliste erstellen können.\",\"8QNzin\":\"Sie benötigen ein Ticket, bevor Sie eine Kapazitätszuweisung erstellen können.\",\"WHXRMI\":\"Sie benötigen mindestens ein Ticket, um loslegen zu können. Kostenlos, kostenpflichtig oder der Benutzer kann selbst entscheiden, was er bezahlen möchte.\",\"bdg03s\":\"Your account email in outgoing emails.\",\"ROR8QD\":\"Ihr Kontoname wird auf Veranstaltungsseiten und in E-Mails verwendet.\",\"veessc\":\"Ihre Teilnehmer werden hier angezeigt, sobald sie sich für Ihre Veranstaltung registriert haben. Sie können Teilnehmer auch manuell hinzufügen.\",\"Eh5Wrd\":\"Eure tolle Website 🎉\",\"lkMK2r\":\"Deine Details\",\"3ENYTQ\":[\"Ihre E-Mail-Anfrage zur Änderung auf <0>\",[\"0\"],\" steht noch aus. Bitte überprüfen Sie Ihre E-Mail, um sie zu bestätigen\"],\"yZfBoy\":\"Ihre Nachricht wurde gesendet\",\"la26JS\":\"Your order is in progress\",\"7YJdgG\":\"Sobald Ihre Bestellungen eintreffen, werden sie hier angezeigt.\",\"9TO8nT\":\"Ihr Passwort\",\"P8hBau\":\"Ihre Zahlung wird verarbeitet.\",\"UdY1lL\":\"Ihre Zahlung war nicht erfolgreich, bitte versuchen Sie es erneut.\",\"fzuM26\":\"Ihre Zahlung war nicht erfolgreich. Bitte versuchen Sie es erneut.\",\"cJ4Y4R\":\"Ihre Rückerstattung wird bearbeitet.\",\"IFHV2p\":\"Ihr Ticket für\",\"3k7HDY\":\"Zip\",\"BM/KQm\":\"Postleitzahl\",\"VftCuk\":\"Zoom link, Google Meet link, etc.\"}")}; \ No newline at end of file +/*eslint-disable*/module.exports={messages:JSON.parse("{\"1bpx9A\":\"...\",\"f8qS7T\":\"„Es gibt noch nichts zu zeigen“\",\"4zldrf\":[[\"0\",\"plural\",{\"one\":[\"#\",\" hidden question\"],\"other\":[\"#\",\" hidden questions\"]}]],\"J/hVSQ\":[[\"0\"]],\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"Jv22kr\":[[\"0\"],\" <0>erfolgreich eingecheckt\"],\"yxhYRZ\":[[\"0\"],\" <0>erfolgreich ausgecheckt\"],\"KMgp2+\":[[\"0\"],\" verfügbar\"],\"tmew5X\":[[\"0\"],\" eingecheckt\"],\"Pmr5xp\":[[\"0\"],\" erfolgreich erstellt\"],\"FImCSc\":[[\"0\"],\" erfolgreich aktualisiert\"],\"KOr9b4\":[[\"0\"],\"s Veranstaltungen\"],\"qSiUsc\":[[\"0\"],[\"1\"]],\"cU8MWb\":[[\"0\"],\"/\",[\"1\"],\" eingecheckt\"],\"Vjij1k\":[[\"days\"],\" Tage, \",[\"hours\"],\" Stunden, \",[\"minutes\"],\" Minuten und \",[\"seconds\"],\" Sekunden\"],\"f3RdEk\":[[\"hours\"],\" Stunden, \",[\"minutes\"],\" Minuten und \",[\"seconds\"],\" Sekunden\"],\"wapGcj\":[[\"message\"]],\"fyE7Au\":[[\"Minuten\"],\" Minuten und \",[\"Sekunden\"],\" Sekunden\"],\"NlQ0cx\":[\"Erste Veranstaltung von \",[\"organizerName\"]],\"Ul6IgC\":\"<0>Kapazitätszuweisungen ermöglichen es Ihnen, die Kapazität über Tickets oder ein ganzes Ereignis zu verwalten. Ideal für mehrtägige Veranstaltungen, Workshops und mehr, bei denen die Kontrolle der Teilnehmerzahl entscheidend ist.<1>Beispielsweise können Sie eine Kapazitätszuweisung mit einem <2>Tag Eins und einem <3>Alle Tage-Ticket verknüpfen. Sobald die Kapazität erreicht ist, werden beide Tickets automatisch nicht mehr zum Verkauf angeboten.\",\"Exjbj7\":\"<0>Einchecklisten helfen, den Eintritt der Teilnehmer zu verwalten. Sie können mehrere Tickets mit einer Eincheckliste verknüpfen und sicherstellen, dass nur Personen mit gültigen Tickets eintreten können.\",\"OXku3b\":\"<0>https://Ihre-website.com\",\"qnSLLW\":\"<0>Bitte geben Sie den Preis ohne Steuern und Gebühren ein.<1>Steuern und Gebühren können unten hinzugefügt werden.\",\"0940VN\":\"<0>Die Anzahl der verfügbaren Tickets für dieses Ticket<1>Dieser Wert kann überschrieben werden, wenn diesem Ticket <2>Kapazitätsgrenzen zugewiesen sind.\",\"E15xs8\":\"⚡️ Richten Sie Ihre Veranstaltung ein\",\"FL6OwU\":\"✉️ Bestätigen Sie Ihre E-Mail-Adresse\",\"y1NShf\":\"🎉 Congratulation on creating an event!\",\"BN0OQd\":\"🎉 Herzlichen Glückwunsch zur Erstellung einer Veranstaltung!\",\"fAv9QG\":\"🎟️ Tickets hinzufügen\",\"4WT5tD\":\"🎨 Passen Sie Ihre Veranstaltungsseite an\",\"3VPPdS\":\"💳 Mit Stripe verbinden\",\"s4Tgn6\":\"📢 Promote your event\",\"cjdktw\":\"🚀 Setze dein Event live\",\"rmelwV\":\"0 Minuten und 0 Sekunden\",\"UQ7pBY\":\"0.50 for $0.50\",\"i1+xzD\":\"1.75 for 1.75%\",\"i0puaE\":\"10.00\",\"W9+fkZ\":\"10001\",\"qdfdgM\":\"123 Hauptstraße\",\"IoRZzD\":\"20\",\"+H1RMb\":\"01.01.2024 10:00\",\"Q/T49U\":\"01.01.2024 18:00\",\"hMT8+2\":\"94103\",\"efAM7X\":\"Ein Datumseingabefeld. Perfekt, um nach einem Geburtsdatum usw. zu fragen.\",\"d9El7Q\":[\"Auf alle neuen Tickets wird automatisch ein Standard-\",[\"type\"],\" angewendet. Sie können dies für jedes Ticket einzeln überschreiben.\"],\"SMUbbQ\":\"Eine Dropdown-Eingabe erlaubt nur eine Auswahl\",\"qv4bfj\":\"Eine Gebühr, beispielsweise eine Buchungsgebühr oder eine Servicegebühr\",\"Pgaiuj\":\"Ein fester Betrag pro Ticket. Z. B. 0,50 $ pro Ticket\",\"f4vJgj\":\"Eine mehrzeilige Texteingabe\",\"ySO/4f\":\"Ein Prozentsatz des Ticketpreises. Beispiel: 3,5 % des Ticketpreises\",\"WXeXGB\":\"Mit einem Promo-Code ohne Rabatt können versteckte Tickets freigeschaltet werden.\",\"GMhWB5\":\"A Radio option allows has multiple options but only one can be selected.\",\"CBt3s7\":\"A Radio Option allows only one selection\",\"AG/qmQ\":\"Eine Radiooption hat mehrere Optionen, aber nur eine kann ausgewählt werden.\",\"7g61G9\":\"A short description of Awesome Events Ltd.\",\"h179TP\":\"Eine kurze Beschreibung der Veranstaltung, die in Suchmaschinenergebnissen und beim Teilen in sozialen Medien angezeigt wird. Standardmäßig wird die Veranstaltungsbeschreibung verwendet\",\"WKMnh4\":\"Eine einzeilige Texteingabe\",\"zCk10D\":\"Eine einzelne Frage pro Teilnehmer. Z. B.: „Was ist Ihr Lieblingsessen?“\",\"ap3v36\":\"Eine einzige Frage pro Bestellung. Z. B.: Wie lautet der Name Ihres Unternehmens?\",\"RlJmQg\":\"Eine Standardsteuer wie Mehrwertsteuer oder GST\",\"pDwHGk\":\"About hi.events\",\"uIKNjo\":\"Über die Veranstaltung\",\"bfXQ+N\":\"Die Einladung annehmen\",\"iwyhk4\":\"Access to the VIP area...\",\"AeXO77\":\"Konto\",\"0b79Xf\":\"Account Email\",\"lkNdiH\":\"Kontoname\",\"Puv7+X\":\"Account Einstellungen\",\"OmylXO\":\"Konto erfolgreich aktualisiert\",\"7L01XJ\":\"Aktionen\",\"FQBaXG\":\"aktivieren Sie\",\"5T2HxQ\":\"Aktivierungsdatum\",\"F6pfE9\":\"Aktiv\",\"m16xKo\":\"Hinzufügen\",\"LKNynS\":\"Add a cover image, description, and more to make your event stand out.\",\"/PN1DA\":\"Fügen Sie eine Beschreibung für diese Eincheckliste hinzu\",\"PGPGsL\":\"Beschreibung hinzufügen\",\"gMK0ps\":\"Fügen Sie Ereignisdetails hinzu und verwalten Sie die Ereigniseinstellungen.\",\"Fb+SDI\":\"Weitere Tickets hinzufügen\",\"ApsD9J\":\"Neue hinzufügen\",\"TZxnm8\":\"Option hinzufügen\",\"Cw27zP\":\"Frage hinzufügen\",\"yWiPh+\":\"Steuern oder Gebühren hinzufügen\",\"BGD9Yt\":\"Tickets hinzufügen\",\"goOKRY\":\"Ebene hinzufügen\",\"p59pEv\":\"Additional Details\",\"Y8DIQy\":\"Zusatzoptionen\",\"Du6bPw\":\"Adresse\",\"NY/x1b\":\"Anschrift Zeile 1\",\"POdIrN\":\"Anschrift Zeile 1\",\"cormHa\":\"Adresszeile 2\",\"gwk5gg\":\"Adresszeile 2\",\"U3pytU\":\"Administrator\",\"HLDaLi\":\"Administratorbenutzer haben vollständigen Zugriff auf Ereignisse und Kontoeinstellungen.\",\"CPXP5Z\":\"Mitgliedsorganisationen\",\"W7AfhC\":\"Alle Teilnehmer dieser Veranstaltung\",\"QsYjci\":\"Alle Veranstaltungen\",\"/twVAS\":\"Alle Tickets\",\"ipYKgM\":\"Suchmaschinenindizierung zulassen\",\"LRbt6D\":\"Suchmaschinen erlauben, dieses Ereignis zu indizieren\",\"+MHcJD\":\"Fast geschafft! Wir warten nur darauf, dass Ihre Zahlung bearbeitet wird. Dies sollte nur ein paar Sekunden dauern.\",\"8wYDMp\":\"Already have an account?\",\"ApOYO8\":\"Erstaunlich, Ereignis, Schlüsselwörter...\",\"hehnjM\":\"Menge\",\"TRYjHa\":[\"amount in \",[\"0\"]],\"R2O9Rg\":[\"Bezahlter Betrag (\",[\"0\"],\")\"],\"tLjOgo\":[\"Amount paid $\",[\"0\"]],\"V7MwOy\":\"Beim Laden der Seite ist ein Fehler aufgetreten\",\"Q7UCEH\":\"Beim Sortieren der Fragen ist ein Fehler aufgetreten. Bitte versuchen Sie es erneut oder aktualisieren Sie die Seite\",\"er3d/4\":\"Beim Sortieren der Tickets ist ein Fehler aufgetreten. Bitte versuchen Sie es erneut oder aktualisieren Sie die Seite\",\"hhvESd\":\"An event is the actual event you are hosting\",\"jD/OCQ\":\"Ein Event ist die eigentliche Veranstaltung, die Sie veranstalten. Sie können später weitere Details hinzufügen.\",\"oBkF+i\":\"Ein Veranstalter ist das Unternehmen oder die Person, die die Veranstaltung ausrichtet.\",\"W5A0Ly\":\"Ein unerwarteter Fehler ist aufgetreten.\",\"byKna+\":\"Ein unerwarteter Fehler ist aufgetreten. Bitte versuchen Sie es erneut.\",\"j4DliD\":\"Alle Anfragen von Ticketinhabern werden an diese E-Mail-Adresse gesendet. Diese wird auch als „Antwortadresse“ für alle E-Mails verwendet, die von dieser Veranstaltung gesendet werden.\",\"aAIQg2\":\"Aussehen\",\"Ym1gnK\":\"angewandt\",\"epTbAK\":[\"Gilt für \",[\"0\"],\" Tickets\"],\"6MkQ2P\":\"Gilt für 1 Ticket\",\"DB8zMK\":\"Apply\",\"GctSSm\":\"Promo-Code anwenden\",\"jcnZEw\":[\"Wenden Sie diesen \",[\"type\"],\" auf alle neuen Tickets an\"],\"S0ctOE\":\"Veranstaltung archivieren\",\"TdfEV7\":\"Archiviert\",\"A6AtLP\":\"Archivierte Veranstaltungen\",\"q7TRd7\":\"Möchten Sie diesen Teilnehmer wirklich aktivieren?\",\"TvkW9+\":\"Sind Sie sicher, dass Sie diese Veranstaltung archivieren möchten?\",\"/CV2x+\":\"Möchten Sie diesen Teilnehmer wirklich stornieren? Dadurch wird sein Ticket ungültig.\",\"YgRSEE\":\"Möchten Sie diesen Aktionscode wirklich löschen?\",\"iU234U\":\"Möchten Sie diese Frage wirklich löschen?\",\"CMyVEK\":\"Möchten Sie diese Veranstaltung wirklich als Entwurf speichern? Dadurch wird die Veranstaltung für die Öffentlichkeit unsichtbar.\",\"mEHQ8I\":\"Möchten Sie diese Veranstaltung wirklich öffentlich machen? Dadurch wird die Veranstaltung für die Öffentlichkeit sichtbar\",\"s4JozW\":\"Sind Sie sicher, dass Sie diese Veranstaltung wiederherstellen möchten? Es wird als Entwurf wiederhergestellt.\",\"vJuISq\":\"Sind Sie sicher, dass Sie diese Kapazitätszuweisung löschen möchten?\",\"baHeCz\":\"Möchten Sie diese Eincheckliste wirklich löschen?\",\"2xEpch\":\"Einmal pro Teilnehmer fragen\",\"LBLOqH\":\"Einmal pro Bestellung anfragen\",\"ss9PbX\":\"Teilnehmer\",\"m0CFV2\":\"Teilnehmerdetails\",\"lXcSD2\":\"Fragen der Teilnehmer\",\"VvYqMB\":\"Attendee questions are asked once per attendee. By default, people are asked for their first name, last name, and email address.\",\"spxPEv\":\"Attendee questions are asked once per attendee. By default, we ask for the attendee's first name, last name, and email address.\",\"9SZT4E\":\"Teilnehmer\",\"5UbY+B\":\"Teilnehmer mit einem bestimmten Ticket\",\"IMJ6rh\":\"Automatische Größenanpassung\",\"vZ5qKF\":\"Passen Sie die Widgethöhe automatisch an den Inhalt an. Wenn diese Option deaktiviert ist, füllt das Widget die Höhe des Containers aus.\",\"lXkUEV\":\"Availability\",\"ioG+xt\":\"Zahlung steht aus\",\"3PmQfI\":\"Tolles Event\",\"kNmmvE\":\"Awesome Events Ltd.\",\"Yrbm6T\":\"Awesome Organizer Ltd.\",\"9002sI\":\"Zurück zu allen Events\",\"0TGkYM\":\"Back to event homepage\",\"A302fe\":\"Zurück zur Veranstaltungsseite\",\"VCoEm+\":\"Zurück zur Anmeldung\",\"MLZyiY\":\"Background color\",\"k1bLf+\":\"Hintergrundfarbe\",\"I7xjqg\":\"Hintergrundtyp\",\"EOUool\":\"Grundlegende Details\",\"7EGQKA\":\"Because you are the account owner, you cannot change your role or status.\",\"1mwMl+\":\"Bevor Sie versenden!\",\"wVfiR2\":\"Before you're event can go live, there's a few thing to do.\",\"/yeZ20\":\"Bevor Ihre Veranstaltung live gehen kann, müssen Sie einige Dinge erledigen.\",\"1xAcxY\":\"Beginnen Sie in wenigen Minuten mit dem Ticketverkauf\",\"R+w/Va\":\"Billing\",\"rp/zaT\":\"Brasilianisches Portugiesisch\",\"Ptp9MF\":\"Button color\",\"whqocw\":\"Mit der Registrierung stimmen Sie unseren <0>Servicebedingungen und <1>Datenschutzrichtlinie zu.\",\"bcCn6r\":\"Berechnungstyp\",\"+8bmSu\":\"Kalifornien\",\"iStTQt\":\"Die Kameraberechtigung wurde verweigert. <0>Fordern Sie die Berechtigung erneut an. Wenn dies nicht funktioniert, müssen Sie dieser Seite in Ihren Browsereinstellungen <1>Zugriff auf Ihre Kamera gewähren.\",\"Jzn1qy\":\"Can't load events\",\"dEgA5A\":\"Stornieren\",\"Gjt/py\":\"E-Mail-Änderung abbrechen\",\"tVJk4q\":\"Bestellung stornieren\",\"Os6n2a\":\"Bestellung stornieren\",\"Mz7Ygx\":[\"Bestellung stornieren \",[\"0\"]],\"Ud7zwq\":\"Durch die Stornierung werden alle mit dieser Bestellung verbundenen Tickets storniert und die Tickets werden wieder in den verfügbaren Pool freigegeben.\",\"vv7kpg\":\"Abgesagt\",\"QyjCeq\":\"Kapazität\",\"V6Q5RZ\":\"Kapazitätszuweisung erfolgreich erstellt\",\"k5p8dz\":\"Kapazitätszuweisung erfolgreich gelöscht\",\"nDBs04\":\"Kapazitätsmanagement\",\"77/YgG\":\"Cover ändern\",\"GptGxg\":\"Kennwort ändern\",\"QndF4b\":\"einchecken\",\"xMDm+I\":\"Einchecken\",\"9FVFym\":\"Kasse\",\"/Ta1d4\":\"Auschecken\",\"gXcPxc\":\"Einchecken\",\"Y3FYXy\":\"Einchecken\",\"fVUbUy\":\"Eincheckliste erfolgreich erstellt\",\"+CeSxK\":\"Eincheckliste erfolgreich gelöscht\",\"+hBhWk\":\"Die Eincheckliste ist abgelaufen\",\"mBsBHq\":\"Die Eincheckliste ist nicht aktiv\",\"vPqpQG\":\"Eincheckliste nicht gefunden\",\"tejfAy\":\"Einchecklisten\",\"hD1ocH\":\"Eincheck-URL in die Zwischenablage kopiert\",\"CNafaC\":\"Kontrollkästchenoptionen ermöglichen Mehrfachauswahl\",\"SpabVf\":\"Kontrollkästchen\",\"CRu4lK\":\"Eingecheckt\",\"rfeicl\":\"Erfolgreich eingecheckt\",\"/ydvvl\":\"Checkout Messaging\",\"1WnhCL\":\"Checkout-Einstellungen\",\"h1IXFK\":\"Chinesisch\",\"6imsQS\":\"Vereinfachtes Chinesisch\",\"JjkX4+\":\"Wählen Sie eine Farbe für Ihren Hintergrund\",\"/Jizh9\":\"Wähle einen Account\",\"jJGoVv\":\"Choose what notifications you want to receive\",\"3wV73y\":\"Stadt\",\"FG98gC\":\"Suchtext löschen\",\"EYeuMv\":\"klicken Sie hier\",\"sby+1/\":\"Zum Kopieren klicken\",\"yz7wBu\":\"Schließen\",\"62Ciis\":\"Sidebar schließen\",\"EWPtMO\":\"Code\",\"ercTDX\":\"Der Code muss zwischen 3 und 50 Zeichen lang sein\",\"jZlrte\":\"Farbe\",\"Vd+LC3\":\"Die Farbe muss ein gültiger Hex-Farbcode sein. Beispiel: #ffffff\",\"1HfW/F\":\"Farben\",\"VZeG/A\":\"Demnächst\",\"yPI7n9\":\"Durch Kommas getrennte Schlüsselwörter, die das Ereignis beschreiben. Diese werden von Suchmaschinen verwendet, um das Ereignis zu kategorisieren und zu indizieren.\",\"NPZqBL\":\"Bestellung abschließen\",\"guBeyC\":\"Zur vollständigen Bezahlung\",\"C8HNV2\":\"Zur vollständigen Bezahlung\",\"qqWcBV\":\"Vollendet\",\"DwF9eH\":\"Komponentencode\",\"7VpPHA\":\"Bestätigen\",\"ZaEJZM\":\"E-Mail-Änderung bestätigen\",\"yjkELF\":\"Bestätige neues Passwort\",\"xnWESi\":\"Bestätige das Passwort\",\"p2/GCq\":\"Bestätige das Passwort\",\"wnDgGj\":\"E-Mail-Adresse wird bestätigt …\",\"DnLC08\":\"Congratulation on creating an event!\",\"pbAk7a\":\"Stripe verbinden\",\"UMGQOh\":\"Mit Stripe verbinden\",\"QKLP1W\":\"Verbinden Sie Ihr Stripe-Konto, um Zahlungen zu empfangen.\",\"5lcVkL\":\"Verbindungsdetails\",\"i3p844\":\"Contact email\",\"yAej59\":\"Hintergrundfarbe des Inhalts\",\"xGVfLh\":\"Weitermachen\",\"X++RMT\":\"Text der Schaltfläche „Weiter“\",\"AfNRFG\":\"Text der Schaltfläche „Weiter“\",\"lIbwvN\":\"Mit der Ereigniseinrichtung fortfahren\",\"HB22j9\":\"Weiter einrichten\",\"bZEa4H\":\"Mit der Einrichtung von Stripe Connect fortfahren\",\"RGVUUI\":\"Weiter zur Zahlung\",\"6V3Ea3\":\"Kopiert\",\"T5rdis\":\"in die Zwischenablage kopiert\",\"he3ygx\":\"Kopieren\",\"r2B2P8\":\"Eincheck-URL kopieren\",\"8+cOrS\":\"Details an alle Teilnehmer kopieren\",\"ENCIQz\":\"Link kopieren\",\"E6nRW7\":\"URL kopieren\",\"JNCzPW\":\"Land\",\"IF7RiR\":\"Abdeckung\",\"P0rbCt\":\"Cover Image\",\"hYgDIe\":\"Create\",\"b9XOHo\":[\"Erstellen Sie \",[\"0\"]],\"6kdXbW\":\"Einen Promo-Code erstellen\",\"n5pRtF\":\"Ticket erstellen\",\"X6sRve\":[\"Erstellen Sie ein Konto oder <0>\",[\"0\"],\", um loszulegen\"],\"nx+rqg\":\"einen Organizer erstellen\",\"ipP6Ue\":\"Teilnehmer erstellen\",\"VwdqVy\":\"Kapazitätszuweisung erstellen\",\"WVbTwK\":\"Eincheckliste erstellen\",\"uN355O\":\"Ereignis erstellen\",\"BOqY23\":\"Erstelle neu\",\"kpJAeS\":\"Organizer erstellen\",\"a0EjD+\":\"Create Product\",\"sYpiZP\":\"Promo-Code erstellen\",\"a6YrKg\":\"Create promo codes\",\"n6H6AO\":\"Create promo codes to offer discounts to your attendees.\",\"B3Mkdt\":\"Frage erstellen\",\"UKfi21\":\"Steuer oder Gebühr erstellen\",\"Tg323g\":\"Ticket erstellen\",\"agZ87r\":\"Erstellen Sie Tickets für Ihre Veranstaltung, legen Sie Preise fest und verwalten Sie die verfügbare Menge.\",\"d+F6q9\":\"Erstellt\",\"Q2lUR2\":\"Währung\",\"DCKkhU\":\"Aktuelles Passwort\",\"uIElGP\":\"Benutzerdefinierte Karten-URL\",\"876pfE\":\"Kunde\",\"QOg2Sf\":\"Passen Sie die E-Mail- und Benachrichtigungseinstellungen für dieses Ereignis an\",\"Lu75d1\":\"Customize the email settings for this event\",\"RaxMyF\":\"Customize the event homepage and checkout experience\",\"Y9Z/vP\":\"Passen Sie die Startseite der Veranstaltung und die Nachrichten an der Kasse an\",\"2E2O5H\":\"Passen Sie die sonstigen Einstellungen für dieses Ereignis an\",\"iJhSxe\":\"Passen Sie die SEO-Einstellungen für dieses Event an\",\"KIhhpi\":\"Passen Sie Ihre Veranstaltungsseite an\",\"nrGWUv\":\"Passen Sie Ihre Veranstaltungsseite an Ihre Marke und Ihren Stil an.\",\"Zz6Cxn\":\"Gefahrenzone\",\"ZQKLI1\":\"Gefahrenzone\",\"7p5kLi\":\"Armaturenbrett\",\"mYGY3B\":\"Datum\",\"JvUngl\":\"Terminzeit\",\"JJhRbH\":\"Kapazität am ersten Tag\",\"PqrqgF\":\"Tag eins Eincheckliste\",\"RiXc4g\":\"Deactivate user\",\"cnGeoo\":\"Löschen\",\"jRJZxD\":\"Kapazität löschen\",\"Qrc8RZ\":\"Eincheckliste löschen\",\"WHf154\":\"Code löschen\",\"heJllm\":\"Cover löschen\",\"KWa0gi\":\"Lösche Bild\",\"IatsLx\":\"Frage löschen\",\"GnyEfA\":\"Ticket löschen\",\"E33LRn\":\"Delete user\",\"Nu4oKW\":\"Beschreibung\",\"YC3oXa\":\"Beschreibung für das Eincheckpersonal\",\"s9iD5d\":\"Description should be less than 50,000 characters\",\"URmyfc\":\"Einzelheiten\",\"x8uDKb\":\"Disable code\",\"Tgg8XQ\":\"Deaktivieren Sie diese Kapazitätsverfolgung ohne den Ticketverkauf zu stoppen\",\"H6Ma8Z\":\"Rabatt\",\"ypJ62C\":\"Rabatt %\",\"3LtiBI\":[\"Rabatt in \",[\"0\"]],\"C8JLas\":\"Rabattart\",\"1QfxQT\":\"Zurückweisen\",\"cVq+ga\":\"Sie haben noch kein Konto? <0>Registrieren\",\"4+aC/x\":\"Spende / Bezahlen Sie, was Sie möchten Ticket\",\"++S5i/\":\"Donation amount\",\"OO7MG7\":\"Donation Ticket\",\"0pEVi2\":\"Download Tickets PDF\",\"uABpqP\":\"Ziehen und ablegen oder klicken\",\"3z2ium\":\"Zum Sortieren ziehen\",\"6skwyH\":\"Drop an image, or click here to replace the Cover Image\",\"S37RRV\":\"Drop an image, or click here to upload the Cover Image\",\"CfKofC\":\"Dropdown-Auswahl\",\"JzLDvy\":\"Duplizieren Sie Kapazitätszuweisungen\",\"ulMxl+\":\"Duplizieren Sie Check-in-Listen\",\"vi8Q/5\":\"Ereignis duplizieren\",\"3ogkAk\":\"Ereignis duplizieren\",\"Yu6m6X\":\"Duplizieren Sie das Titelbild des Ereignisses\",\"+fA4C7\":\"Optionen duplizieren\",\"57ALrd\":\"Promo-Codes duplizieren\",\"83Hu4O\":\"Fragen duplizieren\",\"20144c\":\"Einstellungen duplizieren\",\"Wt9eV8\":\"Tickets duplizieren\",\"7Cx5It\":\"Früher Vogel\",\"ePK91l\":\"Bearbeiten\",\"N6j2JH\":[\"Bearbeiten \",[\"0\"]],\"kNGp1D\":\"Teilnehmer bearbeiten\",\"t2bbp8\":\"Teilnehmer bearbeiten\",\"kBkYSa\":\"Kapazität bearbeiten\",\"oHE9JT\":\"Kapazitätszuweisung bearbeiten\",\"FU1gvP\":\"Eincheckliste bearbeiten\",\"iFgaVN\":\"Code bearbeiten\",\"jrBSO1\":\"Organisator bearbeiten\",\"9BdS63\":\"Aktionscode bearbeiten\",\"O0CE67\":\"Frage bearbeiten\",\"EzwCw7\":\"Frage bearbeiten\",\"d+nnyk\":\"Ticket bearbeiten\",\"poTr35\":\"Benutzer bearbeiten\",\"GTOcxw\":\"Benutzer bearbeiten\",\"pqFrv2\":\"z.B. 2,50 für 2,50 $\",\"3yiej1\":\"z.B. 23,5 für 23,5 %\",\"O3oNi5\":\"Email\",\"VxYKoK\":\"E-Mail- und Benachrichtigungseinstellungen\",\"ATGYL1\":\"E-Mail-Adresse\",\"hzKQCy\":\"E-Mail-Adresse\",\"HqP6Qf\":\"E-Mail-Änderung erfolgreich abgebrochen\",\"mISwW1\":\"E-Mail-Änderung ausstehend\",\"WiKda6\":\"Email Configuration\",\"APuxIE\":\"E-Mail-Bestätigung erneut gesendet\",\"YaCgdO\":\"E-Mail-Bestätigung erfolgreich erneut gesendet\",\"jyt+cx\":\"E-Mail-Fußzeilennachricht\",\"I6F3cp\":\"E-Mail nicht verifiziert\",\"G5zNMX\":\"Email Settings\",\"NTZ/NX\":\"Code einbetten\",\"4rnJq4\":\"Skript einbetten\",\"nA31FG\":\"Aktivieren Sie diese Kapazität, um den Ticketverkauf zu stoppen, wenn das Limit erreicht ist\",\"VFv2ZC\":\"Endtermin\",\"237hSL\":\"Beendet\",\"nt4UkP\":\"Beendete Veranstaltungen\",\"lYGfRP\":\"Englisch\",\"MhVoma\":\"Geben Sie einen Betrag ohne Steuern und Gebühren ein.\",\"3Z223G\":\"Fehler beim Bestätigen der E-Mail-Adresse\",\"a6gga1\":\"Fehler beim Bestätigen der E-Mail-Änderung\",\"5/63nR\":\"EUR\",\"0pC/y6\":\"Ereignis\",\"nuoP/j\":\"Event created successfully\",\"CFLUfD\":\"Veranstaltung erfolgreich erstellt 🎉\",\"0Zptey\":\"Ereignisstandards\",\"6fuA9p\":\"Ereignis erfolgreich dupliziert\",\"Xe3XMd\":\"Das Ereignis ist nicht öffentlich sichtbar\",\"4pKXJS\":\"Veranstaltung ist öffentlich sichtbar\",\"ClwUUD\":\"Veranstaltungsort & Details zum Veranstaltungsort\",\"OopDbA\":\"Veranstaltungsseite\",\"JyD0LH\":\"Event Settings\",\"4/If97\":\"Die Aktualisierung des Ereignisstatus ist fehlgeschlagen. Bitte versuchen Sie es später erneut\",\"btxLWj\":\"Veranstaltungsstatus aktualisiert\",\"tst44n\":\"Veranstaltungen\",\"sZg7s1\":\"Ablaufdatum\",\"KnN1Tu\":\"Läuft ab\",\"uaSvqt\":\"Verfallsdatum\",\"GS+Mus\":\"Export\",\"9xAp/j\":\"Teilnehmer konnte nicht abgesagt werden\",\"ZpieFv\":\"Stornierung der Bestellung fehlgeschlagen\",\"z6tdjE\":\"Nachricht konnte nicht gelöscht werden. Bitte versuchen Sie es erneut.\",\"9zSt4h\":\"Das Exportieren der Teilnehmer ist fehlgeschlagen. Bitte versuchen Sie es erneut.\",\"2uGNuE\":\"Der Export der Bestellungen ist fehlgeschlagen. Bitte versuchen Sie es erneut.\",\"d+KKMz\":\"Laden der Eincheckliste fehlgeschlagen\",\"ZQ15eN\":\"Ticket-E-Mail konnte nicht erneut gesendet werden\",\"PLUB/s\":\"Gebühr\",\"YirHq7\":\"Rückmeldung\",\"/mfICu\":\"Gebühren\",\"V1EGGU\":\"Vorname\",\"kODvZJ\":\"Vorname\",\"S+tm06\":\"Der Vorname muss zwischen 1 und 50 Zeichen lang sein\",\"1g0dC4\":\"Vorname, Nachname und E-Mail-Adresse sind Standardfragen und werden immer in den Bestellvorgang einbezogen.\",\"QWa3Sk\":\"First Name, Last Name, and Email Address are default questions that are always included in the checkout process.\",\"TpqW74\":\"Fest\",\"irpUxR\":\"Fester Betrag\",\"TF9opW\":\"Flash ist auf diesem Gerät nicht verfügbar\",\"UNMVei\":\"Passwort vergessen?\",\"2POOFK\":\"Frei\",\"/4rQr+\":\"Freikarten\",\"01my8x\":\"Kostenloses Ticket, keine Zahlungsinformationen erforderlich\",\"nLC6tu\":\"Französisch\",\"ejVYRQ\":\"From\",\"DDcvSo\":\"Deutsch\",\"u6FPxT\":\"Get Tickets\",\"4GLxhy\":\"Erste Schritte\",\"4D3rRj\":\"Zurück zum Profil\",\"cQPKZt\":\"Go to Dashboard\",\"9LCqFI\":\"Zur Event-Homepage\",\"RUz8o/\":\"Bruttoverkäufe\",\"IgcAGN\":\"Bruttoumsatz\",\"yRg26W\":\"Bruttoumsatz\",\"R4r4XO\":\"Gäste\",\"26pGvx\":\"Haben Sie einen Promo-Code?\",\"V7yhws\":\"hello@awesome-events.com\",\"GNJ1kd\":\"Hilfe & Support\",\"6K/IHl\":\"Hier ist ein Beispiel, wie Sie die Komponente in Ihrer Anwendung verwenden können.\",\"Y1SSqh\":\"Hier ist die React-Komponente, die Sie verwenden können, um das Widget in Ihre Anwendung einzubetten.\",\"Ow9Hz5\":[\"Hi.Events-Konferenz \",[\"0\"]],\"verBst\":\"Hi.Events Konferenzzentrum\",\"6eMEQO\":\"hi.events-Logo\",\"C4qOW8\":\"Vor der Öffentlichkeit verborgen\",\"gt3Xw9\":\"versteckte Frage\",\"g3rqFe\":\"versteckte Fragen\",\"k3dfFD\":\"Versteckte Fragen sind nur für den Veranstalter und nicht für den Kunden sichtbar.\",\"EeNE0j\":\"Hidden will not be shown to customers.\",\"vLyv1R\":\"Verstecken\",\"Mkkvfd\":\"Seite „Erste Schritte“ ausblenden\",\"mFn5Xz\":\"Versteckte Fragen ausblenden\",\"SCimta\":\"Blenden Sie die Seite „Erste Schritte“ in der Seitenleiste aus.\",\"Da29Y6\":\"Diese Frage verbergen\",\"fsi6fC\":\"Dieses Ticket vor Kunden verbergen\",\"fvDQhr\":\"Diese Ebene vor Benutzern verbergen\",\"Fhzoa8\":\"Ticket nach Verkaufsende verbergen\",\"yhm3J/\":\"Ticket vor Verkaufsbeginn verbergen\",\"k7/oGT\":\"Ticket verbergen, sofern der Benutzer nicht über einen gültigen Aktionscode verfügt\",\"L0ZOiu\":\"Ticket bei Ausverkauf verbergen\",\"uno73L\":\"Wenn Sie ein Ticket ausblenden, können Benutzer es nicht auf der Veranstaltungsseite sehen.\",\"tj6Gob\":\"Homepage & Checkout\",\"m07jN3\":\"Homepage & Checkout Settings\",\"ZOBwQn\":\"Homepage-Design\",\"PRuBTd\":\"Homepage Designer\",\"YjVNGZ\":\"Homepage-Vorschau\",\"c3E/kw\":\"Homer\",\"id+NIk\":\"How many minutes the customer has to complete their order\",\"8k8Njd\":\"Wie viele Minuten hat der Kunde Zeit, um seine Bestellung abzuschließen. Wir empfehlen mindestens 15 Minuten\",\"ySxKZe\":\"Wie oft kann dieser Code verwendet werden?\",\"dZsDbK\":[\"HTML-Zeichenlimit überschritten: \",[\"htmlLength\"],\"/\",[\"maxLength\"]],\"fYyXCd\":\"https://example-maps-service.com/...\",\"uOXLV3\":\"Ich stimme den <0>Allgemeinen Geschäftsbedingungen zu\",\"sIxFk5\":\"I agree to the terms and conditions\",\"Crwwhn\":[\"If a new tab did not open, please <0>\",[\"0\"],\".\"],\"93DUnd\":[\"Wenn keine neue Registerkarte geöffnet wurde, <0><1>\",[\"0\"],\".\"],\"9gtsTP\":\"Wenn leer, wird die Adresse verwendet, um einen Google-Kartenlink zu generieren.\",\"muXhGi\":\"Wenn aktiviert, erhält der Veranstalter eine E-Mail-Benachrichtigung, wenn eine neue Bestellung aufgegeben wird\",\"6fLyj/\":\"Sollten Sie diese Änderung nicht veranlasst haben, ändern Sie bitte umgehend Ihr Passwort.\",\"n/ZDCz\":\"Bild erfolgreich gelöscht\",\"Gyl1h8\":\"Image dimensions must be at least 600px by 300px\",\"TiGacZ\":\"Image dimensions must be at least 900px by 450px\",\"UnTvkH\":\"Die Bildabmessungen müssen zwischen 3000px und 2000px liegen. Mit einer maximalen Höhe von 2000px und einer maximalen Breite von 3000px\",\"Mfbc2v\":\"Bildabmessungen müssen zwischen 4000px und 4000px liegen. Mit einer maximalen Höhe von 4000px und einer maximalen Breite von 4000px\",\"uPEIvq\":\"Das Bild muss kleiner als 5 MB sein.\",\"AGZmwV\":\"Bild erfolgreich hochgeladen\",\"ibi52/\":\"Die Bildbreite muss mindestens 900 Pixel und die Höhe mindestens 50 Pixel betragen.\",\"NoNwIX\":\"Inaktiv\",\"T0K0yl\":\"Inaktive Benutzer können sich nicht anmelden.\",\"OFAmKP\":\"Include connection details for your online event\",\"BfPBBG\":\"Include connection details for your online event. These details will be after successful registration.\",\"6+pAOx\":\"Include connection details for your online event. These details will be shown after successful registration.\",\"evpD4c\":\"Fügen Sie Verbindungsdetails für Ihre Online-Veranstaltung hinzu. Diese Details werden auf der Bestellübersichtsseite und der Teilnehmerticketseite angezeigt.\",\"FlQKnG\":\"Steuern und Gebühren im Preis einbeziehen\",\"AXTNr8\":[\"Enthält \",[\"0\"],\" Tickets\"],\"7/Rzoe\":\"Enthält 1 Ticket\",\"nbfdhU\":\"Integrationen\",\"OyLdaz\":\"Einladung erneut verschickt!\",\"HE6KcK\":\"Einladung widerrufen!\",\"SQKPvQ\":\"Benutzer einladen\",\"PgdQrx\":\"Rückerstattung ausstellen\",\"KFXip/\":\"John\",\"XcgRvb\":\"Johnson\",\"1IWWYX\":[\"KittenTech Conference \",[\"0\"]],\"ZgJEMX\":\"KittenTech Conference Center\",\"87a/t/\":\"Etikett\",\"vXIe7J\":\"Sprache\",\"I3yitW\":\"Letzte Anmeldung\",\"1ZaQUH\":\"Familienname, Nachname\",\"UXBCwc\":\"Familienname, Nachname\",\"CKcupn\":\"Latest Orders\",\"tITjB1\":\"Erfahren Sie mehr über Stripe\",\"c+gAXc\":\"Let's get started by creating your first event\",\"vR92Yn\":\"Beginnen wir mit der Erstellung Ihres ersten Organizers\",\"QfrKvi\":\"Link color\",\"wJijgU\":\"Standort\",\"sQia9P\":\"Anmeldung\",\"zUDyah\":\"Einloggen\",\"z0t9bb\":\"Anmeldung\",\"nOhz3x\":\"Ausloggen\",\"F2jAFv\":\"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Ich habe das Element platziert …\",\"XkhEf9\":\"Lorem ipsum...\",\"MU3ijv\":\"Machen Sie diese Frage obligatorisch\",\"wckWOP\":\"Verwalten\",\"8mmINh\":\"Manage billing information and view invoices\",\"jWIznR\":\"Manage default settings for new events\",\"n4SpU5\":\"Veranstaltung verwalten\",\"wqyqaF\":\"Manage general account settings\",\"cQrNR3\":\"Profil verwalten\",\"f92Qak\":\"Manage taxes and fees which can be applied to tickets\",\"PlTcVr\":\"Verwalten Sie Steuern und Gebühren, die auf Ihre Tickets erhoben werden können\",\"ophZVW\":\"Tickets verwalten\",\"Wsx7Iu\":\"Manage users and their permissions\",\"DdHfeW\":\"Verwalten Sie Ihre Kontodetails und Standardeinstellungen\",\"QHcjP+\":\"Manage your billing and payment details\",\"S+UjNL\":\"Verwalten Sie Ihre Stripe-Zahlungsdetails\",\"BfucwY\":\"Verwalten Sie Ihre Benutzer und deren Berechtigungen\",\"1m+YT2\":\"Bevor der Kunde zur Kasse gehen kann, müssen obligatorische Fragen beantwortet werden.\",\"Dim4LO\":\"Einen Teilnehmer manuell hinzufügen\",\"e4KdjJ\":\"Teilnehmer manuell hinzufügen\",\"lzcrX3\":\"Durch manuelles Hinzufügen eines Teilnehmers wird die Ticketanzahl angepasst.\",\"g9dPPQ\":\"Maximal pro Bestellung\",\"l5OcwO\":\"Nachricht an Teilnehmer\",\"Gv5AMu\":\"Nachrichten an Teilnehmer senden\",\"1jRD0v\":\"Teilnehmer mit bestimmten Tickets benachrichtigen\",\"Lvi+gV\":\"Nachricht an den Käufer\",\"tNZzFb\":\"Nachrichteninhalt\",\"lYDV/s\":\"Nachrichten an einzelne Teilnehmer senden\",\"V7DYWd\":\"Nachricht gesendet\",\"t7TeQU\":\"Mitteilungen\",\"xFRMlO\":\"Mindestbestellwert\",\"QYcUEf\":\"Minimaler Preis\",\"mYLhkl\":\"Verschiedene Einstellungen\",\"KYveV8\":\"Mehrzeiliges Textfeld\",\"SVuGaP\":\"Multiple price options, users can choose which to pay\",\"6wbTro\":\"Mehrere Preisoptionen. Perfekt für Frühbuchertickets usw.\",\"/bhMdO\":\"Meine tolle Eventbeschreibung...\",\"vX8/tc\":\"Mein toller Veranstaltungstitel …\",\"hKtWk2\":\"Mein Profil\",\"pRjx4L\":\"Ich habe das Element platziert …\",\"6YtxFj\":\"Name\",\"hVuv90\":\"Der Name sollte weniger als 150 Zeichen lang sein\",\"AIUkyF\":\"Navigieren Sie zu Teilnehmer\",\"qqeAJM\":\"Niemals\",\"7vhWI8\":\"Neues Kennwort\",\"m920rF\":\"New York\",\"1UzENP\":\"NEIN\",\"LNWHXb\":\"Keine archivierten Veranstaltungen anzuzeigen.\",\"Wjz5KP\":\"Keine Teilnehmer zum Anzeigen\",\"Razen5\":\"Vor diesem Datum kann sich niemand mit dieser Liste einchecken\",\"XUfgCI\":\"Keine Kapazitätszuweisungen\",\"a/gMx2\":\"Keine Einchecklisten\",\"fFeCKc\":\"Kein Rabatt\",\"HFucK5\":\"Keine beendeten Veranstaltungen anzuzeigen.\",\"Z6ILSe\":\"Keine Veranstaltungen für diesen Veranstalter\",\"yAlJXG\":\"Keine Ereignisse zum Anzeigen\",\"KPWxKD\":\"Keine Nachrichten zum Anzeigen\",\"J2LkP8\":\"Keine Bestellungen anzuzeigen\",\"+Y976X\":\"Keine Promo-Codes anzuzeigen\",\"Ev2r9A\":\"Keine Ergebnisse\",\"RHyZUL\":\"Keine Suchergebnisse.\",\"cU1op4\":\"No Taxes or Fees have been added yet.\",\"RY2eP1\":\"Es wurden keine Steuern oder Gebühren hinzugefügt.\",\"uR2eFu\":\"No tickets available\",\"b7JZFg\":\"Keine Tickets vorzeigen\",\"EdQY6l\":\"Keiner\",\"OJx3wK\":\"Nicht verfügbar\",\"x5+Lcz\":\"Nicht eingecheckt\",\"Scbrsn\":\"Nicht im Angebot\",\"hFwWnI\":\"Benachrichtigungseinstellungen\",\"xXqEPO\":\"Käufer über Rückerstattung benachrichtigen\",\"YpN29s\":\"Veranstalter über neue Bestellungen benachrichtigen\",\"qeQhNj\":\"Jetzt erstellen wir Ihr erstes Event\",\"2NPDz1\":\"Im Angebot\",\"Ldu/RI\":\"Im Angebot\",\"Ug4SfW\":\"Sobald Sie ein Ereignis erstellt haben, wird es hier angezeigt.\",\"+P/tII\":\"Sobald Sie bereit sind, schalten Sie Ihre Veranstaltung live und beginnen Sie mit dem Ticketverkauf.\",\"J6n7sl\":\"Laufend\",\"z+nuVJ\":\"Online-Veranstaltung\",\"WKHW0N\":\"Details zur Online-Veranstaltung\",\"/xkmKX\":\"Über dieses Formular sollten ausschließlich wichtige E-Mails gesendet werden, die in direktem Zusammenhang mit dieser Veranstaltung stehen.\\nJeder Missbrauch, einschließlich des Versendens von Werbe-E-Mails, führt zu einer sofortigen Sperrung des Kontos.\",\"Qqqrwa\":\"Eincheckseite öffnen\",\"OdnLE4\":\"Seitenleiste öffnen\",\"ZZEYpT\":[\"Option \",[\"i\"]],\"0zpgxV\":\"Optionen\",\"BzEFor\":\"oder\",\"UYUgdb\":\"Befehl\",\"mm+eaX\":\"Befehl #\",\"B3gPuX\":\"Bestellung storniert\",\"SIbded\":\"Bestellung abgeschlossen\",\"q/CcwE\":\"Auftragsdatum\",\"Tol4BF\":\"Bestelldetails\",\"L4kzeZ\":[\"Bestelldetails \",[\"0\"]],\"WbImlQ\":\"Die Bestellung wurde storniert und der Bestellinhaber wurde benachrichtigt.\",\"VCOi7U\":\"Fragen zur Bestellung\",\"wg9MPp\":\"Order questions are asked once per order. By default, people are asked for their first name, last name, and email address.\",\"+KNVxX\":\"Order questions are asked once per order. By default, we ask for the first name, last name, and email address.\",\"TPoYsF\":\"Bestellnummer\",\"GX6dZv\":\"Bestellübersicht\",\"tDTq0D\":\"Bestell-Timeout\",\"1h+RBg\":\"Aufträge\",\"mz+c33\":\"Erstellte Aufträge\",\"G5RhpL\":\"Veranstalter\",\"m/ebSk\":\"Organizer Details\",\"mYygCM\":\"Veranstalter ist erforderlich\",\"Pa6G7v\":\"Name des Organisators\",\"J2cXxX\":\"Organisatoren können nur Events und Tickets verwalten. Sie können keine Benutzer, Kontoeinstellungen oder Rechnungsinformationen verwalten.\",\"fdjq4c\":\"Polsterung\",\"ErggF8\":\"Hintergrundfarbe der Seite\",\"8F1i42\":\"Seite nicht gefunden\",\"QbrUIo\":\"Seitenaufrufe\",\"6D8ePg\":\"Seite.\",\"IkGIz8\":\"bezahlt\",\"2w/FiJ\":\"Bezahltes Ticket\",\"8ZsakT\":\"Passwort\",\"TUJAyx\":\"Das Passwort muss mindestens 8 Zeichen lang sein\",\"vwGkYB\":\"Das Passwort muss mindestens 8 Zeichen lang sein\",\"BLTZ42\":\"Passwort erfolgreich zurückgesetzt. Bitte melden Sie sich mit Ihrem neuen Passwort an.\",\"f7SUun\":\"Passwörter sind nicht gleich\",\"aEDp5C\":\"Fügen Sie dies dort ein, wo das Widget erscheinen soll.\",\"+23bI/\":\"Patrick\",\"iAS9f2\":\"patrick@acme.com\",\"iq5IUr\":\"Pause Ticket\",\"621rYf\":\"Zahlung\",\"JhtZAK\":\"Bezahlung fehlgeschlagen\",\"xgav5v\":\"Zahlung erfolgreich abgeschlossen!\",\"CcK+Ft\":\"PDF\",\"att1Hj\":\"percent\",\"/roQKz\":\"Prozentsatz\",\"vPJ1FI\":\"Prozentualer Betrag\",\"xdA9ud\":\"Platzieren Sie dies im Ihrer Website.\",\"blK94r\":\"Bitte fügen Sie mindestens eine Option hinzu\",\"FJ9Yat\":\"Bitte überprüfen Sie, ob die angegebenen Informationen korrekt sind\",\"TkQVup\":\"Bitte überprüfen Sie Ihre E-Mail und Ihr Passwort und versuchen Sie es erneut\",\"sMiGXD\":\"Bitte überprüfen Sie, ob Ihre E-Mail gültig ist\",\"Ajavq0\":\"Bitte überprüfen Sie Ihre E-Mail, um Ihre E-Mail-Adresse zu bestätigen\",\"MdfrBE\":\"Bitte füllen Sie das folgende Formular aus, um Ihre Einladung anzunehmen\",\"b1Jvg+\":\"Bitte fahren Sie im neuen Tab fort\",\"q40YFl\":\"Please continue your order in the new tab\",\"cdR8d6\":\"Bitte erstellen Sie ein Ticket\",\"ZJG4Di\":\"Please ensure you only send emails directly related to the order. Promotional emails\\nshould not be sent using this form.\",\"o+HaYe\":\"Please enter a valid promo code\",\"HnNept\":\"Bitte geben Sie Ihr neues Passwort ein\",\"5FSIzj\":\"Bitte beachten Sie\",\"MA04r/\":\"Bitte entfernen Sie die Filter und stellen Sie die Sortierung auf \\\"Startseite-Reihenfolge\\\", um die Sortierung zu aktivieren\",\"pJLvdS\":\"Bitte auswählen\",\"yygcoG\":\"Bitte wählen Sie mindestens ein Ticket aus\",\"igBrCH\":\"Bitte bestätigen Sie Ihre E-Mail-Adresse, um auf alle Funktionen zugreifen zu können\",\"MOERNx\":\"Portugiesisch\",\"R7+D0/\":\"Portugiesisch (Brasilien)\",\"qCJyMx\":\"Checkout-Nachricht veröffentlichen\",\"g2UNkE\":\"Angetrieben von\",\"Qs7yI0\":\"Powered By\",\"lqAWKB\":\"Powered by <0>Hi.Events 👋\",\"3n47kV\":\"Powered By Hi.Events\",\"ddi4j4\":\"Unterstützt durch Stripe\",\"Rs7IQv\":\"Nachricht vor dem Checkout\",\"rdUucN\":\"Vorschau\",\"a7u1N9\":\"Preis\",\"CmoB9j\":\"Preisanzeigemodus\",\"Q8PWaJ\":\"Preisstufen\",\"a5jvSX\":\"Price Tiers\",\"6RmHKN\":\"Primärfarbe\",\"G/ZwV1\":\"Grundfarbe\",\"8cBtvm\":\"Primäre Textfarbe\",\"BZz12Q\":\"Drucken\",\"MT7dxz\":\"Alle Tickets ausdrucken\",\"N0qXpE\":\"Products\",\"vERlcd\":\"Profil\",\"kUlL8W\":\"Profil erfolgreich aktualisiert\",\"cl5WYc\":[\"Aktionscode \",[\"promo_code\"],\" angewendet\"],\"ZXpm3a\":[\"Promo \",[\"promoCode\"],\" code applied\"],\"yKWfjC\":\"Aktionscode-Seite\",\"RVb8Fo\":\"Promo-Codes\",\"BZ9GWa\":\"Mit Promo-Codes können Sie Rabatte oder Vorverkaufszugang anbieten oder Sonderzugang zu Ihrer Veranstaltung gewähren.\",\"4kyDD5\":\"Geben Sie zusätzlichen Kontext oder Anweisungen für diese Frage an. Verwenden Sie dieses Feld, um Bedingungen, Richtlinien oder wichtige Informationen hinzuzufügen, die die Teilnehmer vor dem Beantworten wissen müssen.\",\"812gwg\":\"Lizenz kaufen\",\"LkMOWF\":\"Verfügbare Menge\",\"XKJuAX\":\"Frage gelöscht\",\"avf0gk\":\"Fragebeschreibung\",\"oQvMPn\":\"Fragentitel\",\"enzGAL\":\"Fragen\",\"K885Eq\":\"Fragen erfolgreich sortiert\",\"OMJ035\":\"Radio-Option\",\"C4TjpG\":\"Lese weniger\",\"I3QpvQ\":\"Empfänger\",\"N2C89m\":\"Referenz\",\"gxFu7d\":[\"Rückerstattungsbetrag (\",[\"0\"],\")\"],\"n10yGu\":\"Rückerstattungsauftrag\",\"zPH6gp\":\"Rückerstattungsauftrag\",\"/BI0y9\":\"Rückerstattung\",\"fgLNSM\":\"Registrieren\",\"tasfos\":\"entfernen\",\"t/YqKh\":\"Entfernen\",\"RloWNu\":\"Reply to email\",\"EGm34e\":\"Bestätigungsmail erneut senden\",\"lnrkNz\":\"E-Mail-Bestätigung erneut senden\",\"wIa8Qe\":\"Einladung erneut versenden\",\"VeKsnD\":\"Bestell-E-Mail erneut senden\",\"dFuEhO\":\"Ticket-E-Mail erneut senden\",\"o6+Y6d\":\"Erneut senden...\",\"RfwZxd\":\"Passwort zurücksetzen\",\"KbS2K9\":\"Passwort zurücksetzen\",\"e99fHm\":\"Veranstaltung wiederherstellen\",\"vtc20Z\":\"Zurück zur Veranstaltungsseite\",\"8YBH95\":\"Einnahmen\",\"PO/sOY\":\"Einladung widerrufen\",\"GDvlUT\":\"Rolle\",\"ELa4O9\":\"Verkaufsende\",\"5uo5eP\":\"Der Verkauf ist beendet\",\"Qm5XkZ\":\"Verkaufsstartdatum\",\"hVF4dJ\":\"Sale starts\",\"hBsw5C\":\"Verkauf beendet\",\"kpAzPe\":\"Verkaufsstart\",\"P/wEOX\":\"San Francisco\",\"tfDRzk\":\"Speichern\",\"IUwGEM\":\"Änderungen speichern\",\"U65fiW\":\"Organizer speichern\",\"UGT5vp\":\"Einstellungen speichern\",\"ovB7m2\":\"QR-Code scannen\",\"lBAlVv\":\"Suche nach Namen, Bestellnummer, Teilnehmernummer oder E-Mail ...\",\"W4kWXJ\":\"Suche nach Teilnehmername, E-Mail oder Bestellnummer ...\",\"ulAuWO\":\"Search by event name or description...\",\"+pr/FY\":\"Suche nach Veranstaltungsnamen...\",\"NQSiYb\":\"Search by name or description...\",\"3zRbWw\":\"Suchen Sie nach Namen, E-Mail oder Bestellnummer ...\",\"BiYOdA\":\"Suche mit Name...\",\"B1bB1j\":\"Search by order #, name or email...\",\"KZpERn\":\"Search by product name...\",\"jA4hXE\":\"Search by subject or body...\",\"YEjitp\":\"Suche nach Thema oder Inhalt...\",\"HYnGee\":\"Suche nach Ticketnamen...\",\"Pjsch9\":\"Kapazitätszuweisungen suchen...\",\"r9M1hc\":\"Einchecklisten durchsuchen...\",\"YIix5Y\":\"Suchen...\",\"OeW+DS\":\"Sekundäre Farbe\",\"DnXcDK\":\"Sekundäre Farbe\",\"cZF6em\":\"Sekundäre Textfarbe\",\"ZIgYeg\":\"Sekundäre Textfarbe\",\"QuNKRX\":\"Kamera auswählen\",\"kWI/37\":\"Veranstalter auswählen\",\"hAjDQy\":\"Status auswählen\",\"QYARw/\":\"Ticket auswählen\",\"XH5juP\":\"Ticketstufe auswählen\",\"OMX4tH\":\"Tickets auswählen\",\"nuWxSr\":\"Select Tickets\",\"O/7I0o\":\"Wählen...\",\"JlFcis\":\"Schicken\",\"qKWv5N\":[\"Senden Sie eine Kopie an <0>\",[\"0\"],\"\"],\"RktTWf\":\"Eine Nachricht schicken\",\"/mQ/tD\":\"Als Test senden. Dadurch wird die Nachricht an Ihre E-Mail-Adresse und nicht an die Empfänger gesendet.\",\"471O/e\":\"Send confirmation email\",\"M/WIer\":\"Nachricht Senden\",\"D7ZemV\":\"Bestellbestätigung und Ticket-E-Mail senden\",\"v1rRtW\":\"Test senden\",\"j1VfcT\":\"SEO-Beschreibung\",\"/SIY6o\":\"SEO-Schlüsselwörter\",\"GfWoKv\":\"SEO-Einstellungen\",\"rXngLf\":\"SEO-Titel\",\"/jZOZa\":\"Servicegebühr\",\"vu4F0h\":\"Set a minimum price and let users donate more\",\"Bj/QGQ\":\"Legen Sie einen Mindestpreis fest und lassen Sie die Nutzer mehr zahlen, wenn sie wollen.\",\"nYNT+5\":\"Richten Sie Ihre Veranstaltung ein\",\"A8iqfq\":\"Schalten Sie Ihr Event live\",\"Tz0i8g\":\"Einstellungen\",\"Z8lGw6\":\"Aktie\",\"FFbYHm\":[\"Should this \",[\"type\"],\" be applied to all new tickets?\"],\"8vETh9\":\"Zeigen\",\"smd87r\":\"Verfügbare Ticketanzahl anzeigen\",\"qDsmzu\":\"Versteckte Fragen anzeigen\",\"fMPkxb\":\"Zeig mehr\",\"izwOOD\":\"Steuern und Gebühren separat ausweisen\",\"j3b+OW\":\"Wird dem Kunden nach dem Bezahlvorgang auf der Bestellübersichtsseite angezeigt\",\"YfHZv0\":\"Wird dem Kunden vor dem Bezahlvorgang angezeigt\",\"CBBcly\":\"Zeigt allgemeine Adressfelder an, einschließlich Land\",\"yTnnYg\":\"Simpson\",\"TNaCfq\":\"Einzeiliges Textfeld\",\"+P0Cn2\":\"Überspringe diesen Schritt\",\"YSEnLE\":\"Schmied\",\"lgFfeO\":\"Ausverkauft\",\"Mi1rVn\":\"Ausverkauft\",\"nwtY4N\":\"Etwas ist schief gelaufen\",\"GRChTw\":\"Beim Löschen der Steuer oder Gebühr ist ein Fehler aufgetreten\",\"YHFrbe\":\"Etwas ist schief gelaufen. Bitte versuche es erneut\",\"kf83Ld\":\"Etwas ist schief gelaufen.\",\"fWsBTs\":\"Etwas ist schief gelaufen. Bitte versuche es erneut.\",\"F6YahU\":\"Es ist leider ein Fehler aufgetreten. Bitte starten Sie den Bezahlvorgang erneut.\",\"KWgppI\":\"Entschuldigen Sie, beim Laden dieser Seite ist ein Fehler aufgetreten.\",\"/TCOIK\":\"Entschuldigung, diese Bestellung existiert nicht mehr.\",\"DvCwYF\":\"Sorry, this promo code is invalid'\",\"6a/UJE\":\"Dieser Aktionscode wird leider nicht erkannt\",\"9rRZZ+\":\"Leider ist Ihre Bestellung abgelaufen. Bitte starten Sie eine neue Bestellung.\",\"a4SyEE\":\"Die Sortierung ist deaktiviert, während Filter und Sortierung angewendet werden\",\"65A04M\":\"Spanisch\",\"4nG1lG\":\"Standardticket zum Festpreis\",\"D3iCkb\":\"Startdatum\",\"RS0o7b\":\"State\",\"/2by1f\":\"Staat oder Region\",\"uAQUqI\":\"Status\",\"UJmAAK\":\"Thema\",\"X2rrlw\":\"Zwischensumme\",\"b0HJ45\":[\"Erfolgreich! \",[\"0\"],\" erhält in Kürze eine E-Mail.\"],\"BJIEiF\":[\"Erfolgreich \",[\"0\"],\" Teilnehmer\"],\"Ih8kN0\":[\"Successfully $\",[\"0\"],\" attendee\"],\"xHl17l\":[\"Erfolgreich geprüft <0>\",[\"0\"],\" \",[\"1\"],\" \",[\"2\"]],\"OtgNFx\":\"E-Mail-Adresse erfolgreich bestätigt\",\"IKwyaF\":\"E-Mail-Änderung erfolgreich bestätigt\",\"zLmvhE\":\"Teilnehmer erfolgreich erstellt\",\"9mZEgt\":\"Promo-Code erfolgreich erstellt\",\"aIA9C4\":\"Frage erfolgreich erstellt\",\"onFQYs\":\"Ticket erfolgreich erstellt\",\"Hgj/mB\":\"Successfully deleted ticket\",\"J3RJSZ\":\"Teilnehmer erfolgreich aktualisiert\",\"3suLF0\":\"Kapazitätszuweisung erfolgreich aktualisiert\",\"Z+rnth\":\"Eincheckliste erfolgreich aktualisiert\",\"vzJenu\":\"E-Mail-Einstellungen erfolgreich aktualisiert\",\"7kOMfV\":\"Ereignis erfolgreich aktualisiert\",\"G0KW+e\":\"Erfolgreich aktualisiertes Homepage-Design\",\"k9m6/E\":\"Homepage-Einstellungen erfolgreich aktualisiert\",\"y/NR6s\":\"Standort erfolgreich aktualisiert\",\"73nxDO\":\"Verschiedene Einstellungen erfolgreich aktualisiert\",\"70dYC8\":\"Promo-Code erfolgreich aktualisiert\",\"F+pJnL\":\"SEO-Einstellungen erfolgreich aktualisiert\",\"g2lRrH\":\"Ticket erfolgreich aktualisiert\",\"DXZRk5\":\"Suite 100\",\"GNcfRk\":\"Support-E-Mail\",\"JpohL9\":\"Steuer\",\"geUFpZ\":\"Steuern & Gebühren\",\"0RXCDo\":\"Steuer oder Gebühr erfolgreich gelöscht\",\"ZowkxF\":\"Steuern\",\"EEZnW+\":\"Taxes & Fees\",\"qu6/03\":\"Steuern und Gebühren\",\"gVjSFp\":\"Taxes and Fees can be associated with tickets and will be added to the ticket price.\",\"e0ZSh4\":\"Text Colour\",\"gypigA\":\"Dieser Aktionscode ist ungültig\",\"0ozSQu\":\"The background color for the event homepage\",\"LbHWgW\":\"The background color for the ticket widget on the event homepage\",\"75Xclv\":\"The basic details of your event\",\"5ShqeM\":\"Die gesuchte Eincheckliste existiert nicht.\",\"UNqHnV\":\"The color of the buttons on the event homepage\",\"0amhbL\":\"The color of the links on the event homepage\",\"QXlz+n\":\"Die Standardwährung für Ihre Ereignisse.\",\"mnafgQ\":\"Die Standardzeitzone für Ihre Ereignisse.\",\"o7s5FA\":\"Die Sprache, in der der Teilnehmer die E-Mails erhalten soll.\",\"NlfnUd\":\"Der Link, auf den Sie geklickt haben, ist ungültig.\",\"FqjKfd\":\"The location of your event\",\"kIXEVN\":[\"Die maximale Anzahl von Tickets für \",[\"0\"],\" ist \",[\"1\"]],\"FeAfXO\":[\"Die maximale Anzahl an Tickets für Generäle beträgt \",[\"0\"]],\"POEqXB\":\"The organizer details of your event\",\"TSAiPM\":\"Die gesuchte Seite existiert nicht\",\"MSmKHn\":\"Der dem Kunden angezeigte Preis versteht sich inklusive Steuern und Gebühren.\",\"6zQOg1\":\"Der dem Kunden angezeigte Preis enthält keine Steuern und Gebühren. Diese werden separat ausgewiesen\",\"ne/9Ur\":\"Die von Ihnen gewählten Stileinstellungen gelten nur für kopiertes HTML und werden nicht gespeichert.\",\"TJZByZ\":\"The tax and fee to apply to this ticket. You can create new taxes and fees on the\",\"OJYwh9\":\"Die Steuern und Gebühren, die auf dieses Ticket angewendet werden sollen. Sie können neue Steuern und Gebühren auf der\",\"6BpBfZ\":\"The text color for the event homepage\",\"rljHp7\":\"The text color for the ticket widget on the event homepage\",\"s4di40\":\"The text to display in the 'Continue' button. Defaults to 'Continue'\",\"esY5SG\":\"Der Titel der Veranstaltung, der in Suchmaschinenergebnissen und beim Teilen in sozialen Medien angezeigt wird. Standardmäßig wird der Veranstaltungstitel verwendet\",\"wgAiDb\":\"The user must login to change their email.\",\"jvxN9/\":\"Für diese Veranstaltung sind keine Tickets verfügbar\",\"rMcHYt\":\"Eine Rückerstattung steht aus. Bitte warten Sie, bis der Vorgang abgeschlossen ist, bevor Sie eine weitere Rückerstattung anfordern.\",\"hjLUr+\":\"There was an error loading this content. Please refresh the page and try again.\",\"68Axnm\":\"Bei der Bearbeitung Ihrer Anfrage ist ein Fehler aufgetreten. Bitte versuchen Sie es erneut.\",\"mVKOW6\":\"Beim Senden Ihrer Nachricht ist ein Fehler aufgetreten\",\"Um/adz\":\"These allow multiple selections\",\"vWeHWp\":\"These colors are not saved in our system.\",\"7qzHGS\":\"These colors are not saved in our system. They are only used to generate the widget.\",\"xxv3BZ\":\"Diese Eincheckliste ist abgelaufen\",\"Sa7w7S\":\"Diese Eincheckliste ist abgelaufen und steht nicht mehr für Eincheckungen zur Verfügung.\",\"Uicx2U\":\"Diese Eincheckliste ist aktiv\",\"1k0Mp4\":\"Diese Eincheckliste ist noch nicht aktiv\",\"K6fmBI\":\"Diese Eincheckliste ist noch nicht aktiv und steht nicht für Eincheckungen zur Verfügung.\",\"t/ePFj\":\"Diese Beschreibung wird dem Eincheckpersonal angezeigt\",\"MLTkH7\":\"Diese E-Mail hat keinen Werbezweck und steht in direktem Zusammenhang mit der Veranstaltung.\",\"2eIpBM\":\"Dieses Event ist momentan nicht verfügbar. Bitte versuchen Sie es später noch einmal.\",\"Z6LdQU\":\"Dieses Event ist nicht verfügbar.\",\"CNk/ro\":\"Dies ist eine Online-Veranstaltung\",\"GabtCa\":\"This is the email address that will be used as the reply-to address for all emails sent from this event\",\"FwXnJd\":\"Diese Liste wird nach diesem Datum nicht mehr für Eincheckungen verfügbar sein\",\"CKkb5E\":\"This message is how below the\",\"cHO4ec\":\"Diese Nachricht wird in die Fußzeile aller E-Mails aufgenommen, die von dieser Veranstaltung gesendet werden.\",\"RjwlZt\":\"Diese Bestellung wurde bereits bezahlt.\",\"axERYu\":\"This order has already been paid. <0>View order details\",\"wY+HO9\":\"This order has already been processed.\",\"5K8REg\":\"Diese Bestellung wurde bereits zurückerstattet.\",\"OiQMhP\":\"Diese Bestellung wurde storniert\",\"YyEJij\":\"Diese Bestellung wurde storniert.\",\"D44cEI\":\"This order has been completed.\",\"HILpDX\":\"Diese Bestellung wartet auf Zahlung\",\"0vRWbB\":\"This order is awaiting payment.\",\"BdYtn9\":\"Diese Bestellung ist abgeschlossen\",\"e3uMJH\":\"Diese Bestellung ist abgeschlossen.\",\"YNKXOK\":\"Diese Bestellung wird bearbeitet.\",\"LIjb4v\":\"This order is processing. TODO - a nice image and poll the API\",\"yPZN4i\":\"Diese Bestellseite ist nicht mehr verfügbar.\",\"5189cf\":\"Dadurch werden alle Sichtbarkeitseinstellungen überschrieben und das Ticket wird vor allen Kunden verborgen.\",\"4vwjho\":\"This page has expired. <0>View order details\",\"Qt7RBu\":\"Diese Frage ist nur für den Veranstalter sichtbar\",\"os29v1\":\"Dieser Link zum Zurücksetzen des Passworts ist ungültig oder abgelaufen.\",\"WJqBqd\":\"Dieses Ticket kann nicht gelöscht werden, da es\\nmit einer Bestellung verknüpft ist. Sie können es stattdessen ausblenden.\",\"ma6qdu\":\"Dieses Ticket ist nicht öffentlich sichtbar.\",\"xJ8nzj\":\"Dieses Ticket ist ausgeblendet, sofern es nicht durch einen Promo-Code angesprochen wird.\",\"IV9xTT\":\"Dieser Benutzer ist nicht aktiv, da er die Einladung nicht angenommen hat.\",\"5AnPaO\":\"Fahrkarte\",\"kjAL4v\":\"Fahrkarte\",\"KosivG\":\"Ticket erfolgreich gelöscht\",\"dtGC3q\":\"Die Ticket-E-Mail wurde erneut an den Teilnehmer gesendet.\",\"USk+Mn\":\"Ticket page message\",\"mRM6XH\":\"Ticketverkauf\",\"NirIiz\":\"Ticketstufe\",\"8jLPgH\":\"Art des Tickets\",\"jqWDf9\":\"Ticket widget background color\",\"UrMVAz\":\"Ticket-Widget-Vorschau\",\"ngtDy7\":\"Ticket widget text color\",\"N+YYpo\":\"Eintrittskarte(n)\",\"6GQNLE\":\"Tickets\",\"54q0zp\":\"Tickets für\",\"ikA//P\":\"verkaufte Tickets\",\"i+idBz\":\"Verkaufte Tickets\",\"AGRilS\":\"Verkaufte Tickets\",\"56Qw2C\":\"Tickets erfolgreich sortiert\",\"4f8A8M\":\"Tickets to which the promo code applies (Applies to all by default)\",\"xN9AhL\":[\"Stufe \",[\"0\"]],\"oYaHuq\":\"Stufenticket\",\"XZrhpz\":\"Tiered Ticket - Coming Soon\",\"4M150e\":\"Mit gestaffelten Tickets können Sie mehrere Preisoptionen für dasselbe Ticket anbieten.\\nDas ist ideal für Frühbuchertickets oder das Anbieten unterschiedlicher Preisoptionen\\nfür unterschiedliche Personengruppen.\",\"jQoYTX\":\"Tiered tickets allow you to offer multiple price options for the same ticket. This is perfect for early bird tickets or offering different price options for different groups of people.\",\"s/0RpH\":\"Nutzungshäufigkeit\",\"40Gx0U\":\"Zeitzone\",\"oDGm7V\":\"TIPP\",\"MHrjPM\":\"Titel\",\"xdA/+p\":\"Werkzeuge\",\"72c5Qo\":\"Gesamt\",\"BxsfMK\":\"Gesamtkosten\",\"mpB/d9\":\"Gesamtbestellwert\",\"m3FM1g\":\"Gesamtbetrag zurückerstattet\",\"GBBIy+\":\"Verbleibender Gesamtbetrag\",\"/SgoNA\":\"Gesamtsteuer\",\"+zy2Nq\":\"Typ\",\"mLGbAS\":[\"Teilnehmer \",[\"0\"],\" konnte nicht ausgewählt werden\"],\"FMdMfZ\":\"Teilnehmer konnte nicht eingecheckt werden\",\"bPWBLL\":\"Teilnehmer konnte nicht ausgecheckt werden\",\"/cSMqv\":\"Frage konnte nicht erstellt werden. Bitte überprüfen Sie Ihre Angaben\",\"nNdxt9\":\"Ticket konnte nicht erstellt werden. Bitte überprüfen Sie Ihre Angaben\",\"MH/lj8\":\"Frage kann nicht aktualisiert werden. Bitte überprüfen Sie Ihre Angaben\",\"Mqy/Zy\":\"Vereinigte Staaten\",\"NIuIk1\":\"Unbegrenzt\",\"/p9Fhq\":\"Unbegrenzt verfügbar\",\"oMcLhS\":\"Unlimited ticket quantity available\",\"E0q9qH\":\"Unbegrenzte Nutzung erlaubt\",\"ia8YsC\":\"Bevorstehende\",\"TlEeFv\":\"Bevorstehende Veranstaltungen\",\"L/gNNk\":[\"Aktualisierung \",[\"0\"]],\"+qqX74\":\"Aktualisieren Sie den Namen, die Beschreibung und die Daten der Veranstaltung\",\"vXPSuB\":\"Profil aktualisieren\",\"gsehpV\":\"Upload an image to be displayed on the event page\",\"BNBfrU\":\"Cover hochladen\",\"UtDm3q\":\"URL in die Zwischenablage kopiert\",\"e5lF64\":\"Anwendungsbeispiel\",\"sGEOe4\":\"Verwenden Sie eine unscharfe Version des Titelbilds als Hintergrund\",\"OadMRm\":\"Titelbild verwenden\",\"7PzzBU\":\"Benutzer\",\"yDOdwQ\":\"Benutzerverwaltung\",\"Sxm8rQ\":\"Benutzer\",\"VEsDvU\":\"Benutzer können ihre E-Mail in den <0>Profileinstellungen ändern.\",\"vgwVkd\":\"koordinierte Weltzeit\",\"khBZkl\":\"Umsatzsteuer\",\"E/9LUk\":\"Veranstaltungsort Namen\",\"AM+zF3\":\"Teilnehmer anzeigen\",\"e4mhwd\":\"Zur Event-Homepage\",\"/5PEQz\":\"Zur Veranstaltungsseite\",\"fFornT\":\"Vollständige Nachricht anzeigen\",\"YIsEhQ\":\"Ansichts Karte\",\"Ep3VfY\":\"Auf Google Maps anzeigen\",\"AMkkeL\":\"Bestellung anzeigen\",\"Y8s4f6\":\"Bestell Details ansehen\",\"QIWCnW\":\"VIP-Eincheckliste\",\"tF+VVr\":\"VIP-Ticket\",\"2q/Q7x\":\"Sichtweite\",\"vmOFL/\":\"Wir konnten Ihre Zahlung nicht verarbeiten. Bitte versuchen Sie es erneut oder wenden Sie sich an den Support.\",\"1E0vyy\":\"Wir konnten die Daten nicht laden. Bitte versuchen Sie es erneut.\",\"VGioT0\":\"Wir empfehlen Abmessungen von 2160 x 1080 Pixel und eine maximale Dateigröße von 5 MB.\",\"b9UB/w\":\"Wir verwenden Stripe zur Zahlungsabwicklung. Verbinden Sie Ihr Stripe-Konto, um Zahlungen zu empfangen.\",\"01WH0a\":\"Wir konnten Ihre Zahlung nicht bestätigen. Bitte versuchen Sie es erneut oder wenden Sie sich an den Support.\",\"Gspam9\":\"Wir bearbeiten Ihre Bestellung. Bitte warten...\",\"LuY52w\":\"Willkommen an Bord! Bitte melden Sie sich an, um fortzufahren.\",\"dVxpp5\":[\"Willkommen zurück\",[\"0\"],\" 👋\"],\"NxOVCl\":[\"Willkommen bei Hi.Events, \",[\"0\"],\" 👋\"],\"wjqPqF\":\"Was sind Stufentickets?\",\"f1jUC0\":\"An welchem Datum soll diese Eincheckliste aktiv werden?\",\"5iXvHA\":\"What is a Tiered Ticketing?\",\"MhhnvW\":\"Für welche Tickets gilt dieser Code? (Gilt standardmäßig für alle)\",\"dCil3h\":\"Auf welche Tickets soll sich diese Frage beziehen?\",\"Rb0XUE\":\"Um wie viel Uhr werden Sie ankommen?\",\"5N4wLD\":\"Um welche Art von Frage handelt es sich?\",\"D7C6XV\":\"Wann soll diese Eincheckliste ablaufen?\",\"FVetkT\":\"Welche Tickets sollen mit dieser Eincheckliste verknüpft werden?\",\"S+OdxP\":\"Wer organisiert diese Veranstaltung?\",\"LINr2M\":\"An wen ist diese Nachricht gerichtet?\",\"nWhye/\":\"Wem sollte diese Frage gestellt werden?\",\"vVGiM4\":\"Who type of question is this?\",\"onLsWS\":\"Whoops! something went wrong. Please try again or contact support if the problem persists.\",\"AHXN2z\":\"Widget\",\"AU/8QR\":\"Widget Configuration\",\"VxFvXQ\":\"Widget einbetten\",\"v1P7Gm\":\"Widget-Einstellungen\",\"b4itZn\":\"Arbeiten\",\"hqmXmc\":\"Arbeiten...\",\"l75CjT\":\"Ja\",\"QcwyCh\":\"Ja, entfernen\",\"ySeBKv\":\"Sie haben dieses Ticket bereits gescannt\",\"P+Sty0\":[\"Sie ändern Ihre E-Mail zu <0>\",[\"0\"],\".\"],\"gGhBmF\":\"Sie sind offline\",\"4ysd6z\":\"You can connecting using this Zoom link...\",\"9HGdDw\":\"Sie können einen Promo-Code erstellen, der auf dieses Ticket abzielt, auf der\",\"KRhIxT\":\"Sie können jetzt Zahlungen über Stripe empfangen.\",\"UqVaVO\":\"Sie können den Tickettyp nicht ändern, da diesem Ticket Teilnehmer zugeordnet sind.\",\"zQ8idk\":\"You cannot change the ticket type because there are already tickets sold for this ticket.\",\"3vRX5A\":\"Sie können diese Preisstufe nicht löschen, da für diese Stufe bereits Tickets verkauft wurden. Sie können sie stattdessen ausblenden.\",\"RCC09s\":\"You cannot edit a default question\",\"tFbRKJ\":\"Sie können die Rolle oder den Status des Kontoinhabers nicht bearbeiten.\",\"fHfiEo\":\"Sie können eine manuell erstellte Bestellung nicht zurückerstatten.\",\"hK9c7R\":\"Sie haben eine versteckte Frage erstellt, aber die Option zum Anzeigen versteckter Fragen deaktiviert. Sie wurde aktiviert.\",\"NOaWRX\":\"Sie haben keine Berechtigung, auf diese Seite zuzugreifen\",\"BRArmD\":\"Sie haben Zugriff auf mehrere Konten. Bitte wählen Sie eines aus, um fortzufahren.\",\"Z6q0Vl\":\"Sie haben diese Einladung bereits angenommen. Bitte melden Sie sich an, um fortzufahren.\",\"rdk1xK\":\"Sie haben Ihr Stripe-Konto verbunden\",\"ofEncr\":\"Sie haben keine Teilnehmerfragen.\",\"XoeazJ\":\"You have no attendee questions. Attendee questions are asked once per attendee.\",\"CoZHDB\":\"Sie haben keine Bestellfragen.\",\"FZKDIe\":\"You have no order questions. Order questions are asked once per order.\",\"15qAvl\":\"Sie haben keine ausstehende E-Mail-Änderung.\",\"n81Qk8\":\"Sie haben die Einrichtung von Stripe Connect noch nicht abgeschlossen\",\"jxsiqJ\":\"Sie haben Ihr Stripe-Konto nicht verbunden\",\"183zcL\":\"Sie haben Steuern und Gebühren zu einem Freiticket hinzugefügt. Möchten Sie diese entfernen oder unkenntlich machen?\",\"2v5MI1\":\"Sie haben noch keine Nachrichten gesendet. Sie können Nachrichten an alle Teilnehmer oder an bestimmte Ticketinhaber senden.\",\"R6i9o9\":\"Sie müssen bestätigen, dass diese E-Mail keinen Werbezweck hat\",\"3ZI8IL\":\"Sie müssen den Allgemeinen Geschäftsbedingungen zustimmen\",\"dMd3Uf\":\"Sie müssen Ihre E-Mail-Adresse bestätigen, bevor Ihre Veranstaltung live gehen kann.\",\"H35u3n\":\"Sie müssen ein Ticket erstellen, bevor Sie einen Teilnehmer manuell hinzufügen können.\",\"jE4Z8R\":\"Sie müssen mindestens eine Preisstufe haben\",\"LRguuL\":\"You must have at least one tier\",\"8/eLoa\":\"Sie müssen Ihr Konto verifizieren, bevor Sie Nachrichten senden können.\",\"L/+xOk\":\"Sie benötigen ein Ticket, bevor Sie eine Eincheckliste erstellen können.\",\"8QNzin\":\"Sie benötigen ein Ticket, bevor Sie eine Kapazitätszuweisung erstellen können.\",\"WHXRMI\":\"Sie benötigen mindestens ein Ticket, um loslegen zu können. Kostenlos, kostenpflichtig oder der Benutzer kann selbst entscheiden, was er bezahlen möchte.\",\"bdg03s\":\"Your account email in outgoing emails.\",\"ROR8QD\":\"Ihr Kontoname wird auf Veranstaltungsseiten und in E-Mails verwendet.\",\"veessc\":\"Ihre Teilnehmer werden hier angezeigt, sobald sie sich für Ihre Veranstaltung registriert haben. Sie können Teilnehmer auch manuell hinzufügen.\",\"Eh5Wrd\":\"Eure tolle Website 🎉\",\"lkMK2r\":\"Deine Details\",\"3ENYTQ\":[\"Ihre E-Mail-Anfrage zur Änderung auf <0>\",[\"0\"],\" steht noch aus. Bitte überprüfen Sie Ihre E-Mail, um sie zu bestätigen\"],\"yZfBoy\":\"Ihre Nachricht wurde gesendet\",\"la26JS\":\"Your order is in progress\",\"7YJdgG\":\"Sobald Ihre Bestellungen eintreffen, werden sie hier angezeigt.\",\"9TO8nT\":\"Ihr Passwort\",\"P8hBau\":\"Ihre Zahlung wird verarbeitet.\",\"UdY1lL\":\"Ihre Zahlung war nicht erfolgreich, bitte versuchen Sie es erneut.\",\"fzuM26\":\"Ihre Zahlung war nicht erfolgreich. Bitte versuchen Sie es erneut.\",\"cJ4Y4R\":\"Ihre Rückerstattung wird bearbeitet.\",\"IFHV2p\":\"Ihr Ticket für\",\"3k7HDY\":\"Zip\",\"BM/KQm\":\"Postleitzahl\",\"VftCuk\":\"Zoom link, Google Meet link, etc.\"}")}; \ No newline at end of file diff --git a/frontend/src/locales/de.po b/frontend/src/locales/de.po index dc3c0603..410b3704 100644 --- a/frontend/src/locales/de.po +++ b/frontend/src/locales/de.po @@ -29,7 +29,7 @@ msgstr "{0} <0>erfolgreich eingecheckt" msgid "{0} <0>checked out successfully" msgstr "{0} <0>erfolgreich ausgecheckt" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:298 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:305 msgid "{0} available" msgstr "{0} verfügbar" @@ -218,7 +218,7 @@ msgstr "Konto" msgid "Account Name" msgstr "Kontoname" -#: src/components/common/GlobalMenu/index.tsx:24 +#: src/components/common/GlobalMenu/index.tsx:32 #: src/components/routes/account/ManageAccount/index.tsx:19 msgid "Account Settings" msgstr "Account Einstellungen" @@ -361,7 +361,7 @@ msgstr "Erstaunlich, Ereignis, Schlüsselwörter..." #: src/components/common/OrdersTable/index.tsx:152 #: src/components/forms/TaxAndFeeForm/index.tsx:71 -#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:35 +#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:36 msgid "Amount" msgstr "Menge" @@ -405,7 +405,7 @@ msgstr "Alle Anfragen von Ticketinhabern werden an diese E-Mail-Adresse gesendet msgid "Appearance" msgstr "Aussehen" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:367 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:377 msgid "applied" msgstr "angewandt" @@ -417,7 +417,7 @@ msgstr "Gilt für {0} Tickets" msgid "Applies to 1 ticket" msgstr "Gilt für 1 Ticket" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:395 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:405 msgid "Apply Promo Code" msgstr "Promo-Code anwenden" @@ -745,7 +745,7 @@ msgstr "Stadt" msgid "Clear Search Text" msgstr "Suchtext löschen" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:265 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:266 msgid "click here" msgstr "klicken Sie hier" @@ -863,7 +863,7 @@ msgstr "Hintergrundfarbe des Inhalts" #: src/components/common/WidgetEditor/index.tsx:31 #: src/components/common/WidgetEditor/index.tsx:217 #: src/components/layouts/Checkout/CheckoutFooter/index.tsx:36 -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:353 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:363 msgid "Continue" msgstr "Weitermachen" @@ -986,6 +986,10 @@ msgstr "Erstelle neu" msgid "Create Organizer" msgstr "Organizer erstellen" +#: src/components/routes/event/products.tsx:50 +msgid "Create Product" +msgstr "" + #: src/components/modals/CreatePromoCodeModal/index.tsx:51 #: src/components/modals/CreatePromoCodeModal/index.tsx:56 msgid "Create Promo Code" @@ -1160,7 +1164,7 @@ msgstr "Rabatt in {0}" msgid "Discount Type" msgstr "Rabattart" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:274 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:275 msgid "Dismiss" msgstr "Zurückweisen" @@ -1576,7 +1580,7 @@ msgstr "Passwort vergessen?" #: src/components/common/OrderSummary/index.tsx:99 #: src/components/common/TicketsTable/SortableTicket/index.tsx:88 #: src/components/common/TicketsTable/SortableTicket/index.tsx:102 -#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:51 +#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:52 msgid "Free" msgstr "Frei" @@ -1625,7 +1629,7 @@ msgstr "Bruttoumsatz" msgid "Guests" msgstr "Gäste" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:362 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:372 msgid "Have a promo code?" msgstr "Haben Sie einen Promo-Code?" @@ -1676,7 +1680,7 @@ msgid "Hidden questions are only visible to the event organizer and not to the c msgstr "Versteckte Fragen sind nur für den Veranstalter und nicht für den Kunden sichtbar." #: src/components/forms/TicketForm/index.tsx:289 -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:332 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:342 msgid "Hide" msgstr "Verstecken" @@ -1760,7 +1764,7 @@ msgstr "https://example-maps-service.com/..." msgid "I agree to the <0>terms and conditions" msgstr "Ich stimme den <0>Allgemeinen Geschäftsbedingungen zu" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:261 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:262 msgid "If a new tab did not open, please <0><1>{0}." msgstr "Wenn keine neue Registerkarte geöffnet wurde, <0><1>{0}." @@ -1914,7 +1918,7 @@ msgstr "Einloggen" msgid "Login" msgstr "Anmeldung" -#: src/components/common/GlobalMenu/index.tsx:29 +#: src/components/common/GlobalMenu/index.tsx:47 msgid "Logout" msgstr "Ausloggen" @@ -2047,7 +2051,7 @@ msgstr "Meine tolle Eventbeschreibung..." msgid "My amazing event title..." msgstr "Mein toller Veranstaltungstitel …" -#: src/components/common/GlobalMenu/index.tsx:19 +#: src/components/common/GlobalMenu/index.tsx:27 msgid "My Profile" msgstr "Mein Profil" @@ -2444,7 +2448,7 @@ msgstr "Bitte überprüfen Sie Ihre E-Mail, um Ihre E-Mail-Adresse zu bestätige msgid "Please complete the form below to accept your invitation" msgstr "Bitte füllen Sie das folgende Formular aus, um Ihre Einladung anzunehmen" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:259 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:260 msgid "Please continue in the new tab" msgstr "Bitte fahren Sie im neuen Tab fort" @@ -2469,7 +2473,7 @@ msgstr "Bitte entfernen Sie die Filter und stellen Sie die Sortierung auf \"Star msgid "Please select" msgstr "Bitte auswählen" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:216 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:217 msgid "Please select at least one ticket" msgstr "Bitte wählen Sie mindestens ein Ticket aus" @@ -2540,6 +2544,10 @@ msgstr "Drucken" msgid "Print All Tickets" msgstr "Alle Tickets ausdrucken" +#: src/components/routes/event/products.tsx:39 +msgid "Products" +msgstr "" + #: src/components/routes/profile/ManageProfile/index.tsx:106 msgid "Profile" msgstr "Profil" @@ -2548,7 +2556,7 @@ msgstr "Profil" msgid "Profile updated successfully" msgstr "Profil erfolgreich aktualisiert" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:160 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:161 msgid "Promo {promo_code} code applied" msgstr "Aktionscode {promo_code} angewendet" @@ -2639,11 +2647,11 @@ msgstr "Rückerstattung" msgid "Register" msgstr "Registrieren" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:371 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:381 msgid "remove" msgstr "entfernen" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:372 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:382 msgid "Remove" msgstr "Entfernen" @@ -2779,6 +2787,10 @@ msgstr "Suchen Sie nach Namen, E-Mail oder Bestellnummer ..." msgid "Search by name..." msgstr "Suche mit Name..." +#: src/components/routes/event/products.tsx:43 +msgid "Search by product name..." +msgstr "" + #: src/components/routes/event/messages.tsx:34 msgid "Search by subject or content..." msgstr "Suche nach Thema oder Inhalt..." @@ -2927,7 +2939,7 @@ msgstr "Verfügbare Ticketanzahl anzeigen" msgid "Show hidden questions" msgstr "Versteckte Fragen anzeigen" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:332 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:342 msgid "Show more" msgstr "Zeig mehr" @@ -3007,7 +3019,7 @@ msgstr "Entschuldigen Sie, beim Laden dieser Seite ist ein Fehler aufgetreten." msgid "Sorry, this order no longer exists." msgstr "Entschuldigung, diese Bestellung existiert nicht mehr." -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:225 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:226 msgid "Sorry, this promo code is not recognized" msgstr "Dieser Aktionscode wird leider nicht erkannt" @@ -3181,8 +3193,8 @@ msgstr "Steuern" msgid "Taxes and Fees" msgstr "Steuern und Gebühren" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:120 -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:168 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:121 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:169 msgid "That promo code is invalid" msgstr "Dieser Aktionscode ist ungültig" @@ -3208,7 +3220,7 @@ msgstr "Die Sprache, in der der Teilnehmer die E-Mails erhalten soll." msgid "The link you clicked is invalid." msgstr "Der Link, auf den Sie geklickt haben, ist ungültig." -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:318 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:328 msgid "The maximum numbers number of tickets for {0}is {1}" msgstr "Die maximale Anzahl von Tickets für {0} ist {1}" @@ -3240,7 +3252,7 @@ msgstr "Die Steuern und Gebühren, die auf dieses Ticket angewendet werden solle msgid "The title of the event that will be displayed in search engine results and when sharing on social media. By default, the event title will be used" msgstr "Der Titel der Veranstaltung, der in Suchmaschinenergebnissen und beim Teilen in sozialen Medien angezeigt wird. Standardmäßig wird der Veranstaltungstitel verwendet" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:249 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:250 msgid "There are no tickets available for this event" msgstr "Für diese Veranstaltung sind keine Tickets verfügbar" @@ -3533,7 +3545,7 @@ msgid "Unable to create question. Please check the your details" msgstr "Frage konnte nicht erstellt werden. Bitte überprüfen Sie Ihre Angaben" #: src/components/modals/CreateTicketModal/index.tsx:64 -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:105 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:106 msgid "Unable to create ticket. Please check the your details" msgstr "Ticket konnte nicht erstellt werden. Bitte überprüfen Sie Ihre Angaben" @@ -3552,6 +3564,10 @@ msgstr "Vereinigte Staaten" msgid "Unlimited" msgstr "Unbegrenzt" +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:300 +msgid "Unlimited available" +msgstr "Unbegrenzt verfügbar" + #: src/components/common/PromoCodeTable/index.tsx:125 msgid "Unlimited usages allowed" msgstr "Unbegrenzte Nutzung erlaubt" diff --git a/frontend/src/locales/en.js b/frontend/src/locales/en.js index b5d3fc11..80c243ba 100644 --- a/frontend/src/locales/en.js +++ b/frontend/src/locales/en.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"1bpx9A\":\"...\",\"f8qS7T\":\"'There\\\\'s nothing to show yet'\",\"4zldrf\":[[\"0\",\"plural\",{\"one\":[\"#\",\" hidden question\"],\"other\":[\"#\",\" hidden questions\"]}]],\"J/hVSQ\":[[\"0\"]],\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"Jv22kr\":[[\"0\"],\" <0>checked in successfully\"],\"yxhYRZ\":[[\"0\"],\" <0>checked out successfully\"],\"KMgp2+\":[[\"0\"],\" available\"],\"tmew5X\":[[\"0\"],\" checked in\"],\"Pmr5xp\":[[\"0\"],\" created successfully\"],\"FImCSc\":[[\"0\"],\" updated successfully\"],\"KOr9b4\":[[\"0\"],\"'s Events\"],\"qSiUsc\":[[\"0\"],[\"1\"]],\"cU8MWb\":[[\"0\"],\"/\",[\"1\"],\" checked in\"],\"Vjij1k\":[[\"days\"],\" days, \",[\"hours\"],\" hours, \",[\"minutes\"],\" minutes, and \",[\"seconds\"],\" seconds\"],\"f3RdEk\":[[\"hours\"],\" hours, \",[\"minutes\"],\" minutes, and \",[\"seconds\"],\" seconds\"],\"wapGcj\":[[\"message\"]],\"fyE7Au\":[[\"minutes\"],\" minutes and \",[\"seconds\"],\" seconds\"],\"NlQ0cx\":[[\"organizerName\"],\"'s first event\"],\"Ul6IgC\":\"<0>Capacity assignments let you manage capacity across tickets or an entire event. Ideal for multi-day events, workshops, and more, where controlling attendance is crucial.<1>For instance, you can associate a capacity assignment with <2>Day One and <3>All Days ticket. Once the capacity is reached, both tickets will automatically stop being available for sale.\",\"Exjbj7\":\"<0>Check-in lists help manage attendee entry for your event. You can associate multiple tickets with a check-in list and ensure only those with valid tickets can enter.\",\"OXku3b\":\"<0>https://your-website.com\",\"qnSLLW\":\"<0>Please enter the price excluding taxes and fees.<1>Taxes and fees can be added below.\",\"0940VN\":\"<0>The number of tickets available for this ticket<1>This value can be overridden if there are <2>Capacity Limits associated with this ticket.\",\"E15xs8\":\"⚡️ Set up your event\",\"FL6OwU\":\"✉️ Confirm your email address\",\"y1NShf\":\"🎉 Congratulation on creating an event!\",\"BN0OQd\":\"🎉 Congratulations on creating an event!\",\"fAv9QG\":\"🎟️ Add tickets\",\"4WT5tD\":\"🎨 Customize your event page\",\"3VPPdS\":\"💳 Connect with Stripe\",\"s4Tgn6\":\"📢 Promote your event\",\"cjdktw\":\"🚀 Set your event live\",\"rmelwV\":\"0 minutes and 0 seconds\",\"UQ7pBY\":\"0.50 for $0.50\",\"i1+xzD\":\"1.75 for 1.75%\",\"i0puaE\":\"10.00\",\"W9+fkZ\":\"10001\",\"qdfdgM\":\"123 Main Street\",\"IoRZzD\":\"20\",\"+H1RMb\":\"2024-01-01 10:00\",\"Q/T49U\":\"2024-01-01 18:00\",\"hMT8+2\":\"94103\",\"efAM7X\":\"A date input. Perfect for asking for a date of birth etc.\",\"d9El7Q\":[\"A default \",[\"type\"],\" is automaticaly applied to all new tickets. You can override this on a per ticket basis.\"],\"SMUbbQ\":\"A Dropdown input allows only one selection\",\"qv4bfj\":\"A fee, like a booking fee or a service fee\",\"Pgaiuj\":\"A fixed amount per ticket. E.g, $0.50 per ticket\",\"f4vJgj\":\"A multi line text input\",\"ySO/4f\":\"A percentage of the ticket price. E.g., 3.5% of the ticket price\",\"WXeXGB\":\"A promo code with no discount can be used to reveal hidden tickets.\",\"GMhWB5\":\"A Radio option allows has multiple options but only one can be selected.\",\"CBt3s7\":\"A Radio Option allows only one selection\",\"AG/qmQ\":\"A Radio option has multiple options but only one can be selected.\",\"7g61G9\":\"A short description of Awesome Events Ltd.\",\"h179TP\":\"A short description of the event that will be displayed in search engine results and when sharing on social media. By default, the event description will be used\",\"WKMnh4\":\"A single line text input\",\"zCk10D\":\"A single question per attendee. E.g, What is your preferred meal?\",\"ap3v36\":\"A single question per order. E.g, What is your company name?\",\"RlJmQg\":\"A standard tax, like VAT or GST\",\"pDwHGk\":\"About hi.events\",\"uIKNjo\":\"About the event\",\"bfXQ+N\":\"Accept Invitation\",\"iwyhk4\":\"Access to the VIP area...\",\"AeXO77\":\"Account\",\"0b79Xf\":\"Account Email\",\"lkNdiH\":\"Account Name\",\"Puv7+X\":\"Account Settings\",\"OmylXO\":\"Account updated successfully\",\"7L01XJ\":\"Actions\",\"FQBaXG\":\"Activate\",\"5T2HxQ\":\"Activation date\",\"F6pfE9\":\"Active\",\"m16xKo\":\"Add\",\"LKNynS\":\"Add a cover image, description, and more to make your event stand out.\",\"/PN1DA\":\"Add a description for this check-in list\",\"PGPGsL\":\"Add description\",\"gMK0ps\":\"Add event details and and manage event settings.\",\"Fb+SDI\":\"Add More tickets\",\"ApsD9J\":\"Add New\",\"TZxnm8\":\"Add Option\",\"Cw27zP\":\"Add question\",\"yWiPh+\":\"Add Tax or Fee\",\"BGD9Yt\":\"Add tickets\",\"goOKRY\":\"Add tier\",\"p59pEv\":\"Additional Details\",\"Y8DIQy\":\"Additional Options\",\"Du6bPw\":\"Address\",\"NY/x1b\":\"Address line 1\",\"POdIrN\":\"Address Line 1\",\"cormHa\":\"Address line 2\",\"gwk5gg\":\"Address Line 2\",\"U3pytU\":\"Admin\",\"HLDaLi\":\"Admin users have full access to events and account settings.\",\"CPXP5Z\":\"Affiliates\",\"W7AfhC\":\"All attendees of this event\",\"QsYjci\":\"All Events\",\"/twVAS\":\"All Tickets\",\"ipYKgM\":\"Allow search engine indexing\",\"LRbt6D\":\"Allow search engines to index this event\",\"+MHcJD\":\"Almost there! We're just waiting for your payment to be processed. This should only take a few seconds..\",\"8wYDMp\":\"Already have an account?\",\"ApOYO8\":\"Amazing, Event, Keywords...\",\"hehnjM\":\"Amount\",\"TRYjHa\":[\"amount in \",[\"0\"]],\"R2O9Rg\":[\"Amount paid (\",[\"0\"],\")\"],\"tLjOgo\":[\"Amount paid $\",[\"0\"]],\"V7MwOy\":\"An error occurred while loading the page\",\"Q7UCEH\":\"An error occurred while sorting the questions. Please try again or refresh the page\",\"er3d/4\":\"An error occurred while sorting the tickets. Please try again or refresh the page\",\"hhvESd\":\"An event is the actual event you are hosting\",\"jD/OCQ\":\"An event is the actual event you are hosting. You can add more details later.\",\"oBkF+i\":\"An organizer is the company or person who is hosting the event\",\"W5A0Ly\":\"An unexpected error occurred.\",\"byKna+\":\"An unexpected error occurred. Please try again.\",\"j4DliD\":\"Any queries from ticket holders will be sent to this email address. This will also be used as the \\\"reply-to\\\" address for all emails sent from this event\",\"aAIQg2\":\"Appearance\",\"Ym1gnK\":\"applied\",\"epTbAK\":[\"Applies to \",[\"0\"],\" tickets\"],\"6MkQ2P\":\"Applies to 1 ticket\",\"DB8zMK\":\"Apply\",\"GctSSm\":\"Apply Promo Code\",\"jcnZEw\":[\"Apply this \",[\"type\"],\" to all new tickets\"],\"S0ctOE\":\"Archive event\",\"TdfEV7\":\"Archived\",\"A6AtLP\":\"Archived Events\",\"q7TRd7\":\"Are you sure you want to activate this attendee?\",\"TvkW9+\":\"Are you sure you want to archive this event?\",\"/CV2x+\":\"Are you sure you want to cancel this attendee? This will void their ticket\",\"YgRSEE\":\"Are you sure you want to delete this promo code?\",\"iU234U\":\"Are you sure you want to delete this question?\",\"CMyVEK\":\"Are you sure you want to make this event draft? This will make the event invisible to the public\",\"mEHQ8I\":\"Are you sure you want to make this event public? This will make the event visible to the public\",\"s4JozW\":\"Are you sure you want to restore this event? It will be restored as a draft event.\",\"vJuISq\":\"Are you sure you would like to delete this Capacity Assignment?\",\"baHeCz\":\"Are you sure you would like to delete this Check-In List?\",\"2xEpch\":\"Ask once per attendee\",\"LBLOqH\":\"Ask once per order\",\"ss9PbX\":\"Attendee\",\"m0CFV2\":\"Attendee Details\",\"lXcSD2\":\"Attendee questions\",\"VvYqMB\":\"Attendee questions are asked once per attendee. By default, people are asked for their first name, last name, and email address.\",\"spxPEv\":\"Attendee questions are asked once per attendee. By default, we ask for the attendee's first name, last name, and email address.\",\"9SZT4E\":\"Attendees\",\"5UbY+B\":\"Attendees with a specific ticket\",\"IMJ6rh\":\"Auto Resize\",\"vZ5qKF\":\"Automatically resize the widget height based on the content. When disabled, the widget will fill the height of the container.\",\"lXkUEV\":\"Availability\",\"ioG+xt\":\"Awaiting Payment\",\"3PmQfI\":\"Awesome Event\",\"kNmmvE\":\"Awesome Events Ltd.\",\"Yrbm6T\":\"Awesome Organizer Ltd.\",\"9002sI\":\"Back to all events\",\"0TGkYM\":\"Back to event homepage\",\"A302fe\":\"Back to event page\",\"VCoEm+\":\"Back to login\",\"MLZyiY\":\"Background color\",\"k1bLf+\":\"Background Color\",\"I7xjqg\":\"Background Type\",\"EOUool\":\"Basic Details\",\"7EGQKA\":\"Because you are the account owner, you cannot change your role or status.\",\"1mwMl+\":\"Before you send!\",\"wVfiR2\":\"Before you're event can go live, there's a few thing to do.\",\"/yeZ20\":\"Before your event can go live, there are a few things you need to do.\",\"1xAcxY\":\"Begin selling tickets in minutes\",\"R+w/Va\":\"Billing\",\"rp/zaT\":\"Brazilian Portuguese\",\"Ptp9MF\":\"Button color\",\"whqocw\":\"By registering you agree to our <0>Terms of Service and <1>Privacy Policy.\",\"bcCn6r\":\"Calculation Type\",\"+8bmSu\":\"California\",\"iStTQt\":\"Camera permission was denied. <0>Request Permission again, or if this doesn't work, you will need to <1>grant this page access to your camera in your browser settings.\",\"Jzn1qy\":\"Can't load events\",\"dEgA5A\":\"Cancel\",\"Gjt/py\":\"Cancel email change\",\"tVJk4q\":\"Cancel order\",\"Os6n2a\":\"Cancel Order\",\"Mz7Ygx\":[\"Cancel Order \",[\"0\"]],\"Ud7zwq\":\"Canceling will cancel all tickets associated with this order, and release the tickets back into the available pool.\",\"vv7kpg\":\"Cancelled\",\"QyjCeq\":\"Capacity\",\"V6Q5RZ\":\"Capacity Assignment created successfully\",\"k5p8dz\":\"Capacity Assignment deleted successfully\",\"nDBs04\":\"Capacity Management\",\"77/YgG\":\"Change Cover\",\"GptGxg\":\"Change password\",\"QndF4b\":\"check in\",\"xMDm+I\":\"Check In\",\"9FVFym\":\"check out\",\"/Ta1d4\":\"Check Out\",\"gXcPxc\":\"Check-in\",\"Y3FYXy\":\"Check-In\",\"fVUbUy\":\"Check-In List created successfully\",\"+CeSxK\":\"Check-In List deleted successfully\",\"+hBhWk\":\"Check-in list has expired\",\"mBsBHq\":\"Check-in list is not active\",\"vPqpQG\":\"Check-in list not found\",\"tejfAy\":\"Check-In Lists\",\"hD1ocH\":\"Check-In URL copied to clipboard\",\"CNafaC\":\"Checkbox options allow multiple selections\",\"SpabVf\":\"Checkboxes\",\"CRu4lK\":\"Checked In\",\"rfeicl\":\"Checked in successfully\",\"/ydvvl\":\"Checkout Messaging\",\"1WnhCL\":\"Checkout Settings\",\"h1IXFK\":\"Chinese\",\"6imsQS\":\"Chinese (Simplified)\",\"JjkX4+\":\"Choose a color for your background\",\"/Jizh9\":\"Choose an account\",\"jJGoVv\":\"Choose what notifications you want to receive\",\"3wV73y\":\"City\",\"FG98gC\":\"Clear Search Text\",\"EYeuMv\":\"click here\",\"sby+1/\":\"Click to copy\",\"yz7wBu\":\"Close\",\"62Ciis\":\"Close sidebar\",\"EWPtMO\":\"Code\",\"ercTDX\":\"Code must be between 3 and 50 characters long\",\"jZlrte\":\"Color\",\"Vd+LC3\":\"Color must be a valid hex color code. Example: #ffffff\",\"1HfW/F\":\"Colors\",\"VZeG/A\":\"Coming Soon\",\"yPI7n9\":\"Comma seperated keywords that describe the event. These will be used by search engines to help categorize and index the event\",\"NPZqBL\":\"Complete Order\",\"guBeyC\":\"Complete payment\",\"C8HNV2\":\"Complete Payment\",\"qqWcBV\":\"Completed\",\"DwF9eH\":\"Component Code\",\"7VpPHA\":\"Confirm\",\"ZaEJZM\":\"Confirm Email Change\",\"yjkELF\":\"Confirm New Password\",\"xnWESi\":\"Confirm password\",\"p2/GCq\":\"Confirm Password\",\"wnDgGj\":\"Confirming email address...\",\"DnLC08\":\"Congratulation on creating an event!\",\"pbAk7a\":\"Connect Stripe\",\"UMGQOh\":\"Connect with Stripe\",\"QKLP1W\":\"Connect your Stripe account to start receiving payments.\",\"5lcVkL\":\"Connection Details\",\"i3p844\":\"Contact email\",\"yAej59\":\"Content background color\",\"xGVfLh\":\"Continue\",\"X++RMT\":\"Continue button text\",\"AfNRFG\":\"Continue Button Text\",\"lIbwvN\":\"Continue Event Setup\",\"HB22j9\":\"Continue set up\",\"bZEa4H\":\"Continue Stripe Connect Setup\",\"RGVUUI\":\"Continue To Payment\",\"6V3Ea3\":\"Copied\",\"T5rdis\":\"copied to clipboard\",\"he3ygx\":\"Copy\",\"r2B2P8\":\"Copy Check-In URL\",\"8+cOrS\":\"Copy details to all attendees\",\"ENCIQz\":\"Copy Link\",\"E6nRW7\":\"Copy URL\",\"JNCzPW\":\"Country\",\"IF7RiR\":\"Cover\",\"P0rbCt\":\"Cover Image\",\"hYgDIe\":\"Create\",\"b9XOHo\":[\"Create \",[\"0\"]],\"6kdXbW\":\"Create a Promo Code\",\"n5pRtF\":\"Create a Ticket\",\"X6sRve\":[\"Create an account or <0>\",[\"0\"],\" to get started\"],\"nx+rqg\":\"create an organizer\",\"ipP6Ue\":\"Create Attendee\",\"VwdqVy\":\"Create Capacity Assignment\",\"WVbTwK\":\"Create Check-In List\",\"uN355O\":\"Create Event\",\"BOqY23\":\"Create new\",\"kpJAeS\":\"Create Organizer\",\"sYpiZP\":\"Create Promo Code\",\"a6YrKg\":\"Create promo codes\",\"n6H6AO\":\"Create promo codes to offer discounts to your attendees.\",\"B3Mkdt\":\"Create Question\",\"UKfi21\":\"Create Tax or Fee\",\"Tg323g\":\"Create Ticket\",\"agZ87r\":\"Create tickets for your event, set prices, and manage available quantity.\",\"d+F6q9\":\"Created\",\"Q2lUR2\":\"Currency\",\"DCKkhU\":\"Current Password\",\"uIElGP\":\"Custom Maps URL\",\"876pfE\":\"Customer\",\"QOg2Sf\":\"Customize the email and notification settings for this event\",\"Lu75d1\":\"Customize the email settings for this event\",\"RaxMyF\":\"Customize the event homepage and checkout experience\",\"Y9Z/vP\":\"Customize the event homepage and checkout messaging\",\"2E2O5H\":\"Customize the miscellaneous settings for this event\",\"iJhSxe\":\"Customize the SEO settings for this event\",\"KIhhpi\":\"Customize your event page\",\"nrGWUv\":\"Customize your event page to match your brand and style.\",\"Zz6Cxn\":\"Danger zone\",\"ZQKLI1\":\"Danger Zone\",\"7p5kLi\":\"Dashboard\",\"mYGY3B\":\"Date\",\"JvUngl\":\"Date & Time\",\"JJhRbH\":\"Day one capacity\",\"PqrqgF\":\"Day one check-in list\",\"RiXc4g\":\"Deactivate user\",\"cnGeoo\":\"Delete\",\"jRJZxD\":\"Delete Capacity\",\"Qrc8RZ\":\"Delete Check-In List\",\"WHf154\":\"Delete code\",\"heJllm\":\"Delete Cover\",\"KWa0gi\":\"Delete Image\",\"IatsLx\":\"Delete question\",\"GnyEfA\":\"Delete ticket\",\"E33LRn\":\"Delete user\",\"Nu4oKW\":\"Description\",\"YC3oXa\":\"Description for check-in staff\",\"s9iD5d\":\"Description should be less than 50,000 characters\",\"URmyfc\":\"Details\",\"x8uDKb\":\"Disable code\",\"Tgg8XQ\":\"Disable this capacity track capacity without stopping ticket sales\",\"H6Ma8Z\":\"Discount\",\"ypJ62C\":\"Discount %\",\"3LtiBI\":[\"Discount in \",[\"0\"]],\"C8JLas\":\"Discount Type\",\"1QfxQT\":\"Dismiss\",\"cVq+ga\":\"Don't have an account? <0>Sign Up\",\"4+aC/x\":\"Donation / Pay what you'd like ticket\",\"++S5i/\":\"Donation amount\",\"OO7MG7\":\"Donation Ticket\",\"0pEVi2\":\"Download Tickets PDF\",\"uABpqP\":\"Drag and drop or click\",\"3z2ium\":\"Drag to sort\",\"6skwyH\":\"Drop an image, or click here to replace the Cover Image\",\"S37RRV\":\"Drop an image, or click here to upload the Cover Image\",\"CfKofC\":\"Dropdown selection\",\"JzLDvy\":\"Duplicate Capacity Assignments\",\"ulMxl+\":\"Duplicate Check-In Lists\",\"vi8Q/5\":\"Duplicate event\",\"3ogkAk\":\"Duplicate Event\",\"Yu6m6X\":\"Duplicate Event Cover Image\",\"+fA4C7\":\"Duplicate Options\",\"57ALrd\":\"Duplicate Promo Codes\",\"83Hu4O\":\"Duplicate Questions\",\"20144c\":\"Duplicate Settings\",\"Wt9eV8\":\"Duplicate Tickets\",\"7Cx5It\":\"Early bird\",\"ePK91l\":\"Edit\",\"N6j2JH\":[\"Edit \",[\"0\"]],\"kNGp1D\":\"Edit attendee\",\"t2bbp8\":\"Edit Attendee\",\"kBkYSa\":\"Edit Capacity\",\"oHE9JT\":\"Edit Capacity Assignment\",\"FU1gvP\":\"Edit Check-In List\",\"iFgaVN\":\"Edit Code\",\"jrBSO1\":\"Edit Organizer\",\"9BdS63\":\"Edit Promo Code\",\"O0CE67\":\"Edit question\",\"EzwCw7\":\"Edit Question\",\"d+nnyk\":\"Edit Ticket\",\"poTr35\":\"Edit user\",\"GTOcxw\":\"Edit User\",\"pqFrv2\":\"eg. 2.50 for $2.50\",\"3yiej1\":\"eg. 23.5 for 23.5%\",\"O3oNi5\":\"Email\",\"VxYKoK\":\"Email & Notification Settings\",\"ATGYL1\":\"Email address\",\"hzKQCy\":\"Email Address\",\"HqP6Qf\":\"Email change cancelled successfully\",\"mISwW1\":\"Email change pending\",\"WiKda6\":\"Email Configuration\",\"APuxIE\":\"Email confirmation resent\",\"YaCgdO\":\"Email confirmation resent successfully\",\"jyt+cx\":\"Email footer message\",\"I6F3cp\":\"Email not verified\",\"G5zNMX\":\"Email Settings\",\"NTZ/NX\":\"Embed Code\",\"4rnJq4\":\"Embed Script\",\"nA31FG\":\"Enable this capacity to stop ticket sales when the limit is reached\",\"VFv2ZC\":\"End Date\",\"237hSL\":\"Ended\",\"nt4UkP\":\"Ended Events\",\"lYGfRP\":\"English\",\"MhVoma\":\"Enter an amount excluding taxes and fees.\",\"3Z223G\":\"Error confirming email address\",\"a6gga1\":\"Error confirming email change\",\"5/63nR\":\"EUR\",\"0pC/y6\":\"Event\",\"nuoP/j\":\"Event created successfully\",\"CFLUfD\":\"Event created successfully 🎉\",\"0Zptey\":\"Event Defaults\",\"6fuA9p\":\"Event duplicated successfully\",\"Xe3XMd\":\"Event is not visible to the public\",\"4pKXJS\":\"Event is visible to the public\",\"ClwUUD\":\"Event location & venue details\",\"OopDbA\":\"Event page\",\"JyD0LH\":\"Event Settings\",\"4/If97\":\"Event status update failed. Please try again later\",\"btxLWj\":\"Event status updated\",\"tst44n\":\"Events\",\"sZg7s1\":\"Expiration date\",\"KnN1Tu\":\"Expires\",\"uaSvqt\":\"Expiry Date\",\"GS+Mus\":\"Export\",\"9xAp/j\":\"Failed to cancel attendee\",\"ZpieFv\":\"Failed to cancel order\",\"z6tdjE\":\"Failed to delete message. Please try again.\",\"9zSt4h\":\"Failed to export attendees. Please try again.\",\"2uGNuE\":\"Failed to export orders. Please try again.\",\"d+KKMz\":\"Failed to load Check-In List\",\"ZQ15eN\":\"Failed to resend ticket email\",\"PLUB/s\":\"Fee\",\"YirHq7\":\"Feedback\",\"/mfICu\":\"Fees\",\"V1EGGU\":\"First name\",\"kODvZJ\":\"First Name\",\"S+tm06\":\"First name must be between 1 and 50 characters\",\"1g0dC4\":\"First Name, Last Name, and Email Address are default questions and are always included in the checkout process.\",\"QWa3Sk\":\"First Name, Last Name, and Email Address are default questions that are always included in the checkout process.\",\"TpqW74\":\"Fixed\",\"irpUxR\":\"Fixed amount\",\"TF9opW\":\"Flash is not available on this device\",\"UNMVei\":\"Forgot password?\",\"2POOFK\":\"Free\",\"/4rQr+\":\"Free Ticket\",\"01my8x\":\"Free ticket, no payment information required\",\"nLC6tu\":\"French\",\"ejVYRQ\":\"From\",\"DDcvSo\":\"German\",\"u6FPxT\":\"Get Tickets\",\"4GLxhy\":\"Getting Started\",\"4D3rRj\":\"Go back to profile\",\"cQPKZt\":\"Go to Dashboard\",\"9LCqFI\":\"Go to event homepage\",\"RUz8o/\":\"gross sales\",\"IgcAGN\":\"Gross sales\",\"yRg26W\":\"Gross Sales\",\"R4r4XO\":\"Guests\",\"26pGvx\":\"Have a promo code?\",\"V7yhws\":\"hello@awesome-events.com\",\"GNJ1kd\":\"Help & Support\",\"6K/IHl\":\"Here is an example of how you can use the component in your application.\",\"Y1SSqh\":\"Here is the React component you can use to embed the widget in your application.\",\"Ow9Hz5\":[\"Hi.Events Conference \",[\"0\"]],\"verBst\":\"Hi.Events Conference Center\",\"6eMEQO\":\"hi.events logo\",\"C4qOW8\":\"Hidden from public view\",\"gt3Xw9\":\"hidden question\",\"g3rqFe\":\"hidden questions\",\"k3dfFD\":\"Hidden questions are only visible to the event organizer and not to the customer.\",\"EeNE0j\":\"Hidden will not be shown to customers.\",\"vLyv1R\":\"Hide\",\"Mkkvfd\":\"Hide getting started page\",\"mFn5Xz\":\"Hide hidden questions\",\"SCimta\":\"Hide the getting started page from the sidebar\",\"Da29Y6\":\"Hide this question\",\"fsi6fC\":\"Hide this ticket from customers\",\"fvDQhr\":\"Hide this tier from users\",\"Fhzoa8\":\"Hide ticket after sale end date\",\"yhm3J/\":\"Hide ticket before sale start date\",\"k7/oGT\":\"Hide ticket unless user has applicable promo code\",\"L0ZOiu\":\"Hide ticket when sold out\",\"uno73L\":\"Hiding a ticket will prevent users from seeing it on the event page.\",\"tj6Gob\":\"Homepage & Checkout\",\"m07jN3\":\"Homepage & Checkout Settings\",\"ZOBwQn\":\"Homepage Design\",\"PRuBTd\":\"Homepage Designer\",\"YjVNGZ\":\"Homepage Preview\",\"c3E/kw\":\"Homer\",\"id+NIk\":\"How many minutes the customer has to complete their order\",\"8k8Njd\":\"How many minutes the customer has to complete their order. We recommend at least 15 minutes\",\"ySxKZe\":\"How many times can this code be used?\",\"dZsDbK\":[\"HTML character limit exceeded: \",[\"htmlLength\"],\"/\",[\"maxLength\"]],\"fYyXCd\":\"https://example-maps-service.com/...\",\"uOXLV3\":\"I agree to the <0>terms and conditions\",\"sIxFk5\":\"I agree to the terms and conditions\",\"Crwwhn\":[\"If a new tab did not open, please <0>\",[\"0\"],\".\"],\"93DUnd\":[\"If a new tab did not open, please <0><1>\",[\"0\"],\".\"],\"9gtsTP\":\"If blank, the address will be used to generate a Google map link\",\"muXhGi\":\"If enabled, the organizer will receive an email notification when a new order is placed\",\"6fLyj/\":\"If you did not request this change, please immediately change your password.\",\"n/ZDCz\":\"Image deleted successfully\",\"Gyl1h8\":\"Image dimensions must be at least 600px by 300px\",\"TiGacZ\":\"Image dimensions must be at least 900px by 450px\",\"UnTvkH\":\"Image dimensions must be between 3000px by 2000px. With a max height of 2000px and max width of 3000px\",\"Mfbc2v\":\"Image dimensions must be between 4000px by 4000px. With a max height of 4000px and max width of 4000px\",\"uPEIvq\":\"Image must be less than 5MB\",\"AGZmwV\":\"Image uploaded successfully\",\"ibi52/\":\"Image width must be at least 900px and height at least 50px\",\"NoNwIX\":\"Inactive\",\"T0K0yl\":\"Inactive users cannot log in.\",\"OFAmKP\":\"Include connection details for your online event\",\"BfPBBG\":\"Include connection details for your online event. These details will be after successful registration.\",\"6+pAOx\":\"Include connection details for your online event. These details will be shown after successful registration.\",\"evpD4c\":\"Include connection details for your online event. These details will be shown on the order summary page and attendee ticket page\",\"FlQKnG\":\"Include tax and fees in the price\",\"AXTNr8\":[\"Includes \",[\"0\"],\" tickets\"],\"7/Rzoe\":\"Includes 1 ticket\",\"nbfdhU\":\"Integrations\",\"OyLdaz\":\"Invitation resent!\",\"HE6KcK\":\"Invitation revoked!\",\"SQKPvQ\":\"Invite User\",\"PgdQrx\":\"Issue refund\",\"KFXip/\":\"John\",\"XcgRvb\":\"Johnson\",\"1IWWYX\":[\"KittenTech Conference \",[\"0\"]],\"ZgJEMX\":\"KittenTech Conference Center\",\"87a/t/\":\"Label\",\"vXIe7J\":\"Language\",\"I3yitW\":\"Last login\",\"1ZaQUH\":\"Last name\",\"UXBCwc\":\"Last Name\",\"CKcupn\":\"Latest Orders\",\"tITjB1\":\"Learn more about Stripe\",\"c+gAXc\":\"Let's get started by creating your first event\",\"vR92Yn\":\"Let's get started by creating your first organizer\",\"QfrKvi\":\"Link color\",\"wJijgU\":\"Location\",\"sQia9P\":\"Log in\",\"zUDyah\":\"Logging in\",\"z0t9bb\":\"Login\",\"nOhz3x\":\"Logout\",\"F2jAFv\":\"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Nam placerat elementum...\",\"XkhEf9\":\"Lorem ipsum...\",\"MU3ijv\":\"Make this question mandatory\",\"wckWOP\":\"Manage\",\"8mmINh\":\"Manage billing information and view invoices\",\"jWIznR\":\"Manage default settings for new events\",\"n4SpU5\":\"Manage event\",\"wqyqaF\":\"Manage general account settings\",\"cQrNR3\":\"Manage Profile\",\"f92Qak\":\"Manage taxes and fees which can be applied to tickets\",\"PlTcVr\":\"Manage taxes and fees which can be applied to your tickets\",\"ophZVW\":\"Manage tickets\",\"Wsx7Iu\":\"Manage users and their permissions\",\"DdHfeW\":\"Manage your account details and default settings\",\"QHcjP+\":\"Manage your billing and payment details\",\"S+UjNL\":\"Manage your Stripe payment details\",\"BfucwY\":\"Manage your users and their permissions\",\"1m+YT2\":\"Mandatory questions must be answered before the customer can checkout.\",\"Dim4LO\":\"Manually add an Attendee\",\"e4KdjJ\":\"Manually Add Attendee\",\"lzcrX3\":\"Manually adding an attendee will adjust ticket quantity.\",\"g9dPPQ\":\"Maximum Per Order\",\"l5OcwO\":\"Message attendee\",\"Gv5AMu\":\"Message Attendees\",\"1jRD0v\":\"Message attendees with specific tickets\",\"Lvi+gV\":\"Message buyer\",\"tNZzFb\":\"Message Content\",\"lYDV/s\":\"Message individual attendees\",\"V7DYWd\":\"Message Sent\",\"t7TeQU\":\"Messages\",\"xFRMlO\":\"Minimum Per Order\",\"QYcUEf\":\"Minimum Price\",\"mYLhkl\":\"Miscellaneous Settings\",\"KYveV8\":\"Multi line text box\",\"SVuGaP\":\"Multiple price options, users can choose which to pay\",\"6wbTro\":\"Multiple price options. Perfect for early bird tickets etc.\",\"/bhMdO\":\"My amazing event description...\",\"vX8/tc\":\"My amazing event title...\",\"hKtWk2\":\"My Profile\",\"pRjx4L\":\"Nam placerat elementum...\",\"6YtxFj\":\"Name\",\"hVuv90\":\"Name should be less than 150 characters\",\"AIUkyF\":\"Navigate to Attendee\",\"qqeAJM\":\"Never\",\"7vhWI8\":\"New Password\",\"m920rF\":\"New York\",\"1UzENP\":\"No\",\"LNWHXb\":\"No archived events to show.\",\"Wjz5KP\":\"No Attendees to show\",\"Razen5\":\"No attendees will be able to check in before this date using this list\",\"XUfgCI\":\"No Capacity Assignments\",\"a/gMx2\":\"No Check-In Lists\",\"fFeCKc\":\"No Discount\",\"HFucK5\":\"No ended events to show.\",\"Z6ILSe\":\"No events for this organizer\",\"yAlJXG\":\"No events to show\",\"KPWxKD\":\"No messages to show\",\"J2LkP8\":\"No orders to show\",\"+Y976X\":\"No Promo Codes to show\",\"Ev2r9A\":\"No results\",\"RHyZUL\":\"No search results.\",\"cU1op4\":\"No Taxes or Fees have been added yet.\",\"RY2eP1\":\"No Taxes or Fees have been added.\",\"uR2eFu\":\"No tickets available\",\"b7JZFg\":\"No tickets to show\",\"EdQY6l\":\"None\",\"OJx3wK\":\"Not available\",\"x5+Lcz\":\"Not Checked In\",\"Scbrsn\":\"Not On Sale\",\"hFwWnI\":\"Notification Settings\",\"xXqEPO\":\"Notify buyer of refund\",\"YpN29s\":\"Notify organizer of new orders\",\"qeQhNj\":\"Now let's create your first event\",\"2NPDz1\":\"On sale\",\"Ldu/RI\":\"On Sale\",\"Ug4SfW\":\"Once you create an event, you'll see it here.\",\"+P/tII\":\"Once you're ready, set your event live and start selling tickets.\",\"J6n7sl\":\"Ongoing\",\"z+nuVJ\":\"Online event\",\"WKHW0N\":\"Online Event Details\",\"/xkmKX\":\"Only important emails, which are directly related to this event, should be sent using this form.\\nAny misuse, including sending promotional emails, will lead to an immediate account ban.\",\"Qqqrwa\":\"Open Check-In Page\",\"OdnLE4\":\"Open sidebar\",\"ZZEYpT\":[\"Option \",[\"i\"]],\"0zpgxV\":\"Options\",\"BzEFor\":\"or\",\"UYUgdb\":\"Order\",\"mm+eaX\":\"Order #\",\"B3gPuX\":\"Order Cancelled\",\"SIbded\":\"Order Completed\",\"q/CcwE\":\"Order Date\",\"Tol4BF\":\"Order Details\",\"L4kzeZ\":[\"Order Details \",[\"0\"]],\"WbImlQ\":\"Order has been canceled and the order owner has been notified.\",\"VCOi7U\":\"Order questions\",\"wg9MPp\":\"Order questions are asked once per order. By default, people are asked for their first name, last name, and email address.\",\"+KNVxX\":\"Order questions are asked once per order. By default, we ask for the first name, last name, and email address.\",\"TPoYsF\":\"Order Reference\",\"GX6dZv\":\"Order Summary\",\"tDTq0D\":\"Order timeout\",\"1h+RBg\":\"Orders\",\"mz+c33\":\"Orders Created\",\"G5RhpL\":\"Organizer\",\"m/ebSk\":\"Organizer Details\",\"mYygCM\":\"Organizer is required\",\"Pa6G7v\":\"Organizer Name\",\"J2cXxX\":\"Organizers can only manage events and tickets. They cannot manage users, account settings or billing information.\",\"fdjq4c\":\"Padding\",\"ErggF8\":\"Page background color\",\"8F1i42\":\"Page not found\",\"QbrUIo\":\"Page views\",\"6D8ePg\":\"page.\",\"IkGIz8\":\"paid\",\"2w/FiJ\":\"Paid Ticket\",\"8ZsakT\":\"Password\",\"TUJAyx\":\"Password must be a minimum of 8 characters\",\"vwGkYB\":\"Password must be at least 8 characters\",\"BLTZ42\":\"Password reset successfully. Please login with your new password.\",\"f7SUun\":\"Passwords are not the same\",\"aEDp5C\":\"Paste this where you want the widget to appear.\",\"+23bI/\":\"Patrick\",\"iAS9f2\":\"patrick@acme.com\",\"iq5IUr\":\"Pause Ticket\",\"621rYf\":\"Payment\",\"JhtZAK\":\"Payment Failed\",\"xgav5v\":\"Payment succeeded!\",\"CcK+Ft\":\"PDF\",\"att1Hj\":\"percent\",\"/roQKz\":\"Percentage\",\"vPJ1FI\":\"Percentage Amount\",\"xdA9ud\":\"Place this in the of your website.\",\"blK94r\":\"Please add at least one option\",\"FJ9Yat\":\"Please check the provided information is correct\",\"TkQVup\":\"Please check your email and password and try again\",\"sMiGXD\":\"Please check your email is valid\",\"Ajavq0\":\"Please check your email to confirm your email address\",\"MdfrBE\":\"Please complete the form below to accept your invitation\",\"b1Jvg+\":\"Please continue in the new tab\",\"q40YFl\":\"Please continue your order in the new tab\",\"cdR8d6\":\"Please create a ticket\",\"ZJG4Di\":\"Please ensure you only send emails directly related to the order. Promotional emails\\nshould not be sent using this form.\",\"o+HaYe\":\"Please enter a valid promo code\",\"HnNept\":\"Please enter your new password\",\"5FSIzj\":\"Please Note\",\"MA04r/\":\"Please remove filters and set sorting to \\\"Homepage order\\\" to enable sorting\",\"pJLvdS\":\"Please select\",\"yygcoG\":\"Please select at least one ticket\",\"igBrCH\":\"Please verify your email address to access all features\",\"MOERNx\":\"Portuguese\",\"R7+D0/\":\"Portuguese (Brazil)\",\"qCJyMx\":\"Post Checkout message\",\"g2UNkE\":\"Powered by\",\"Qs7yI0\":\"Powered By\",\"lqAWKB\":\"Powered by <0>Hi.Events 👋\",\"3n47kV\":\"Powered By Hi.Events\",\"ddi4j4\":\"Powered by Stripe\",\"Rs7IQv\":\"Pre Checkout message\",\"rdUucN\":\"Preview\",\"a7u1N9\":\"Price\",\"CmoB9j\":\"Price display mode\",\"Q8PWaJ\":\"Price tiers\",\"a5jvSX\":\"Price Tiers\",\"6RmHKN\":\"Primary Color\",\"G/ZwV1\":\"Primary Colour\",\"8cBtvm\":\"Primary Text Color\",\"BZz12Q\":\"Print\",\"MT7dxz\":\"Print All Tickets\",\"vERlcd\":\"Profile\",\"kUlL8W\":\"Profile updated successfully\",\"cl5WYc\":[\"Promo \",[\"promo_code\"],\" code applied\"],\"ZXpm3a\":[\"Promo \",[\"promoCode\"],\" code applied\"],\"yKWfjC\":\"Promo Code page\",\"RVb8Fo\":\"Promo Codes\",\"BZ9GWa\":\"Promo codes can be used to offer discounts, presale access, or provide special access to your event.\",\"4kyDD5\":\"Provide additional context or instructions for this question. Use this field to add terms\\nand conditions, guidelines, or any important information that attendees need to know before answering.\",\"812gwg\":\"Purchase License\",\"LkMOWF\":\"Quantity Available\",\"XKJuAX\":\"Question deleted\",\"avf0gk\":\"Question Description\",\"oQvMPn\":\"Question Title\",\"enzGAL\":\"Questions\",\"K885Eq\":\"Questions sorted successfully\",\"OMJ035\":\"Radio Option\",\"C4TjpG\":\"Read less\",\"I3QpvQ\":\"Recipient\",\"N2C89m\":\"Reference\",\"gxFu7d\":[\"Refund amount (\",[\"0\"],\")\"],\"n10yGu\":\"Refund order\",\"zPH6gp\":\"Refund Order\",\"/BI0y9\":\"Refunded\",\"fgLNSM\":\"Register\",\"tasfos\":\"remove\",\"t/YqKh\":\"Remove\",\"RloWNu\":\"Reply to email\",\"EGm34e\":\"Resend confirmation email\",\"lnrkNz\":\"Resend email confirmation\",\"wIa8Qe\":\"Resend invitation\",\"VeKsnD\":\"Resend order email\",\"dFuEhO\":\"Resend ticket email\",\"o6+Y6d\":\"Resending...\",\"RfwZxd\":\"Reset password\",\"KbS2K9\":\"Reset Password\",\"e99fHm\":\"Restore event\",\"vtc20Z\":\"Return to event page\",\"8YBH95\":\"Revenue\",\"PO/sOY\":\"Revoke invitation\",\"GDvlUT\":\"Role\",\"ELa4O9\":\"Sale End Date\",\"5uo5eP\":\"Sale ended\",\"Qm5XkZ\":\"Sale Start Date\",\"hVF4dJ\":\"Sale starts\",\"hBsw5C\":\"Sales ended\",\"kpAzPe\":\"Sales start\",\"P/wEOX\":\"San Francisco\",\"tfDRzk\":\"Save\",\"IUwGEM\":\"Save Changes\",\"U65fiW\":\"Save Organizer\",\"UGT5vp\":\"Save Settings\",\"ovB7m2\":\"Scan QR Code\",\"lBAlVv\":\"Seach by name, order #, attendee # or email...\",\"W4kWXJ\":\"Search by attendee name, email or order #...\",\"ulAuWO\":\"Search by event name or description...\",\"+pr/FY\":\"Search by event name...\",\"NQSiYb\":\"Search by name or description...\",\"3zRbWw\":\"Search by name, email, or order #...\",\"BiYOdA\":\"Search by name...\",\"B1bB1j\":\"Search by order #, name or email...\",\"jA4hXE\":\"Search by subject or body...\",\"YEjitp\":\"Search by subject or content...\",\"HYnGee\":\"Search by ticket name...\",\"Pjsch9\":\"Search capacity assignments...\",\"r9M1hc\":\"Search check-in lists...\",\"YIix5Y\":\"Search...\",\"OeW+DS\":\"Secondary color\",\"DnXcDK\":\"Secondary Color\",\"cZF6em\":\"Secondary text color\",\"ZIgYeg\":\"Secondary Text Color\",\"QuNKRX\":\"Select Camera\",\"kWI/37\":\"Select organizer\",\"hAjDQy\":\"Select status\",\"QYARw/\":\"Select Ticket\",\"XH5juP\":\"Select Ticket Tier\",\"OMX4tH\":\"Select tickets\",\"nuWxSr\":\"Select Tickets\",\"O/7I0o\":\"Select...\",\"JlFcis\":\"Send\",\"qKWv5N\":[\"Send a copy to <0>\",[\"0\"],\"\"],\"RktTWf\":\"Send a message\",\"/mQ/tD\":\"Send as a test. This will send the message to your email address instead of the recipients.\",\"471O/e\":\"Send confirmation email\",\"M/WIer\":\"Send Message\",\"D7ZemV\":\"Send order confirmation and ticket email\",\"v1rRtW\":\"Send Test\",\"j1VfcT\":\"SEO Description\",\"/SIY6o\":\"SEO Keywords\",\"GfWoKv\":\"SEO Settings\",\"rXngLf\":\"SEO Title\",\"/jZOZa\":\"Service Fee\",\"vu4F0h\":\"Set a minimum price and let users donate more\",\"Bj/QGQ\":\"Set a minimum price and let users pay more if they choose\",\"nYNT+5\":\"Set up your event\",\"A8iqfq\":\"Set your event live\",\"Tz0i8g\":\"Settings\",\"Z8lGw6\":\"Share\",\"FFbYHm\":[\"Should this \",[\"type\"],\" be applied to all new tickets?\"],\"8vETh9\":\"Show\",\"smd87r\":\"Show available ticket quantity\",\"qDsmzu\":\"Show hidden questions\",\"fMPkxb\":\"Show more\",\"izwOOD\":\"Show tax and fees separately\",\"j3b+OW\":\"Shown to the customer after they checkout, on the order summary page\",\"YfHZv0\":\"Shown to the customer before they checkout\",\"CBBcly\":\"Shows common address fields, including country\",\"yTnnYg\":\"Simpson\",\"TNaCfq\":\"Single line text box\",\"+P0Cn2\":\"Skip this step\",\"YSEnLE\":\"Smith\",\"lgFfeO\":\"Sold out\",\"Mi1rVn\":\"Sold Out\",\"nwtY4N\":\"Something went wrong\",\"GRChTw\":\"Something went wrong while deleting the Tax or Fee\",\"YHFrbe\":\"Something went wrong! Please try again\",\"kf83Ld\":\"Something went wrong.\",\"fWsBTs\":\"Something went wrong. Please try again.\",\"F6YahU\":\"Sorry, something has gone wrong. Please restart the checkout process.\",\"KWgppI\":\"Sorry, something went wrong loading this page.\",\"/TCOIK\":\"Sorry, this order no longer exists.\",\"DvCwYF\":\"Sorry, this promo code is invalid'\",\"6a/UJE\":\"Sorry, this promo code is not recognized\",\"9rRZZ+\":\"Sorry, your order has expired. Please start a new order.\",\"a4SyEE\":\"Sorting is disabled while filters and sorting are applied\",\"65A04M\":\"Spanish\",\"4nG1lG\":\"Standard ticket with a fixed price\",\"D3iCkb\":\"Start Date\",\"RS0o7b\":\"State\",\"/2by1f\":\"State or Region\",\"uAQUqI\":\"Status\",\"UJmAAK\":\"Subject\",\"X2rrlw\":\"Subtotal\",\"b0HJ45\":[\"Success! \",[\"0\"],\" will receive an email shortly.\"],\"BJIEiF\":[\"Successfully \",[\"0\"],\" attendee\"],\"Ih8kN0\":[\"Successfully $\",[\"0\"],\" attendee\"],\"xHl17l\":[\"Successfully checked <0>\",[\"0\"],\" \",[\"1\"],\" \",[\"2\"]],\"OtgNFx\":\"Successfully confirmed email address\",\"IKwyaF\":\"Successfully confirmed email change\",\"zLmvhE\":\"Successfully created attendee\",\"9mZEgt\":\"Successfully Created Promo Code\",\"aIA9C4\":\"Successfully Created Question\",\"onFQYs\":\"Successfully Created Ticket\",\"Hgj/mB\":\"Successfully deleted ticket\",\"J3RJSZ\":\"Successfully updated attendee\",\"3suLF0\":\"Successfully updated Capacity Assignment\",\"Z+rnth\":\"Successfully updated Check-In List\",\"vzJenu\":\"Successfully Updated Email Settings\",\"7kOMfV\":\"Successfully Updated Event\",\"G0KW+e\":\"Successfully Updated Homepage Design\",\"k9m6/E\":\"Successfully Updated Homepage Settings\",\"y/NR6s\":\"Successfully Updated Location\",\"73nxDO\":\"Successfully Updated Misc Settings\",\"70dYC8\":\"Successfully Updated Promo Code\",\"F+pJnL\":\"Successfully Updated Seo Settings\",\"g2lRrH\":\"Successfully updated ticket\",\"DXZRk5\":\"Suite 100\",\"GNcfRk\":\"Support Email\",\"JpohL9\":\"Tax\",\"geUFpZ\":\"Tax & Fees\",\"0RXCDo\":\"Tax or Fee deleted successfully\",\"ZowkxF\":\"Taxes\",\"EEZnW+\":\"Taxes & Fees\",\"qu6/03\":\"Taxes and Fees\",\"gVjSFp\":\"Taxes and Fees can be associated with tickets and will be added to the ticket price.\",\"e0ZSh4\":\"Text Colour\",\"gypigA\":\"That promo code is invalid\",\"0ozSQu\":\"The background color for the event homepage\",\"LbHWgW\":\"The background color for the ticket widget on the event homepage\",\"75Xclv\":\"The basic details of your event\",\"5ShqeM\":\"The check-in list you are looking for does not exist.\",\"UNqHnV\":\"The color of the buttons on the event homepage\",\"0amhbL\":\"The color of the links on the event homepage\",\"QXlz+n\":\"The default currency for your events.\",\"mnafgQ\":\"The default timezone for your events.\",\"o7s5FA\":\"The language the attendee will receive emails in.\",\"NlfnUd\":\"The link you clicked is invalid.\",\"FqjKfd\":\"The location of your event\",\"kIXEVN\":[\"The maximum numbers number of tickets for \",[\"0\"],\"is \",[\"1\"]],\"FeAfXO\":[\"The maximum numbers number of tickets for Generals is \",[\"0\"]],\"POEqXB\":\"The organizer details of your event\",\"TSAiPM\":\"The page you are looking for does not exist\",\"MSmKHn\":\"The price displayed to the customer will include taxes and fees.\",\"6zQOg1\":\"The price displayed to the customer will not include taxes and fees. They will be shown separately\",\"ne/9Ur\":\"The styling settings you choose apply only to copied HTML and won't be stored.\",\"TJZByZ\":\"The tax and fee to apply to this ticket. You can create new taxes and fees on the\",\"OJYwh9\":\"The taxes and fees to apply to this ticket. You can create new taxes and fees on the\",\"6BpBfZ\":\"The text color for the event homepage\",\"rljHp7\":\"The text color for the ticket widget on the event homepage\",\"s4di40\":\"The text to display in the 'Continue' button. Defaults to 'Continue'\",\"esY5SG\":\"The title of the event that will be displayed in search engine results and when sharing on social media. By default, the event title will be used\",\"wgAiDb\":\"The user must login to change their email.\",\"jvxN9/\":\"There are no tickets available for this event\",\"rMcHYt\":\"There is a refund pending. Please wait for it to complete before requesting another refund.\",\"hjLUr+\":\"There was an error loading this content. Please refresh the page and try again.\",\"68Axnm\":\"There was an error processing your request. Please try again.\",\"mVKOW6\":\"There was an error sending your message\",\"Um/adz\":\"These allow multiple selections\",\"vWeHWp\":\"These colors are not saved in our system.\",\"7qzHGS\":\"These colors are not saved in our system. They are only used to generate the widget.\",\"xxv3BZ\":\"This check-in list has expired\",\"Sa7w7S\":\"This check-in list has expired and is no longer available for check-ins.\",\"Uicx2U\":\"This check-in list is active\",\"1k0Mp4\":\"This check-in list is not active yet\",\"K6fmBI\":\"This check-in list is not yet active and is not available for check-ins.\",\"t/ePFj\":\"This description will be shown to the check-in staff\",\"MLTkH7\":\"This email is not promotional and is directly related to the event.\",\"2eIpBM\":\"This event is not available at the moment. Please check back later.\",\"Z6LdQU\":\"This event is not available.\",\"CNk/ro\":\"This is an online event\",\"GabtCa\":\"This is the email address that will be used as the reply-to address for all emails sent from this event\",\"FwXnJd\":\"This list will no longer be available for check-ins after this date\",\"CKkb5E\":\"This message is how below the\",\"cHO4ec\":\"This message will be included in the footer of all emails sent from this event\",\"RjwlZt\":\"This order has already been paid.\",\"axERYu\":\"This order has already been paid. <0>View order details\",\"wY+HO9\":\"This order has already been processed.\",\"5K8REg\":\"This order has already been refunded.\",\"OiQMhP\":\"This order has been cancelled\",\"YyEJij\":\"This order has been cancelled.\",\"D44cEI\":\"This order has been completed.\",\"HILpDX\":\"This order is awaiting payment\",\"0vRWbB\":\"This order is awaiting payment.\",\"BdYtn9\":\"This order is complete\",\"e3uMJH\":\"This order is complete.\",\"YNKXOK\":\"This order is processing.\",\"LIjb4v\":\"This order is processing. TODO - a nice image and poll the API\",\"yPZN4i\":\"This order page is no longer available.\",\"5189cf\":\"This overrides all visibility settings and will hide the ticket from all customers.\",\"4vwjho\":\"This page has expired. <0>View order details\",\"Qt7RBu\":\"This question is only visible to the event organizer\",\"os29v1\":\"This reset password link is invalid or expired.\",\"WJqBqd\":\"This ticket cannot be deleted because it is\\nassociated with an order. You can hide it instead.\",\"ma6qdu\":\"This ticket is hidden from public view\",\"xJ8nzj\":\"This ticket is hidden unless targeted by a Promo Code\",\"IV9xTT\":\"This user is not active, as they have not accepted their invitation.\",\"5AnPaO\":\"ticket\",\"kjAL4v\":\"Ticket\",\"KosivG\":\"Ticket deleted successfully\",\"dtGC3q\":\"Ticket email has been resent to attendee\",\"USk+Mn\":\"Ticket page message\",\"mRM6XH\":\"Ticket Sales\",\"NirIiz\":\"Ticket Tier\",\"8jLPgH\":\"Ticket Type\",\"jqWDf9\":\"Ticket widget background color\",\"UrMVAz\":\"Ticket Widget Preview\",\"ngtDy7\":\"Ticket widget text color\",\"N+YYpo\":\"Ticket(s)\",\"6GQNLE\":\"Tickets\",\"54q0zp\":\"Tickets for\",\"ikA//P\":\"tickets sold\",\"i+idBz\":\"Tickets sold\",\"AGRilS\":\"Tickets Sold\",\"56Qw2C\":\"Tickets sorted successfully\",\"4f8A8M\":\"Tickets to which the promo code applies (Applies to all by default)\",\"xN9AhL\":[\"Tier \",[\"0\"]],\"oYaHuq\":\"Tiered Ticket\",\"XZrhpz\":\"Tiered Ticket - Coming Soon\",\"4M150e\":\"Tiered tickets allow you to offer multiple price options for the same ticket.\\nThis is perfect for early bird tickets, or offering different price\\noptions for different groups of people.\",\"jQoYTX\":\"Tiered tickets allow you to offer multiple price options for the same ticket. This is perfect for early bird tickets or offering different price options for different groups of people.\",\"s/0RpH\":\"Times used\",\"40Gx0U\":\"Timezone\",\"oDGm7V\":\"TIP\",\"MHrjPM\":\"Title\",\"xdA/+p\":\"Tools\",\"72c5Qo\":\"Total\",\"BxsfMK\":\"Total Fees\",\"mpB/d9\":\"Total order amount\",\"m3FM1g\":\"Total refunded\",\"GBBIy+\":\"Total remaining\",\"/SgoNA\":\"Total Tax\",\"+zy2Nq\":\"Type\",\"mLGbAS\":[\"Unable to \",[\"0\"],\" attendee\"],\"FMdMfZ\":\"Unable to check in attendee\",\"bPWBLL\":\"Unable to check out attendee\",\"/cSMqv\":\"Unable to create question. Please check the your details\",\"nNdxt9\":\"Unable to create ticket. Please check the your details\",\"MH/lj8\":\"Unable to update question. Please check the your details\",\"Mqy/Zy\":\"United States\",\"NIuIk1\":\"Unlimited\",\"oMcLhS\":\"Unlimited ticket quantity available\",\"E0q9qH\":\"Unlimited usages allowed\",\"ia8YsC\":\"Upcoming\",\"TlEeFv\":\"Upcoming Events\",\"L/gNNk\":[\"Update \",[\"0\"]],\"+qqX74\":\"Update event name, description and dates\",\"vXPSuB\":\"Update profile\",\"gsehpV\":\"Upload an image to be displayed on the event page\",\"BNBfrU\":\"Upload Cover\",\"UtDm3q\":\"URL copied to clipboard\",\"e5lF64\":\"Usage Example\",\"sGEOe4\":\"Use a blurred version of the cover image as the background\",\"OadMRm\":\"Use cover image\",\"7PzzBU\":\"User\",\"yDOdwQ\":\"User Management\",\"Sxm8rQ\":\"Users\",\"VEsDvU\":\"Users can change their email in <0>Profile Settings\",\"vgwVkd\":\"UTC\",\"khBZkl\":\"VAT\",\"E/9LUk\":\"Venue Name\",\"AM+zF3\":\"View attendee\",\"e4mhwd\":\"View event homepage\",\"/5PEQz\":\"View event page\",\"fFornT\":\"View full message\",\"YIsEhQ\":\"View map\",\"Ep3VfY\":\"View on Google Maps\",\"AMkkeL\":\"View order\",\"Y8s4f6\":\"View order details\",\"QIWCnW\":\"VIP check-in list\",\"tF+VVr\":\"VIP Ticket\",\"2q/Q7x\":\"Visibility\",\"vmOFL/\":\"We could not process your payment. Please try again or contact support.\",\"1E0vyy\":\"We couldn't load the data. Please try again.\",\"VGioT0\":\"We recommend dimensions of 2160px by 1080px, and a maximum file size of 5MB\",\"b9UB/w\":\"We use Stripe to process payments. Connect your Stripe account to start receiving payments.\",\"01WH0a\":\"We were unable to confirm your payment. Please try again or contact support.\",\"Gspam9\":\"We're processing your order. Please wait...\",\"LuY52w\":\"Welcome aboard! Please login to continue.\",\"dVxpp5\":[\"Welcome back\",[\"0\"],\" 👋\"],\"NxOVCl\":[\"Welcome to Hi.Events, \",[\"0\"],\" 👋\"],\"wjqPqF\":\"What are Tiered Tickets?\",\"f1jUC0\":\"What date should this check-in list become active?\",\"5iXvHA\":\"What is a Tiered Ticketing?\",\"MhhnvW\":\"What tickets does this code apply to? (Applies to all by default)\",\"dCil3h\":\"What tickets should this question be apply to?\",\"Rb0XUE\":\"What time will you be arriving?\",\"5N4wLD\":\"What type of question is this?\",\"D7C6XV\":\"When should this check-in list expire?\",\"FVetkT\":\"Which tickets should be associated with this check-in list?\",\"S+OdxP\":\"Who is organizing this event?\",\"LINr2M\":\"Who is this message to?\",\"nWhye/\":\"Who should be asked this question?\",\"vVGiM4\":\"Who type of question is this?\",\"onLsWS\":\"Whoops! something went wrong. Please try again or contact support if the problem persists.\",\"AHXN2z\":\"Widget\",\"AU/8QR\":\"Widget Configuration\",\"VxFvXQ\":\"Widget Embed\",\"v1P7Gm\":\"Widget Settings\",\"b4itZn\":\"Working\",\"hqmXmc\":\"Working...\",\"l75CjT\":\"Yes\",\"QcwyCh\":\"Yes, remove them\",\"ySeBKv\":\"You already scanned this ticket\",\"P+Sty0\":[\"You are changing your email to <0>\",[\"0\"],\".\"],\"gGhBmF\":\"You are offline\",\"4ysd6z\":\"You can connecting using this Zoom link...\",\"9HGdDw\":\"You can create a promo code which targets this ticket on the\",\"KRhIxT\":\"You can now start receiving payments through Stripe.\",\"UqVaVO\":\"You cannot change the ticket type as there are attendees associated with this ticket.\",\"zQ8idk\":\"You cannot change the ticket type because there are already tickets sold for this ticket.\",\"3vRX5A\":\"You cannot delete this price tier because there are already tickets sold for this tier. You can hide it instead.\",\"RCC09s\":\"You cannot edit a default question\",\"tFbRKJ\":\"You cannot edit the role or status of the account owner.\",\"fHfiEo\":\"You cannot refund a manually created order.\",\"hK9c7R\":\"You created a hidden question but disabled the option to show hidden questions. It has been enabled.\",\"NOaWRX\":\"You do not have permission to access this page\",\"BRArmD\":\"You have access to multiple accounts. Please choose one to continue.\",\"Z6q0Vl\":\"You have already accepted this invitation. Please login to continue.\",\"rdk1xK\":\"You have connected your Stripe account\",\"ofEncr\":\"You have no attendee questions.\",\"XoeazJ\":\"You have no attendee questions. Attendee questions are asked once per attendee.\",\"CoZHDB\":\"You have no order questions.\",\"FZKDIe\":\"You have no order questions. Order questions are asked once per order.\",\"15qAvl\":\"You have no pending email change.\",\"n81Qk8\":\"You have not completed your Stripe Connect setup\",\"jxsiqJ\":\"You have not connected your Stripe account\",\"183zcL\":\"You have taxes and fees added to a Free Ticket. Would you like to remove or obscure them?\",\"2v5MI1\":\"You haven't sent any messages yet. You can send messages to all attendees, or to specific ticket holders.\",\"R6i9o9\":\"You must acknowledge that this email is not promotional\",\"3ZI8IL\":\"You must agree to the terms and conditions\",\"dMd3Uf\":\"You must confirm your email address before your event can go live.\",\"H35u3n\":\"You must create a ticket before you can manually add an attendee.\",\"jE4Z8R\":\"You must have at least one price tier\",\"LRguuL\":\"You must have at least one tier\",\"8/eLoa\":\"You need to verify your account before you can send messages.\",\"L/+xOk\":\"You'll need a ticket before you can create a check-in list.\",\"8QNzin\":\"You'll need at a ticket before you can create a capacity assignment.\",\"WHXRMI\":\"You'll need at least one ticket to get started. Free, paid or let the user decide what to pay.\",\"bdg03s\":\"Your account email in outgoing emails.\",\"ROR8QD\":\"Your account name is used on event pages and in emails.\",\"veessc\":\"Your attendees will appear here once they have registered for your event. You can also manually add attendees.\",\"Eh5Wrd\":\"Your awesome website 🎉\",\"lkMK2r\":\"Your Details\",\"3ENYTQ\":[\"Your email request change to <0>\",[\"0\"],\" is pending. Please check your email to confirm\"],\"yZfBoy\":\"Your message has been sent\",\"la26JS\":\"Your order is in progress\",\"7YJdgG\":\"Your orders will appear here once they start rolling in.\",\"9TO8nT\":\"Your password\",\"P8hBau\":\"Your payment is processing.\",\"UdY1lL\":\"Your payment was not successful, please try again.\",\"fzuM26\":\"Your payment was unsuccessful. Please try again.\",\"cJ4Y4R\":\"Your refund is processing.\",\"IFHV2p\":\"Your ticket for\",\"3k7HDY\":\"Zip\",\"BM/KQm\":\"Zip or Postal Code\",\"VftCuk\":\"Zoom link, Google Meet link, etc.\"}")}; \ No newline at end of file +/*eslint-disable*/module.exports={messages:JSON.parse("{\"1bpx9A\":\"...\",\"f8qS7T\":\"'There\\\\'s nothing to show yet'\",\"4zldrf\":[[\"0\",\"plural\",{\"one\":[\"#\",\" hidden question\"],\"other\":[\"#\",\" hidden questions\"]}]],\"J/hVSQ\":[[\"0\"]],\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"Jv22kr\":[[\"0\"],\" <0>checked in successfully\"],\"yxhYRZ\":[[\"0\"],\" <0>checked out successfully\"],\"KMgp2+\":[[\"0\"],\" available\"],\"tmew5X\":[[\"0\"],\" checked in\"],\"Pmr5xp\":[[\"0\"],\" created successfully\"],\"FImCSc\":[[\"0\"],\" updated successfully\"],\"KOr9b4\":[[\"0\"],\"'s Events\"],\"qSiUsc\":[[\"0\"],[\"1\"]],\"cU8MWb\":[[\"0\"],\"/\",[\"1\"],\" checked in\"],\"Vjij1k\":[[\"days\"],\" days, \",[\"hours\"],\" hours, \",[\"minutes\"],\" minutes, and \",[\"seconds\"],\" seconds\"],\"f3RdEk\":[[\"hours\"],\" hours, \",[\"minutes\"],\" minutes, and \",[\"seconds\"],\" seconds\"],\"wapGcj\":[[\"message\"]],\"fyE7Au\":[[\"minutes\"],\" minutes and \",[\"seconds\"],\" seconds\"],\"NlQ0cx\":[[\"organizerName\"],\"'s first event\"],\"Ul6IgC\":\"<0>Capacity assignments let you manage capacity across tickets or an entire event. Ideal for multi-day events, workshops, and more, where controlling attendance is crucial.<1>For instance, you can associate a capacity assignment with <2>Day One and <3>All Days ticket. Once the capacity is reached, both tickets will automatically stop being available for sale.\",\"Exjbj7\":\"<0>Check-in lists help manage attendee entry for your event. You can associate multiple tickets with a check-in list and ensure only those with valid tickets can enter.\",\"OXku3b\":\"<0>https://your-website.com\",\"qnSLLW\":\"<0>Please enter the price excluding taxes and fees.<1>Taxes and fees can be added below.\",\"0940VN\":\"<0>The number of tickets available for this ticket<1>This value can be overridden if there are <2>Capacity Limits associated with this ticket.\",\"E15xs8\":\"⚡️ Set up your event\",\"FL6OwU\":\"✉️ Confirm your email address\",\"y1NShf\":\"🎉 Congratulation on creating an event!\",\"BN0OQd\":\"🎉 Congratulations on creating an event!\",\"fAv9QG\":\"🎟️ Add tickets\",\"4WT5tD\":\"🎨 Customize your event page\",\"3VPPdS\":\"💳 Connect with Stripe\",\"s4Tgn6\":\"📢 Promote your event\",\"cjdktw\":\"🚀 Set your event live\",\"rmelwV\":\"0 minutes and 0 seconds\",\"UQ7pBY\":\"0.50 for $0.50\",\"i1+xzD\":\"1.75 for 1.75%\",\"i0puaE\":\"10.00\",\"W9+fkZ\":\"10001\",\"qdfdgM\":\"123 Main Street\",\"IoRZzD\":\"20\",\"+H1RMb\":\"2024-01-01 10:00\",\"Q/T49U\":\"2024-01-01 18:00\",\"hMT8+2\":\"94103\",\"efAM7X\":\"A date input. Perfect for asking for a date of birth etc.\",\"d9El7Q\":[\"A default \",[\"type\"],\" is automaticaly applied to all new tickets. You can override this on a per ticket basis.\"],\"SMUbbQ\":\"A Dropdown input allows only one selection\",\"qv4bfj\":\"A fee, like a booking fee or a service fee\",\"Pgaiuj\":\"A fixed amount per ticket. E.g, $0.50 per ticket\",\"f4vJgj\":\"A multi line text input\",\"ySO/4f\":\"A percentage of the ticket price. E.g., 3.5% of the ticket price\",\"WXeXGB\":\"A promo code with no discount can be used to reveal hidden tickets.\",\"GMhWB5\":\"A Radio option allows has multiple options but only one can be selected.\",\"CBt3s7\":\"A Radio Option allows only one selection\",\"AG/qmQ\":\"A Radio option has multiple options but only one can be selected.\",\"7g61G9\":\"A short description of Awesome Events Ltd.\",\"h179TP\":\"A short description of the event that will be displayed in search engine results and when sharing on social media. By default, the event description will be used\",\"WKMnh4\":\"A single line text input\",\"zCk10D\":\"A single question per attendee. E.g, What is your preferred meal?\",\"ap3v36\":\"A single question per order. E.g, What is your company name?\",\"RlJmQg\":\"A standard tax, like VAT or GST\",\"pDwHGk\":\"About hi.events\",\"uIKNjo\":\"About the event\",\"bfXQ+N\":\"Accept Invitation\",\"iwyhk4\":\"Access to the VIP area...\",\"AeXO77\":\"Account\",\"0b79Xf\":\"Account Email\",\"lkNdiH\":\"Account Name\",\"Puv7+X\":\"Account Settings\",\"OmylXO\":\"Account updated successfully\",\"7L01XJ\":\"Actions\",\"FQBaXG\":\"Activate\",\"5T2HxQ\":\"Activation date\",\"F6pfE9\":\"Active\",\"m16xKo\":\"Add\",\"LKNynS\":\"Add a cover image, description, and more to make your event stand out.\",\"/PN1DA\":\"Add a description for this check-in list\",\"PGPGsL\":\"Add description\",\"gMK0ps\":\"Add event details and and manage event settings.\",\"Fb+SDI\":\"Add More tickets\",\"ApsD9J\":\"Add New\",\"TZxnm8\":\"Add Option\",\"Cw27zP\":\"Add question\",\"yWiPh+\":\"Add Tax or Fee\",\"BGD9Yt\":\"Add tickets\",\"goOKRY\":\"Add tier\",\"p59pEv\":\"Additional Details\",\"Y8DIQy\":\"Additional Options\",\"Du6bPw\":\"Address\",\"NY/x1b\":\"Address line 1\",\"POdIrN\":\"Address Line 1\",\"cormHa\":\"Address line 2\",\"gwk5gg\":\"Address Line 2\",\"U3pytU\":\"Admin\",\"HLDaLi\":\"Admin users have full access to events and account settings.\",\"CPXP5Z\":\"Affiliates\",\"W7AfhC\":\"All attendees of this event\",\"QsYjci\":\"All Events\",\"/twVAS\":\"All Tickets\",\"ipYKgM\":\"Allow search engine indexing\",\"LRbt6D\":\"Allow search engines to index this event\",\"+MHcJD\":\"Almost there! We're just waiting for your payment to be processed. This should only take a few seconds..\",\"8wYDMp\":\"Already have an account?\",\"ApOYO8\":\"Amazing, Event, Keywords...\",\"hehnjM\":\"Amount\",\"TRYjHa\":[\"amount in \",[\"0\"]],\"R2O9Rg\":[\"Amount paid (\",[\"0\"],\")\"],\"tLjOgo\":[\"Amount paid $\",[\"0\"]],\"V7MwOy\":\"An error occurred while loading the page\",\"Q7UCEH\":\"An error occurred while sorting the questions. Please try again or refresh the page\",\"er3d/4\":\"An error occurred while sorting the tickets. Please try again or refresh the page\",\"hhvESd\":\"An event is the actual event you are hosting\",\"jD/OCQ\":\"An event is the actual event you are hosting. You can add more details later.\",\"oBkF+i\":\"An organizer is the company or person who is hosting the event\",\"W5A0Ly\":\"An unexpected error occurred.\",\"byKna+\":\"An unexpected error occurred. Please try again.\",\"j4DliD\":\"Any queries from ticket holders will be sent to this email address. This will also be used as the \\\"reply-to\\\" address for all emails sent from this event\",\"aAIQg2\":\"Appearance\",\"Ym1gnK\":\"applied\",\"epTbAK\":[\"Applies to \",[\"0\"],\" tickets\"],\"6MkQ2P\":\"Applies to 1 ticket\",\"DB8zMK\":\"Apply\",\"GctSSm\":\"Apply Promo Code\",\"jcnZEw\":[\"Apply this \",[\"type\"],\" to all new tickets\"],\"S0ctOE\":\"Archive event\",\"TdfEV7\":\"Archived\",\"A6AtLP\":\"Archived Events\",\"q7TRd7\":\"Are you sure you want to activate this attendee?\",\"TvkW9+\":\"Are you sure you want to archive this event?\",\"/CV2x+\":\"Are you sure you want to cancel this attendee? This will void their ticket\",\"YgRSEE\":\"Are you sure you want to delete this promo code?\",\"iU234U\":\"Are you sure you want to delete this question?\",\"CMyVEK\":\"Are you sure you want to make this event draft? This will make the event invisible to the public\",\"mEHQ8I\":\"Are you sure you want to make this event public? This will make the event visible to the public\",\"s4JozW\":\"Are you sure you want to restore this event? It will be restored as a draft event.\",\"vJuISq\":\"Are you sure you would like to delete this Capacity Assignment?\",\"baHeCz\":\"Are you sure you would like to delete this Check-In List?\",\"2xEpch\":\"Ask once per attendee\",\"LBLOqH\":\"Ask once per order\",\"ss9PbX\":\"Attendee\",\"m0CFV2\":\"Attendee Details\",\"lXcSD2\":\"Attendee questions\",\"VvYqMB\":\"Attendee questions are asked once per attendee. By default, people are asked for their first name, last name, and email address.\",\"spxPEv\":\"Attendee questions are asked once per attendee. By default, we ask for the attendee's first name, last name, and email address.\",\"9SZT4E\":\"Attendees\",\"5UbY+B\":\"Attendees with a specific ticket\",\"IMJ6rh\":\"Auto Resize\",\"vZ5qKF\":\"Automatically resize the widget height based on the content. When disabled, the widget will fill the height of the container.\",\"lXkUEV\":\"Availability\",\"ioG+xt\":\"Awaiting Payment\",\"3PmQfI\":\"Awesome Event\",\"kNmmvE\":\"Awesome Events Ltd.\",\"Yrbm6T\":\"Awesome Organizer Ltd.\",\"9002sI\":\"Back to all events\",\"0TGkYM\":\"Back to event homepage\",\"A302fe\":\"Back to event page\",\"VCoEm+\":\"Back to login\",\"MLZyiY\":\"Background color\",\"k1bLf+\":\"Background Color\",\"I7xjqg\":\"Background Type\",\"EOUool\":\"Basic Details\",\"7EGQKA\":\"Because you are the account owner, you cannot change your role or status.\",\"1mwMl+\":\"Before you send!\",\"wVfiR2\":\"Before you're event can go live, there's a few thing to do.\",\"/yeZ20\":\"Before your event can go live, there are a few things you need to do.\",\"1xAcxY\":\"Begin selling tickets in minutes\",\"R+w/Va\":\"Billing\",\"rp/zaT\":\"Brazilian Portuguese\",\"Ptp9MF\":\"Button color\",\"whqocw\":\"By registering you agree to our <0>Terms of Service and <1>Privacy Policy.\",\"bcCn6r\":\"Calculation Type\",\"+8bmSu\":\"California\",\"iStTQt\":\"Camera permission was denied. <0>Request Permission again, or if this doesn't work, you will need to <1>grant this page access to your camera in your browser settings.\",\"Jzn1qy\":\"Can't load events\",\"dEgA5A\":\"Cancel\",\"Gjt/py\":\"Cancel email change\",\"tVJk4q\":\"Cancel order\",\"Os6n2a\":\"Cancel Order\",\"Mz7Ygx\":[\"Cancel Order \",[\"0\"]],\"Ud7zwq\":\"Canceling will cancel all tickets associated with this order, and release the tickets back into the available pool.\",\"vv7kpg\":\"Cancelled\",\"QyjCeq\":\"Capacity\",\"V6Q5RZ\":\"Capacity Assignment created successfully\",\"k5p8dz\":\"Capacity Assignment deleted successfully\",\"nDBs04\":\"Capacity Management\",\"77/YgG\":\"Change Cover\",\"GptGxg\":\"Change password\",\"QndF4b\":\"check in\",\"xMDm+I\":\"Check In\",\"9FVFym\":\"check out\",\"/Ta1d4\":\"Check Out\",\"gXcPxc\":\"Check-in\",\"Y3FYXy\":\"Check-In\",\"fVUbUy\":\"Check-In List created successfully\",\"+CeSxK\":\"Check-In List deleted successfully\",\"+hBhWk\":\"Check-in list has expired\",\"mBsBHq\":\"Check-in list is not active\",\"vPqpQG\":\"Check-in list not found\",\"tejfAy\":\"Check-In Lists\",\"hD1ocH\":\"Check-In URL copied to clipboard\",\"CNafaC\":\"Checkbox options allow multiple selections\",\"SpabVf\":\"Checkboxes\",\"CRu4lK\":\"Checked In\",\"rfeicl\":\"Checked in successfully\",\"/ydvvl\":\"Checkout Messaging\",\"1WnhCL\":\"Checkout Settings\",\"h1IXFK\":\"Chinese\",\"6imsQS\":\"Chinese (Simplified)\",\"JjkX4+\":\"Choose a color for your background\",\"/Jizh9\":\"Choose an account\",\"jJGoVv\":\"Choose what notifications you want to receive\",\"3wV73y\":\"City\",\"FG98gC\":\"Clear Search Text\",\"EYeuMv\":\"click here\",\"sby+1/\":\"Click to copy\",\"yz7wBu\":\"Close\",\"62Ciis\":\"Close sidebar\",\"EWPtMO\":\"Code\",\"ercTDX\":\"Code must be between 3 and 50 characters long\",\"jZlrte\":\"Color\",\"Vd+LC3\":\"Color must be a valid hex color code. Example: #ffffff\",\"1HfW/F\":\"Colors\",\"VZeG/A\":\"Coming Soon\",\"yPI7n9\":\"Comma seperated keywords that describe the event. These will be used by search engines to help categorize and index the event\",\"NPZqBL\":\"Complete Order\",\"guBeyC\":\"Complete payment\",\"C8HNV2\":\"Complete Payment\",\"qqWcBV\":\"Completed\",\"DwF9eH\":\"Component Code\",\"7VpPHA\":\"Confirm\",\"ZaEJZM\":\"Confirm Email Change\",\"yjkELF\":\"Confirm New Password\",\"xnWESi\":\"Confirm password\",\"p2/GCq\":\"Confirm Password\",\"wnDgGj\":\"Confirming email address...\",\"DnLC08\":\"Congratulation on creating an event!\",\"pbAk7a\":\"Connect Stripe\",\"UMGQOh\":\"Connect with Stripe\",\"QKLP1W\":\"Connect your Stripe account to start receiving payments.\",\"5lcVkL\":\"Connection Details\",\"i3p844\":\"Contact email\",\"yAej59\":\"Content background color\",\"xGVfLh\":\"Continue\",\"X++RMT\":\"Continue button text\",\"AfNRFG\":\"Continue Button Text\",\"lIbwvN\":\"Continue Event Setup\",\"HB22j9\":\"Continue set up\",\"bZEa4H\":\"Continue Stripe Connect Setup\",\"RGVUUI\":\"Continue To Payment\",\"6V3Ea3\":\"Copied\",\"T5rdis\":\"copied to clipboard\",\"he3ygx\":\"Copy\",\"r2B2P8\":\"Copy Check-In URL\",\"8+cOrS\":\"Copy details to all attendees\",\"ENCIQz\":\"Copy Link\",\"E6nRW7\":\"Copy URL\",\"JNCzPW\":\"Country\",\"IF7RiR\":\"Cover\",\"P0rbCt\":\"Cover Image\",\"hYgDIe\":\"Create\",\"b9XOHo\":[\"Create \",[\"0\"]],\"6kdXbW\":\"Create a Promo Code\",\"n5pRtF\":\"Create a Ticket\",\"X6sRve\":[\"Create an account or <0>\",[\"0\"],\" to get started\"],\"nx+rqg\":\"create an organizer\",\"ipP6Ue\":\"Create Attendee\",\"VwdqVy\":\"Create Capacity Assignment\",\"WVbTwK\":\"Create Check-In List\",\"uN355O\":\"Create Event\",\"BOqY23\":\"Create new\",\"kpJAeS\":\"Create Organizer\",\"a0EjD+\":\"Create Product\",\"sYpiZP\":\"Create Promo Code\",\"a6YrKg\":\"Create promo codes\",\"n6H6AO\":\"Create promo codes to offer discounts to your attendees.\",\"B3Mkdt\":\"Create Question\",\"UKfi21\":\"Create Tax or Fee\",\"Tg323g\":\"Create Ticket\",\"agZ87r\":\"Create tickets for your event, set prices, and manage available quantity.\",\"d+F6q9\":\"Created\",\"Q2lUR2\":\"Currency\",\"DCKkhU\":\"Current Password\",\"uIElGP\":\"Custom Maps URL\",\"876pfE\":\"Customer\",\"QOg2Sf\":\"Customize the email and notification settings for this event\",\"Lu75d1\":\"Customize the email settings for this event\",\"RaxMyF\":\"Customize the event homepage and checkout experience\",\"Y9Z/vP\":\"Customize the event homepage and checkout messaging\",\"2E2O5H\":\"Customize the miscellaneous settings for this event\",\"iJhSxe\":\"Customize the SEO settings for this event\",\"KIhhpi\":\"Customize your event page\",\"nrGWUv\":\"Customize your event page to match your brand and style.\",\"Zz6Cxn\":\"Danger zone\",\"ZQKLI1\":\"Danger Zone\",\"7p5kLi\":\"Dashboard\",\"mYGY3B\":\"Date\",\"JvUngl\":\"Date & Time\",\"JJhRbH\":\"Day one capacity\",\"PqrqgF\":\"Day one check-in list\",\"RiXc4g\":\"Deactivate user\",\"cnGeoo\":\"Delete\",\"jRJZxD\":\"Delete Capacity\",\"Qrc8RZ\":\"Delete Check-In List\",\"WHf154\":\"Delete code\",\"heJllm\":\"Delete Cover\",\"KWa0gi\":\"Delete Image\",\"IatsLx\":\"Delete question\",\"GnyEfA\":\"Delete ticket\",\"E33LRn\":\"Delete user\",\"Nu4oKW\":\"Description\",\"YC3oXa\":\"Description for check-in staff\",\"s9iD5d\":\"Description should be less than 50,000 characters\",\"URmyfc\":\"Details\",\"x8uDKb\":\"Disable code\",\"Tgg8XQ\":\"Disable this capacity track capacity without stopping ticket sales\",\"H6Ma8Z\":\"Discount\",\"ypJ62C\":\"Discount %\",\"3LtiBI\":[\"Discount in \",[\"0\"]],\"C8JLas\":\"Discount Type\",\"1QfxQT\":\"Dismiss\",\"cVq+ga\":\"Don't have an account? <0>Sign Up\",\"4+aC/x\":\"Donation / Pay what you'd like ticket\",\"++S5i/\":\"Donation amount\",\"OO7MG7\":\"Donation Ticket\",\"0pEVi2\":\"Download Tickets PDF\",\"uABpqP\":\"Drag and drop or click\",\"3z2ium\":\"Drag to sort\",\"6skwyH\":\"Drop an image, or click here to replace the Cover Image\",\"S37RRV\":\"Drop an image, or click here to upload the Cover Image\",\"CfKofC\":\"Dropdown selection\",\"JzLDvy\":\"Duplicate Capacity Assignments\",\"ulMxl+\":\"Duplicate Check-In Lists\",\"vi8Q/5\":\"Duplicate event\",\"3ogkAk\":\"Duplicate Event\",\"Yu6m6X\":\"Duplicate Event Cover Image\",\"+fA4C7\":\"Duplicate Options\",\"57ALrd\":\"Duplicate Promo Codes\",\"83Hu4O\":\"Duplicate Questions\",\"20144c\":\"Duplicate Settings\",\"Wt9eV8\":\"Duplicate Tickets\",\"7Cx5It\":\"Early bird\",\"ePK91l\":\"Edit\",\"N6j2JH\":[\"Edit \",[\"0\"]],\"kNGp1D\":\"Edit attendee\",\"t2bbp8\":\"Edit Attendee\",\"kBkYSa\":\"Edit Capacity\",\"oHE9JT\":\"Edit Capacity Assignment\",\"FU1gvP\":\"Edit Check-In List\",\"iFgaVN\":\"Edit Code\",\"jrBSO1\":\"Edit Organizer\",\"9BdS63\":\"Edit Promo Code\",\"O0CE67\":\"Edit question\",\"EzwCw7\":\"Edit Question\",\"d+nnyk\":\"Edit Ticket\",\"poTr35\":\"Edit user\",\"GTOcxw\":\"Edit User\",\"pqFrv2\":\"eg. 2.50 for $2.50\",\"3yiej1\":\"eg. 23.5 for 23.5%\",\"O3oNi5\":\"Email\",\"VxYKoK\":\"Email & Notification Settings\",\"ATGYL1\":\"Email address\",\"hzKQCy\":\"Email Address\",\"HqP6Qf\":\"Email change cancelled successfully\",\"mISwW1\":\"Email change pending\",\"WiKda6\":\"Email Configuration\",\"APuxIE\":\"Email confirmation resent\",\"YaCgdO\":\"Email confirmation resent successfully\",\"jyt+cx\":\"Email footer message\",\"I6F3cp\":\"Email not verified\",\"G5zNMX\":\"Email Settings\",\"NTZ/NX\":\"Embed Code\",\"4rnJq4\":\"Embed Script\",\"nA31FG\":\"Enable this capacity to stop ticket sales when the limit is reached\",\"VFv2ZC\":\"End Date\",\"237hSL\":\"Ended\",\"nt4UkP\":\"Ended Events\",\"lYGfRP\":\"English\",\"MhVoma\":\"Enter an amount excluding taxes and fees.\",\"3Z223G\":\"Error confirming email address\",\"a6gga1\":\"Error confirming email change\",\"5/63nR\":\"EUR\",\"0pC/y6\":\"Event\",\"nuoP/j\":\"Event created successfully\",\"CFLUfD\":\"Event created successfully 🎉\",\"0Zptey\":\"Event Defaults\",\"6fuA9p\":\"Event duplicated successfully\",\"Xe3XMd\":\"Event is not visible to the public\",\"4pKXJS\":\"Event is visible to the public\",\"ClwUUD\":\"Event location & venue details\",\"OopDbA\":\"Event page\",\"JyD0LH\":\"Event Settings\",\"4/If97\":\"Event status update failed. Please try again later\",\"btxLWj\":\"Event status updated\",\"tst44n\":\"Events\",\"sZg7s1\":\"Expiration date\",\"KnN1Tu\":\"Expires\",\"uaSvqt\":\"Expiry Date\",\"GS+Mus\":\"Export\",\"9xAp/j\":\"Failed to cancel attendee\",\"ZpieFv\":\"Failed to cancel order\",\"z6tdjE\":\"Failed to delete message. Please try again.\",\"9zSt4h\":\"Failed to export attendees. Please try again.\",\"2uGNuE\":\"Failed to export orders. Please try again.\",\"d+KKMz\":\"Failed to load Check-In List\",\"ZQ15eN\":\"Failed to resend ticket email\",\"PLUB/s\":\"Fee\",\"YirHq7\":\"Feedback\",\"/mfICu\":\"Fees\",\"V1EGGU\":\"First name\",\"kODvZJ\":\"First Name\",\"S+tm06\":\"First name must be between 1 and 50 characters\",\"1g0dC4\":\"First Name, Last Name, and Email Address are default questions and are always included in the checkout process.\",\"QWa3Sk\":\"First Name, Last Name, and Email Address are default questions that are always included in the checkout process.\",\"TpqW74\":\"Fixed\",\"irpUxR\":\"Fixed amount\",\"TF9opW\":\"Flash is not available on this device\",\"UNMVei\":\"Forgot password?\",\"2POOFK\":\"Free\",\"/4rQr+\":\"Free Ticket\",\"01my8x\":\"Free ticket, no payment information required\",\"nLC6tu\":\"French\",\"ejVYRQ\":\"From\",\"DDcvSo\":\"German\",\"u6FPxT\":\"Get Tickets\",\"4GLxhy\":\"Getting Started\",\"4D3rRj\":\"Go back to profile\",\"cQPKZt\":\"Go to Dashboard\",\"9LCqFI\":\"Go to event homepage\",\"RUz8o/\":\"gross sales\",\"IgcAGN\":\"Gross sales\",\"yRg26W\":\"Gross Sales\",\"R4r4XO\":\"Guests\",\"26pGvx\":\"Have a promo code?\",\"V7yhws\":\"hello@awesome-events.com\",\"GNJ1kd\":\"Help & Support\",\"6K/IHl\":\"Here is an example of how you can use the component in your application.\",\"Y1SSqh\":\"Here is the React component you can use to embed the widget in your application.\",\"Ow9Hz5\":[\"Hi.Events Conference \",[\"0\"]],\"verBst\":\"Hi.Events Conference Center\",\"6eMEQO\":\"hi.events logo\",\"C4qOW8\":\"Hidden from public view\",\"gt3Xw9\":\"hidden question\",\"g3rqFe\":\"hidden questions\",\"k3dfFD\":\"Hidden questions are only visible to the event organizer and not to the customer.\",\"EeNE0j\":\"Hidden will not be shown to customers.\",\"vLyv1R\":\"Hide\",\"Mkkvfd\":\"Hide getting started page\",\"mFn5Xz\":\"Hide hidden questions\",\"SCimta\":\"Hide the getting started page from the sidebar\",\"Da29Y6\":\"Hide this question\",\"fsi6fC\":\"Hide this ticket from customers\",\"fvDQhr\":\"Hide this tier from users\",\"Fhzoa8\":\"Hide ticket after sale end date\",\"yhm3J/\":\"Hide ticket before sale start date\",\"k7/oGT\":\"Hide ticket unless user has applicable promo code\",\"L0ZOiu\":\"Hide ticket when sold out\",\"uno73L\":\"Hiding a ticket will prevent users from seeing it on the event page.\",\"tj6Gob\":\"Homepage & Checkout\",\"m07jN3\":\"Homepage & Checkout Settings\",\"ZOBwQn\":\"Homepage Design\",\"PRuBTd\":\"Homepage Designer\",\"YjVNGZ\":\"Homepage Preview\",\"c3E/kw\":\"Homer\",\"id+NIk\":\"How many minutes the customer has to complete their order\",\"8k8Njd\":\"How many minutes the customer has to complete their order. We recommend at least 15 minutes\",\"ySxKZe\":\"How many times can this code be used?\",\"dZsDbK\":[\"HTML character limit exceeded: \",[\"htmlLength\"],\"/\",[\"maxLength\"]],\"fYyXCd\":\"https://example-maps-service.com/...\",\"uOXLV3\":\"I agree to the <0>terms and conditions\",\"sIxFk5\":\"I agree to the terms and conditions\",\"Crwwhn\":[\"If a new tab did not open, please <0>\",[\"0\"],\".\"],\"93DUnd\":[\"If a new tab did not open, please <0><1>\",[\"0\"],\".\"],\"9gtsTP\":\"If blank, the address will be used to generate a Google map link\",\"muXhGi\":\"If enabled, the organizer will receive an email notification when a new order is placed\",\"6fLyj/\":\"If you did not request this change, please immediately change your password.\",\"n/ZDCz\":\"Image deleted successfully\",\"Gyl1h8\":\"Image dimensions must be at least 600px by 300px\",\"TiGacZ\":\"Image dimensions must be at least 900px by 450px\",\"UnTvkH\":\"Image dimensions must be between 3000px by 2000px. With a max height of 2000px and max width of 3000px\",\"Mfbc2v\":\"Image dimensions must be between 4000px by 4000px. With a max height of 4000px and max width of 4000px\",\"uPEIvq\":\"Image must be less than 5MB\",\"AGZmwV\":\"Image uploaded successfully\",\"ibi52/\":\"Image width must be at least 900px and height at least 50px\",\"NoNwIX\":\"Inactive\",\"T0K0yl\":\"Inactive users cannot log in.\",\"OFAmKP\":\"Include connection details for your online event\",\"BfPBBG\":\"Include connection details for your online event. These details will be after successful registration.\",\"6+pAOx\":\"Include connection details for your online event. These details will be shown after successful registration.\",\"evpD4c\":\"Include connection details for your online event. These details will be shown on the order summary page and attendee ticket page\",\"FlQKnG\":\"Include tax and fees in the price\",\"AXTNr8\":[\"Includes \",[\"0\"],\" tickets\"],\"7/Rzoe\":\"Includes 1 ticket\",\"nbfdhU\":\"Integrations\",\"OyLdaz\":\"Invitation resent!\",\"HE6KcK\":\"Invitation revoked!\",\"SQKPvQ\":\"Invite User\",\"PgdQrx\":\"Issue refund\",\"KFXip/\":\"John\",\"XcgRvb\":\"Johnson\",\"1IWWYX\":[\"KittenTech Conference \",[\"0\"]],\"ZgJEMX\":\"KittenTech Conference Center\",\"87a/t/\":\"Label\",\"vXIe7J\":\"Language\",\"I3yitW\":\"Last login\",\"1ZaQUH\":\"Last name\",\"UXBCwc\":\"Last Name\",\"CKcupn\":\"Latest Orders\",\"tITjB1\":\"Learn more about Stripe\",\"c+gAXc\":\"Let's get started by creating your first event\",\"vR92Yn\":\"Let's get started by creating your first organizer\",\"QfrKvi\":\"Link color\",\"wJijgU\":\"Location\",\"sQia9P\":\"Log in\",\"zUDyah\":\"Logging in\",\"z0t9bb\":\"Login\",\"nOhz3x\":\"Logout\",\"F2jAFv\":\"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Nam placerat elementum...\",\"XkhEf9\":\"Lorem ipsum...\",\"MU3ijv\":\"Make this question mandatory\",\"wckWOP\":\"Manage\",\"8mmINh\":\"Manage billing information and view invoices\",\"jWIznR\":\"Manage default settings for new events\",\"n4SpU5\":\"Manage event\",\"wqyqaF\":\"Manage general account settings\",\"cQrNR3\":\"Manage Profile\",\"f92Qak\":\"Manage taxes and fees which can be applied to tickets\",\"PlTcVr\":\"Manage taxes and fees which can be applied to your tickets\",\"ophZVW\":\"Manage tickets\",\"Wsx7Iu\":\"Manage users and their permissions\",\"DdHfeW\":\"Manage your account details and default settings\",\"QHcjP+\":\"Manage your billing and payment details\",\"S+UjNL\":\"Manage your Stripe payment details\",\"BfucwY\":\"Manage your users and their permissions\",\"1m+YT2\":\"Mandatory questions must be answered before the customer can checkout.\",\"Dim4LO\":\"Manually add an Attendee\",\"e4KdjJ\":\"Manually Add Attendee\",\"lzcrX3\":\"Manually adding an attendee will adjust ticket quantity.\",\"g9dPPQ\":\"Maximum Per Order\",\"l5OcwO\":\"Message attendee\",\"Gv5AMu\":\"Message Attendees\",\"1jRD0v\":\"Message attendees with specific tickets\",\"Lvi+gV\":\"Message buyer\",\"tNZzFb\":\"Message Content\",\"lYDV/s\":\"Message individual attendees\",\"V7DYWd\":\"Message Sent\",\"t7TeQU\":\"Messages\",\"xFRMlO\":\"Minimum Per Order\",\"QYcUEf\":\"Minimum Price\",\"mYLhkl\":\"Miscellaneous Settings\",\"KYveV8\":\"Multi line text box\",\"SVuGaP\":\"Multiple price options, users can choose which to pay\",\"6wbTro\":\"Multiple price options. Perfect for early bird tickets etc.\",\"/bhMdO\":\"My amazing event description...\",\"vX8/tc\":\"My amazing event title...\",\"hKtWk2\":\"My Profile\",\"pRjx4L\":\"Nam placerat elementum...\",\"6YtxFj\":\"Name\",\"hVuv90\":\"Name should be less than 150 characters\",\"AIUkyF\":\"Navigate to Attendee\",\"qqeAJM\":\"Never\",\"7vhWI8\":\"New Password\",\"m920rF\":\"New York\",\"1UzENP\":\"No\",\"LNWHXb\":\"No archived events to show.\",\"Wjz5KP\":\"No Attendees to show\",\"Razen5\":\"No attendees will be able to check in before this date using this list\",\"XUfgCI\":\"No Capacity Assignments\",\"a/gMx2\":\"No Check-In Lists\",\"fFeCKc\":\"No Discount\",\"HFucK5\":\"No ended events to show.\",\"Z6ILSe\":\"No events for this organizer\",\"yAlJXG\":\"No events to show\",\"KPWxKD\":\"No messages to show\",\"J2LkP8\":\"No orders to show\",\"+Y976X\":\"No Promo Codes to show\",\"Ev2r9A\":\"No results\",\"RHyZUL\":\"No search results.\",\"cU1op4\":\"No Taxes or Fees have been added yet.\",\"RY2eP1\":\"No Taxes or Fees have been added.\",\"uR2eFu\":\"No tickets available\",\"b7JZFg\":\"No tickets to show\",\"EdQY6l\":\"None\",\"OJx3wK\":\"Not available\",\"x5+Lcz\":\"Not Checked In\",\"Scbrsn\":\"Not On Sale\",\"hFwWnI\":\"Notification Settings\",\"xXqEPO\":\"Notify buyer of refund\",\"YpN29s\":\"Notify organizer of new orders\",\"qeQhNj\":\"Now let's create your first event\",\"2NPDz1\":\"On sale\",\"Ldu/RI\":\"On Sale\",\"Ug4SfW\":\"Once you create an event, you'll see it here.\",\"+P/tII\":\"Once you're ready, set your event live and start selling tickets.\",\"J6n7sl\":\"Ongoing\",\"z+nuVJ\":\"Online event\",\"WKHW0N\":\"Online Event Details\",\"/xkmKX\":\"Only important emails, which are directly related to this event, should be sent using this form.\\nAny misuse, including sending promotional emails, will lead to an immediate account ban.\",\"Qqqrwa\":\"Open Check-In Page\",\"OdnLE4\":\"Open sidebar\",\"ZZEYpT\":[\"Option \",[\"i\"]],\"0zpgxV\":\"Options\",\"BzEFor\":\"or\",\"UYUgdb\":\"Order\",\"mm+eaX\":\"Order #\",\"B3gPuX\":\"Order Cancelled\",\"SIbded\":\"Order Completed\",\"q/CcwE\":\"Order Date\",\"Tol4BF\":\"Order Details\",\"L4kzeZ\":[\"Order Details \",[\"0\"]],\"WbImlQ\":\"Order has been canceled and the order owner has been notified.\",\"VCOi7U\":\"Order questions\",\"wg9MPp\":\"Order questions are asked once per order. By default, people are asked for their first name, last name, and email address.\",\"+KNVxX\":\"Order questions are asked once per order. By default, we ask for the first name, last name, and email address.\",\"TPoYsF\":\"Order Reference\",\"GX6dZv\":\"Order Summary\",\"tDTq0D\":\"Order timeout\",\"1h+RBg\":\"Orders\",\"mz+c33\":\"Orders Created\",\"G5RhpL\":\"Organizer\",\"m/ebSk\":\"Organizer Details\",\"mYygCM\":\"Organizer is required\",\"Pa6G7v\":\"Organizer Name\",\"J2cXxX\":\"Organizers can only manage events and tickets. They cannot manage users, account settings or billing information.\",\"fdjq4c\":\"Padding\",\"ErggF8\":\"Page background color\",\"8F1i42\":\"Page not found\",\"QbrUIo\":\"Page views\",\"6D8ePg\":\"page.\",\"IkGIz8\":\"paid\",\"2w/FiJ\":\"Paid Ticket\",\"8ZsakT\":\"Password\",\"TUJAyx\":\"Password must be a minimum of 8 characters\",\"vwGkYB\":\"Password must be at least 8 characters\",\"BLTZ42\":\"Password reset successfully. Please login with your new password.\",\"f7SUun\":\"Passwords are not the same\",\"aEDp5C\":\"Paste this where you want the widget to appear.\",\"+23bI/\":\"Patrick\",\"iAS9f2\":\"patrick@acme.com\",\"iq5IUr\":\"Pause Ticket\",\"621rYf\":\"Payment\",\"JhtZAK\":\"Payment Failed\",\"xgav5v\":\"Payment succeeded!\",\"CcK+Ft\":\"PDF\",\"att1Hj\":\"percent\",\"/roQKz\":\"Percentage\",\"vPJ1FI\":\"Percentage Amount\",\"xdA9ud\":\"Place this in the of your website.\",\"blK94r\":\"Please add at least one option\",\"FJ9Yat\":\"Please check the provided information is correct\",\"TkQVup\":\"Please check your email and password and try again\",\"sMiGXD\":\"Please check your email is valid\",\"Ajavq0\":\"Please check your email to confirm your email address\",\"MdfrBE\":\"Please complete the form below to accept your invitation\",\"b1Jvg+\":\"Please continue in the new tab\",\"q40YFl\":\"Please continue your order in the new tab\",\"cdR8d6\":\"Please create a ticket\",\"ZJG4Di\":\"Please ensure you only send emails directly related to the order. Promotional emails\\nshould not be sent using this form.\",\"o+HaYe\":\"Please enter a valid promo code\",\"HnNept\":\"Please enter your new password\",\"5FSIzj\":\"Please Note\",\"MA04r/\":\"Please remove filters and set sorting to \\\"Homepage order\\\" to enable sorting\",\"pJLvdS\":\"Please select\",\"yygcoG\":\"Please select at least one ticket\",\"igBrCH\":\"Please verify your email address to access all features\",\"MOERNx\":\"Portuguese\",\"R7+D0/\":\"Portuguese (Brazil)\",\"qCJyMx\":\"Post Checkout message\",\"g2UNkE\":\"Powered by\",\"Qs7yI0\":\"Powered By\",\"lqAWKB\":\"Powered by <0>Hi.Events 👋\",\"3n47kV\":\"Powered By Hi.Events\",\"ddi4j4\":\"Powered by Stripe\",\"Rs7IQv\":\"Pre Checkout message\",\"rdUucN\":\"Preview\",\"a7u1N9\":\"Price\",\"CmoB9j\":\"Price display mode\",\"Q8PWaJ\":\"Price tiers\",\"a5jvSX\":\"Price Tiers\",\"6RmHKN\":\"Primary Color\",\"G/ZwV1\":\"Primary Colour\",\"8cBtvm\":\"Primary Text Color\",\"BZz12Q\":\"Print\",\"MT7dxz\":\"Print All Tickets\",\"N0qXpE\":\"Products\",\"vERlcd\":\"Profile\",\"kUlL8W\":\"Profile updated successfully\",\"cl5WYc\":[\"Promo \",[\"promo_code\"],\" code applied\"],\"ZXpm3a\":[\"Promo \",[\"promoCode\"],\" code applied\"],\"yKWfjC\":\"Promo Code page\",\"RVb8Fo\":\"Promo Codes\",\"BZ9GWa\":\"Promo codes can be used to offer discounts, presale access, or provide special access to your event.\",\"4kyDD5\":\"Provide additional context or instructions for this question. Use this field to add terms\\nand conditions, guidelines, or any important information that attendees need to know before answering.\",\"812gwg\":\"Purchase License\",\"LkMOWF\":\"Quantity Available\",\"XKJuAX\":\"Question deleted\",\"avf0gk\":\"Question Description\",\"oQvMPn\":\"Question Title\",\"enzGAL\":\"Questions\",\"K885Eq\":\"Questions sorted successfully\",\"OMJ035\":\"Radio Option\",\"C4TjpG\":\"Read less\",\"I3QpvQ\":\"Recipient\",\"N2C89m\":\"Reference\",\"gxFu7d\":[\"Refund amount (\",[\"0\"],\")\"],\"n10yGu\":\"Refund order\",\"zPH6gp\":\"Refund Order\",\"/BI0y9\":\"Refunded\",\"fgLNSM\":\"Register\",\"tasfos\":\"remove\",\"t/YqKh\":\"Remove\",\"RloWNu\":\"Reply to email\",\"EGm34e\":\"Resend confirmation email\",\"lnrkNz\":\"Resend email confirmation\",\"wIa8Qe\":\"Resend invitation\",\"VeKsnD\":\"Resend order email\",\"dFuEhO\":\"Resend ticket email\",\"o6+Y6d\":\"Resending...\",\"RfwZxd\":\"Reset password\",\"KbS2K9\":\"Reset Password\",\"e99fHm\":\"Restore event\",\"vtc20Z\":\"Return to event page\",\"8YBH95\":\"Revenue\",\"PO/sOY\":\"Revoke invitation\",\"GDvlUT\":\"Role\",\"ELa4O9\":\"Sale End Date\",\"5uo5eP\":\"Sale ended\",\"Qm5XkZ\":\"Sale Start Date\",\"hVF4dJ\":\"Sale starts\",\"hBsw5C\":\"Sales ended\",\"kpAzPe\":\"Sales start\",\"P/wEOX\":\"San Francisco\",\"tfDRzk\":\"Save\",\"IUwGEM\":\"Save Changes\",\"U65fiW\":\"Save Organizer\",\"UGT5vp\":\"Save Settings\",\"ovB7m2\":\"Scan QR Code\",\"lBAlVv\":\"Seach by name, order #, attendee # or email...\",\"W4kWXJ\":\"Search by attendee name, email or order #...\",\"ulAuWO\":\"Search by event name or description...\",\"+pr/FY\":\"Search by event name...\",\"NQSiYb\":\"Search by name or description...\",\"3zRbWw\":\"Search by name, email, or order #...\",\"BiYOdA\":\"Search by name...\",\"B1bB1j\":\"Search by order #, name or email...\",\"KZpERn\":\"Search by product name...\",\"jA4hXE\":\"Search by subject or body...\",\"YEjitp\":\"Search by subject or content...\",\"HYnGee\":\"Search by ticket name...\",\"Pjsch9\":\"Search capacity assignments...\",\"r9M1hc\":\"Search check-in lists...\",\"YIix5Y\":\"Search...\",\"OeW+DS\":\"Secondary color\",\"DnXcDK\":\"Secondary Color\",\"cZF6em\":\"Secondary text color\",\"ZIgYeg\":\"Secondary Text Color\",\"QuNKRX\":\"Select Camera\",\"kWI/37\":\"Select organizer\",\"hAjDQy\":\"Select status\",\"QYARw/\":\"Select Ticket\",\"XH5juP\":\"Select Ticket Tier\",\"OMX4tH\":\"Select tickets\",\"nuWxSr\":\"Select Tickets\",\"O/7I0o\":\"Select...\",\"JlFcis\":\"Send\",\"qKWv5N\":[\"Send a copy to <0>\",[\"0\"],\"\"],\"RktTWf\":\"Send a message\",\"/mQ/tD\":\"Send as a test. This will send the message to your email address instead of the recipients.\",\"471O/e\":\"Send confirmation email\",\"M/WIer\":\"Send Message\",\"D7ZemV\":\"Send order confirmation and ticket email\",\"v1rRtW\":\"Send Test\",\"j1VfcT\":\"SEO Description\",\"/SIY6o\":\"SEO Keywords\",\"GfWoKv\":\"SEO Settings\",\"rXngLf\":\"SEO Title\",\"/jZOZa\":\"Service Fee\",\"vu4F0h\":\"Set a minimum price and let users donate more\",\"Bj/QGQ\":\"Set a minimum price and let users pay more if they choose\",\"nYNT+5\":\"Set up your event\",\"A8iqfq\":\"Set your event live\",\"Tz0i8g\":\"Settings\",\"Z8lGw6\":\"Share\",\"FFbYHm\":[\"Should this \",[\"type\"],\" be applied to all new tickets?\"],\"8vETh9\":\"Show\",\"smd87r\":\"Show available ticket quantity\",\"qDsmzu\":\"Show hidden questions\",\"fMPkxb\":\"Show more\",\"izwOOD\":\"Show tax and fees separately\",\"j3b+OW\":\"Shown to the customer after they checkout, on the order summary page\",\"YfHZv0\":\"Shown to the customer before they checkout\",\"CBBcly\":\"Shows common address fields, including country\",\"yTnnYg\":\"Simpson\",\"TNaCfq\":\"Single line text box\",\"+P0Cn2\":\"Skip this step\",\"YSEnLE\":\"Smith\",\"lgFfeO\":\"Sold out\",\"Mi1rVn\":\"Sold Out\",\"nwtY4N\":\"Something went wrong\",\"GRChTw\":\"Something went wrong while deleting the Tax or Fee\",\"YHFrbe\":\"Something went wrong! Please try again\",\"kf83Ld\":\"Something went wrong.\",\"fWsBTs\":\"Something went wrong. Please try again.\",\"F6YahU\":\"Sorry, something has gone wrong. Please restart the checkout process.\",\"KWgppI\":\"Sorry, something went wrong loading this page.\",\"/TCOIK\":\"Sorry, this order no longer exists.\",\"DvCwYF\":\"Sorry, this promo code is invalid'\",\"6a/UJE\":\"Sorry, this promo code is not recognized\",\"9rRZZ+\":\"Sorry, your order has expired. Please start a new order.\",\"a4SyEE\":\"Sorting is disabled while filters and sorting are applied\",\"65A04M\":\"Spanish\",\"4nG1lG\":\"Standard ticket with a fixed price\",\"D3iCkb\":\"Start Date\",\"RS0o7b\":\"State\",\"/2by1f\":\"State or Region\",\"uAQUqI\":\"Status\",\"UJmAAK\":\"Subject\",\"X2rrlw\":\"Subtotal\",\"b0HJ45\":[\"Success! \",[\"0\"],\" will receive an email shortly.\"],\"BJIEiF\":[\"Successfully \",[\"0\"],\" attendee\"],\"Ih8kN0\":[\"Successfully $\",[\"0\"],\" attendee\"],\"xHl17l\":[\"Successfully checked <0>\",[\"0\"],\" \",[\"1\"],\" \",[\"2\"]],\"OtgNFx\":\"Successfully confirmed email address\",\"IKwyaF\":\"Successfully confirmed email change\",\"zLmvhE\":\"Successfully created attendee\",\"9mZEgt\":\"Successfully Created Promo Code\",\"aIA9C4\":\"Successfully Created Question\",\"onFQYs\":\"Successfully Created Ticket\",\"Hgj/mB\":\"Successfully deleted ticket\",\"J3RJSZ\":\"Successfully updated attendee\",\"3suLF0\":\"Successfully updated Capacity Assignment\",\"Z+rnth\":\"Successfully updated Check-In List\",\"vzJenu\":\"Successfully Updated Email Settings\",\"7kOMfV\":\"Successfully Updated Event\",\"G0KW+e\":\"Successfully Updated Homepage Design\",\"k9m6/E\":\"Successfully Updated Homepage Settings\",\"y/NR6s\":\"Successfully Updated Location\",\"73nxDO\":\"Successfully Updated Misc Settings\",\"70dYC8\":\"Successfully Updated Promo Code\",\"F+pJnL\":\"Successfully Updated Seo Settings\",\"g2lRrH\":\"Successfully updated ticket\",\"DXZRk5\":\"Suite 100\",\"GNcfRk\":\"Support Email\",\"JpohL9\":\"Tax\",\"geUFpZ\":\"Tax & Fees\",\"0RXCDo\":\"Tax or Fee deleted successfully\",\"ZowkxF\":\"Taxes\",\"EEZnW+\":\"Taxes & Fees\",\"qu6/03\":\"Taxes and Fees\",\"gVjSFp\":\"Taxes and Fees can be associated with tickets and will be added to the ticket price.\",\"e0ZSh4\":\"Text Colour\",\"gypigA\":\"That promo code is invalid\",\"0ozSQu\":\"The background color for the event homepage\",\"LbHWgW\":\"The background color for the ticket widget on the event homepage\",\"75Xclv\":\"The basic details of your event\",\"5ShqeM\":\"The check-in list you are looking for does not exist.\",\"UNqHnV\":\"The color of the buttons on the event homepage\",\"0amhbL\":\"The color of the links on the event homepage\",\"QXlz+n\":\"The default currency for your events.\",\"mnafgQ\":\"The default timezone for your events.\",\"o7s5FA\":\"The language the attendee will receive emails in.\",\"NlfnUd\":\"The link you clicked is invalid.\",\"FqjKfd\":\"The location of your event\",\"kIXEVN\":[\"The maximum numbers number of tickets for \",[\"0\"],\"is \",[\"1\"]],\"FeAfXO\":[\"The maximum numbers number of tickets for Generals is \",[\"0\"]],\"POEqXB\":\"The organizer details of your event\",\"TSAiPM\":\"The page you are looking for does not exist\",\"MSmKHn\":\"The price displayed to the customer will include taxes and fees.\",\"6zQOg1\":\"The price displayed to the customer will not include taxes and fees. They will be shown separately\",\"ne/9Ur\":\"The styling settings you choose apply only to copied HTML and won't be stored.\",\"TJZByZ\":\"The tax and fee to apply to this ticket. You can create new taxes and fees on the\",\"OJYwh9\":\"The taxes and fees to apply to this ticket. You can create new taxes and fees on the\",\"6BpBfZ\":\"The text color for the event homepage\",\"rljHp7\":\"The text color for the ticket widget on the event homepage\",\"s4di40\":\"The text to display in the 'Continue' button. Defaults to 'Continue'\",\"esY5SG\":\"The title of the event that will be displayed in search engine results and when sharing on social media. By default, the event title will be used\",\"wgAiDb\":\"The user must login to change their email.\",\"jvxN9/\":\"There are no tickets available for this event\",\"rMcHYt\":\"There is a refund pending. Please wait for it to complete before requesting another refund.\",\"hjLUr+\":\"There was an error loading this content. Please refresh the page and try again.\",\"68Axnm\":\"There was an error processing your request. Please try again.\",\"mVKOW6\":\"There was an error sending your message\",\"Um/adz\":\"These allow multiple selections\",\"vWeHWp\":\"These colors are not saved in our system.\",\"7qzHGS\":\"These colors are not saved in our system. They are only used to generate the widget.\",\"xxv3BZ\":\"This check-in list has expired\",\"Sa7w7S\":\"This check-in list has expired and is no longer available for check-ins.\",\"Uicx2U\":\"This check-in list is active\",\"1k0Mp4\":\"This check-in list is not active yet\",\"K6fmBI\":\"This check-in list is not yet active and is not available for check-ins.\",\"t/ePFj\":\"This description will be shown to the check-in staff\",\"MLTkH7\":\"This email is not promotional and is directly related to the event.\",\"2eIpBM\":\"This event is not available at the moment. Please check back later.\",\"Z6LdQU\":\"This event is not available.\",\"CNk/ro\":\"This is an online event\",\"GabtCa\":\"This is the email address that will be used as the reply-to address for all emails sent from this event\",\"FwXnJd\":\"This list will no longer be available for check-ins after this date\",\"CKkb5E\":\"This message is how below the\",\"cHO4ec\":\"This message will be included in the footer of all emails sent from this event\",\"RjwlZt\":\"This order has already been paid.\",\"axERYu\":\"This order has already been paid. <0>View order details\",\"wY+HO9\":\"This order has already been processed.\",\"5K8REg\":\"This order has already been refunded.\",\"OiQMhP\":\"This order has been cancelled\",\"YyEJij\":\"This order has been cancelled.\",\"D44cEI\":\"This order has been completed.\",\"HILpDX\":\"This order is awaiting payment\",\"0vRWbB\":\"This order is awaiting payment.\",\"BdYtn9\":\"This order is complete\",\"e3uMJH\":\"This order is complete.\",\"YNKXOK\":\"This order is processing.\",\"LIjb4v\":\"This order is processing. TODO - a nice image and poll the API\",\"yPZN4i\":\"This order page is no longer available.\",\"5189cf\":\"This overrides all visibility settings and will hide the ticket from all customers.\",\"4vwjho\":\"This page has expired. <0>View order details\",\"Qt7RBu\":\"This question is only visible to the event organizer\",\"os29v1\":\"This reset password link is invalid or expired.\",\"WJqBqd\":\"This ticket cannot be deleted because it is\\nassociated with an order. You can hide it instead.\",\"ma6qdu\":\"This ticket is hidden from public view\",\"xJ8nzj\":\"This ticket is hidden unless targeted by a Promo Code\",\"IV9xTT\":\"This user is not active, as they have not accepted their invitation.\",\"5AnPaO\":\"ticket\",\"kjAL4v\":\"Ticket\",\"KosivG\":\"Ticket deleted successfully\",\"dtGC3q\":\"Ticket email has been resent to attendee\",\"USk+Mn\":\"Ticket page message\",\"mRM6XH\":\"Ticket Sales\",\"NirIiz\":\"Ticket Tier\",\"8jLPgH\":\"Ticket Type\",\"jqWDf9\":\"Ticket widget background color\",\"UrMVAz\":\"Ticket Widget Preview\",\"ngtDy7\":\"Ticket widget text color\",\"N+YYpo\":\"Ticket(s)\",\"6GQNLE\":\"Tickets\",\"54q0zp\":\"Tickets for\",\"ikA//P\":\"tickets sold\",\"i+idBz\":\"Tickets sold\",\"AGRilS\":\"Tickets Sold\",\"56Qw2C\":\"Tickets sorted successfully\",\"4f8A8M\":\"Tickets to which the promo code applies (Applies to all by default)\",\"xN9AhL\":[\"Tier \",[\"0\"]],\"oYaHuq\":\"Tiered Ticket\",\"XZrhpz\":\"Tiered Ticket - Coming Soon\",\"4M150e\":\"Tiered tickets allow you to offer multiple price options for the same ticket.\\nThis is perfect for early bird tickets, or offering different price\\noptions for different groups of people.\",\"jQoYTX\":\"Tiered tickets allow you to offer multiple price options for the same ticket. This is perfect for early bird tickets or offering different price options for different groups of people.\",\"s/0RpH\":\"Times used\",\"40Gx0U\":\"Timezone\",\"oDGm7V\":\"TIP\",\"MHrjPM\":\"Title\",\"xdA/+p\":\"Tools\",\"72c5Qo\":\"Total\",\"BxsfMK\":\"Total Fees\",\"mpB/d9\":\"Total order amount\",\"m3FM1g\":\"Total refunded\",\"GBBIy+\":\"Total remaining\",\"/SgoNA\":\"Total Tax\",\"+zy2Nq\":\"Type\",\"mLGbAS\":[\"Unable to \",[\"0\"],\" attendee\"],\"FMdMfZ\":\"Unable to check in attendee\",\"bPWBLL\":\"Unable to check out attendee\",\"/cSMqv\":\"Unable to create question. Please check the your details\",\"nNdxt9\":\"Unable to create ticket. Please check the your details\",\"MH/lj8\":\"Unable to update question. Please check the your details\",\"Mqy/Zy\":\"United States\",\"NIuIk1\":\"Unlimited\",\"/p9Fhq\":\"Unlimited available\",\"oMcLhS\":\"Unlimited ticket quantity available\",\"E0q9qH\":\"Unlimited usages allowed\",\"ia8YsC\":\"Upcoming\",\"TlEeFv\":\"Upcoming Events\",\"L/gNNk\":[\"Update \",[\"0\"]],\"+qqX74\":\"Update event name, description and dates\",\"vXPSuB\":\"Update profile\",\"gsehpV\":\"Upload an image to be displayed on the event page\",\"BNBfrU\":\"Upload Cover\",\"UtDm3q\":\"URL copied to clipboard\",\"e5lF64\":\"Usage Example\",\"sGEOe4\":\"Use a blurred version of the cover image as the background\",\"OadMRm\":\"Use cover image\",\"7PzzBU\":\"User\",\"yDOdwQ\":\"User Management\",\"Sxm8rQ\":\"Users\",\"VEsDvU\":\"Users can change their email in <0>Profile Settings\",\"vgwVkd\":\"UTC\",\"khBZkl\":\"VAT\",\"E/9LUk\":\"Venue Name\",\"AM+zF3\":\"View attendee\",\"e4mhwd\":\"View event homepage\",\"/5PEQz\":\"View event page\",\"fFornT\":\"View full message\",\"YIsEhQ\":\"View map\",\"Ep3VfY\":\"View on Google Maps\",\"AMkkeL\":\"View order\",\"Y8s4f6\":\"View order details\",\"QIWCnW\":\"VIP check-in list\",\"tF+VVr\":\"VIP Ticket\",\"2q/Q7x\":\"Visibility\",\"vmOFL/\":\"We could not process your payment. Please try again or contact support.\",\"1E0vyy\":\"We couldn't load the data. Please try again.\",\"VGioT0\":\"We recommend dimensions of 2160px by 1080px, and a maximum file size of 5MB\",\"b9UB/w\":\"We use Stripe to process payments. Connect your Stripe account to start receiving payments.\",\"01WH0a\":\"We were unable to confirm your payment. Please try again or contact support.\",\"Gspam9\":\"We're processing your order. Please wait...\",\"LuY52w\":\"Welcome aboard! Please login to continue.\",\"dVxpp5\":[\"Welcome back\",[\"0\"],\" 👋\"],\"NxOVCl\":[\"Welcome to Hi.Events, \",[\"0\"],\" 👋\"],\"wjqPqF\":\"What are Tiered Tickets?\",\"f1jUC0\":\"What date should this check-in list become active?\",\"5iXvHA\":\"What is a Tiered Ticketing?\",\"MhhnvW\":\"What tickets does this code apply to? (Applies to all by default)\",\"dCil3h\":\"What tickets should this question be apply to?\",\"Rb0XUE\":\"What time will you be arriving?\",\"5N4wLD\":\"What type of question is this?\",\"D7C6XV\":\"When should this check-in list expire?\",\"FVetkT\":\"Which tickets should be associated with this check-in list?\",\"S+OdxP\":\"Who is organizing this event?\",\"LINr2M\":\"Who is this message to?\",\"nWhye/\":\"Who should be asked this question?\",\"vVGiM4\":\"Who type of question is this?\",\"onLsWS\":\"Whoops! something went wrong. Please try again or contact support if the problem persists.\",\"AHXN2z\":\"Widget\",\"AU/8QR\":\"Widget Configuration\",\"VxFvXQ\":\"Widget Embed\",\"v1P7Gm\":\"Widget Settings\",\"b4itZn\":\"Working\",\"hqmXmc\":\"Working...\",\"l75CjT\":\"Yes\",\"QcwyCh\":\"Yes, remove them\",\"ySeBKv\":\"You already scanned this ticket\",\"P+Sty0\":[\"You are changing your email to <0>\",[\"0\"],\".\"],\"gGhBmF\":\"You are offline\",\"4ysd6z\":\"You can connecting using this Zoom link...\",\"9HGdDw\":\"You can create a promo code which targets this ticket on the\",\"KRhIxT\":\"You can now start receiving payments through Stripe.\",\"UqVaVO\":\"You cannot change the ticket type as there are attendees associated with this ticket.\",\"zQ8idk\":\"You cannot change the ticket type because there are already tickets sold for this ticket.\",\"3vRX5A\":\"You cannot delete this price tier because there are already tickets sold for this tier. You can hide it instead.\",\"RCC09s\":\"You cannot edit a default question\",\"tFbRKJ\":\"You cannot edit the role or status of the account owner.\",\"fHfiEo\":\"You cannot refund a manually created order.\",\"hK9c7R\":\"You created a hidden question but disabled the option to show hidden questions. It has been enabled.\",\"NOaWRX\":\"You do not have permission to access this page\",\"BRArmD\":\"You have access to multiple accounts. Please choose one to continue.\",\"Z6q0Vl\":\"You have already accepted this invitation. Please login to continue.\",\"rdk1xK\":\"You have connected your Stripe account\",\"ofEncr\":\"You have no attendee questions.\",\"XoeazJ\":\"You have no attendee questions. Attendee questions are asked once per attendee.\",\"CoZHDB\":\"You have no order questions.\",\"FZKDIe\":\"You have no order questions. Order questions are asked once per order.\",\"15qAvl\":\"You have no pending email change.\",\"n81Qk8\":\"You have not completed your Stripe Connect setup\",\"jxsiqJ\":\"You have not connected your Stripe account\",\"183zcL\":\"You have taxes and fees added to a Free Ticket. Would you like to remove or obscure them?\",\"2v5MI1\":\"You haven't sent any messages yet. You can send messages to all attendees, or to specific ticket holders.\",\"R6i9o9\":\"You must acknowledge that this email is not promotional\",\"3ZI8IL\":\"You must agree to the terms and conditions\",\"dMd3Uf\":\"You must confirm your email address before your event can go live.\",\"H35u3n\":\"You must create a ticket before you can manually add an attendee.\",\"jE4Z8R\":\"You must have at least one price tier\",\"LRguuL\":\"You must have at least one tier\",\"8/eLoa\":\"You need to verify your account before you can send messages.\",\"L/+xOk\":\"You'll need a ticket before you can create a check-in list.\",\"8QNzin\":\"You'll need at a ticket before you can create a capacity assignment.\",\"WHXRMI\":\"You'll need at least one ticket to get started. Free, paid or let the user decide what to pay.\",\"bdg03s\":\"Your account email in outgoing emails.\",\"ROR8QD\":\"Your account name is used on event pages and in emails.\",\"veessc\":\"Your attendees will appear here once they have registered for your event. You can also manually add attendees.\",\"Eh5Wrd\":\"Your awesome website 🎉\",\"lkMK2r\":\"Your Details\",\"3ENYTQ\":[\"Your email request change to <0>\",[\"0\"],\" is pending. Please check your email to confirm\"],\"yZfBoy\":\"Your message has been sent\",\"la26JS\":\"Your order is in progress\",\"7YJdgG\":\"Your orders will appear here once they start rolling in.\",\"9TO8nT\":\"Your password\",\"P8hBau\":\"Your payment is processing.\",\"UdY1lL\":\"Your payment was not successful, please try again.\",\"fzuM26\":\"Your payment was unsuccessful. Please try again.\",\"cJ4Y4R\":\"Your refund is processing.\",\"IFHV2p\":\"Your ticket for\",\"3k7HDY\":\"Zip\",\"BM/KQm\":\"Zip or Postal Code\",\"VftCuk\":\"Zoom link, Google Meet link, etc.\"}")}; \ No newline at end of file diff --git a/frontend/src/locales/en.po b/frontend/src/locales/en.po index 443c95f3..7890aaec 100644 --- a/frontend/src/locales/en.po +++ b/frontend/src/locales/en.po @@ -41,7 +41,7 @@ msgstr "{0} <0>checked in successfully" msgid "{0} <0>checked out successfully" msgstr "{0} <0>checked out successfully" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:298 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:305 msgid "{0} available" msgstr "{0} available" @@ -282,7 +282,7 @@ msgstr "Account" msgid "Account Name" msgstr "Account Name" -#: src/components/common/GlobalMenu/index.tsx:24 +#: src/components/common/GlobalMenu/index.tsx:32 #: src/components/routes/account/ManageAccount/index.tsx:19 msgid "Account Settings" msgstr "Account Settings" @@ -437,7 +437,7 @@ msgstr "Amazing, Event, Keywords..." #: src/components/common/OrdersTable/index.tsx:152 #: src/components/forms/TaxAndFeeForm/index.tsx:71 -#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:35 +#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:36 msgid "Amount" msgstr "Amount" @@ -493,7 +493,7 @@ msgstr "Any queries from ticket holders will be sent to this email address. This msgid "Appearance" msgstr "Appearance" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:367 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:377 msgid "applied" msgstr "applied" @@ -509,7 +509,7 @@ msgstr "Applies to 1 ticket" #~ msgid "Apply" #~ msgstr "Apply" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:395 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:405 msgid "Apply Promo Code" msgstr "Apply Promo Code" @@ -892,7 +892,7 @@ msgstr "City" msgid "Clear Search Text" msgstr "Clear Search Text" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:265 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:266 msgid "click here" msgstr "click here" @@ -1018,7 +1018,7 @@ msgstr "Content background color" #: src/components/common/WidgetEditor/index.tsx:31 #: src/components/common/WidgetEditor/index.tsx:217 #: src/components/layouts/Checkout/CheckoutFooter/index.tsx:36 -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:353 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:363 msgid "Continue" msgstr "Continue" @@ -1149,6 +1149,10 @@ msgstr "Create new" msgid "Create Organizer" msgstr "Create Organizer" +#: src/components/routes/event/products.tsx:50 +msgid "Create Product" +msgstr "Create Product" + #: src/components/modals/CreatePromoCodeModal/index.tsx:51 #: src/components/modals/CreatePromoCodeModal/index.tsx:56 msgid "Create Promo Code" @@ -1355,7 +1359,7 @@ msgstr "Discount in {0}" msgid "Discount Type" msgstr "Discount Type" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:274 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:275 msgid "Dismiss" msgstr "Dismiss" @@ -1811,7 +1815,7 @@ msgstr "Forgot password?" #: src/components/common/OrderSummary/index.tsx:99 #: src/components/common/TicketsTable/SortableTicket/index.tsx:88 #: src/components/common/TicketsTable/SortableTicket/index.tsx:102 -#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:51 +#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:52 msgid "Free" msgstr "Free" @@ -1872,7 +1876,7 @@ msgstr "Gross Sales" msgid "Guests" msgstr "Guests" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:362 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:372 msgid "Have a promo code?" msgstr "Have a promo code?" @@ -1927,7 +1931,7 @@ msgstr "Hidden questions are only visible to the event organizer and not to the #~ msgstr "Hidden will not be shown to customers." #: src/components/forms/TicketForm/index.tsx:289 -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:332 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:342 msgid "Hide" msgstr "Hide" @@ -2031,7 +2035,7 @@ msgstr "I agree to the <0>terms and conditions" #~ msgid "If a new tab did not open, please <0>{0}." #~ msgstr "If a new tab did not open, please <0>{0}." -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:261 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:262 msgid "If a new tab did not open, please <0><1>{0}." msgstr "If a new tab did not open, please <0><1>{0}." @@ -2225,7 +2229,7 @@ msgstr "Logging in" msgid "Login" msgstr "Login" -#: src/components/common/GlobalMenu/index.tsx:29 +#: src/components/common/GlobalMenu/index.tsx:47 msgid "Logout" msgstr "Logout" @@ -2390,7 +2394,7 @@ msgstr "My amazing event description..." msgid "My amazing event title..." msgstr "My amazing event title..." -#: src/components/common/GlobalMenu/index.tsx:19 +#: src/components/common/GlobalMenu/index.tsx:27 msgid "My Profile" msgstr "My Profile" @@ -2824,7 +2828,7 @@ msgstr "Please check your email to confirm your email address" msgid "Please complete the form below to accept your invitation" msgstr "Please complete the form below to accept your invitation" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:259 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:260 msgid "Please continue in the new tab" msgstr "Please continue in the new tab" @@ -2865,7 +2869,7 @@ msgstr "Please remove filters and set sorting to \"Homepage order\" to enable so msgid "Please select" msgstr "Please select" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:216 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:217 msgid "Please select at least one ticket" msgstr "Please select at least one ticket" @@ -2952,6 +2956,10 @@ msgstr "Print" msgid "Print All Tickets" msgstr "Print All Tickets" +#: src/components/routes/event/products.tsx:39 +msgid "Products" +msgstr "Products" + #: src/components/routes/profile/ManageProfile/index.tsx:106 msgid "Profile" msgstr "Profile" @@ -2960,7 +2968,7 @@ msgstr "Profile" msgid "Profile updated successfully" msgstr "Profile updated successfully" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:160 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:161 msgid "Promo {promo_code} code applied" msgstr "Promo {promo_code} code applied" @@ -3057,11 +3065,11 @@ msgstr "Refunded" msgid "Register" msgstr "Register" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:371 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:381 msgid "remove" msgstr "remove" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:372 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:382 msgid "Remove" msgstr "Remove" @@ -3218,6 +3226,10 @@ msgstr "Search by name..." #~ msgid "Search by order #, name or email..." #~ msgstr "Search by order #, name or email..." +#: src/components/routes/event/products.tsx:43 +msgid "Search by product name..." +msgstr "Search by product name..." + #: src/components/routes/event/messages.tsx:37 #~ msgid "Search by subject or body..." #~ msgstr "Search by subject or body..." @@ -3386,7 +3398,7 @@ msgstr "Show available ticket quantity" msgid "Show hidden questions" msgstr "Show hidden questions" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:332 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:342 msgid "Show more" msgstr "Show more" @@ -3470,7 +3482,7 @@ msgstr "Sorry, this order no longer exists." #~ msgid "Sorry, this promo code is invalid'" #~ msgstr "Sorry, this promo code is invalid'" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:225 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:226 msgid "Sorry, this promo code is not recognized" msgstr "Sorry, this promo code is not recognized" @@ -3669,8 +3681,8 @@ msgstr "Taxes and Fees" #~ msgid "Text Colour" #~ msgstr "Text Colour" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:120 -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:168 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:121 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:169 msgid "That promo code is invalid" msgstr "That promo code is invalid" @@ -3722,7 +3734,7 @@ msgstr "The link you clicked is invalid." #~ msgid "The location of your event" #~ msgstr "The location of your event" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:318 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:328 msgid "The maximum numbers number of tickets for {0}is {1}" msgstr "The maximum numbers number of tickets for {0}is {1}" @@ -3778,7 +3790,7 @@ msgstr "The title of the event that will be displayed in search engine results a #~ msgid "The user must login to change their email." #~ msgstr "The user must login to change their email." -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:249 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:250 msgid "There are no tickets available for this event" msgstr "There are no tickets available for this event" @@ -4146,7 +4158,7 @@ msgid "Unable to create question. Please check the your details" msgstr "Unable to create question. Please check the your details" #: src/components/modals/CreateTicketModal/index.tsx:64 -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:105 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:106 msgid "Unable to create ticket. Please check the your details" msgstr "Unable to create ticket. Please check the your details" @@ -4165,6 +4177,10 @@ msgstr "United States" msgid "Unlimited" msgstr "Unlimited" +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:300 +msgid "Unlimited available" +msgstr "Unlimited available" + #: src/components/common/TicketsTable/index.tsx:106 #~ msgid "Unlimited ticket quantity available" #~ msgstr "Unlimited ticket quantity available" diff --git a/frontend/src/locales/es.js b/frontend/src/locales/es.js index f7664354..05d4a90d 100644 --- a/frontend/src/locales/es.js +++ b/frontend/src/locales/es.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"1bpx9A\":\"...\",\"f8qS7T\":\"'No hay nada que mostrar todavía'\",\"4zldrf\":[[\"0\",\"plural\",{\"one\":[\"#\",\" hidden question\"],\"other\":[\"#\",\" hidden questions\"]}]],\"J/hVSQ\":[[\"0\"]],\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"Jv22kr\":[[\"0\"],\" <0>registrado con éxito\"],\"yxhYRZ\":[[\"0\"],\" <0>retirado con éxito\"],\"KMgp2+\":[[\"0\"],\" disponible\"],\"tmew5X\":[[\"0\"],\" registrado\"],\"Pmr5xp\":[[\"0\"],\" creado correctamente\"],\"FImCSc\":[[\"0\"],\" actualizado correctamente\"],\"KOr9b4\":[\"Eventos de \",[\"0\"]],\"qSiUsc\":[[\"0\"],[\"1\"]],\"cU8MWb\":[[\"0\"],\"/\",[\"1\"],\" registrado\"],\"Vjij1k\":[[\"days\"],\" días, \",[\"hours\"],\" horas, \",[\"minutes\"],\" minutos y \",[\"seconds\"],\" segundos\"],\"f3RdEk\":[[\"hours\"],\" horas, \",[\"minutes\"],\" minutos y \",[\"seconds\"],\" segundos\"],\"wapGcj\":[[\"message\"]],\"fyE7Au\":[[\"minutos\"],\" minutos y \",[\"segundos\"],\" segundos\"],\"NlQ0cx\":[\"El primer evento de \",[\"organizerName\"]],\"Ul6IgC\":\"<0>Las asignaciones de capacidad te permiten gestionar la capacidad en entradas o en todo un evento. Ideal para eventos de varios días, talleres y más, donde es crucial controlar la asistencia.<1>Por ejemplo, puedes asociar una asignación de capacidad con el ticket de <2>Día Uno y el de <3>Todos los Días. Una vez que se alcance la capacidad, ambos tickets dejarán automáticamente de estar disponibles para la venta.\",\"Exjbj7\":\"<0>Las listas de registro ayudan a gestionar la entrada de los asistentes a su evento. Puede asociar múltiples boletos con una lista de registro y asegurarse de que solo aquellos con boletos válidos puedan ingresar.\",\"OXku3b\":\"<0>https://tu-sitio-web.com\",\"qnSLLW\":\"<0>Por favor, introduce el precio sin incluir impuestos y tasas.<1>Los impuestos y tasas se pueden agregar a continuación.\",\"0940VN\":\"<0>El número de entradas disponibles para este ticket<1>Este valor puede ser anulado si hay <2>Límites de Capacidad asociados con este ticket.\",\"E15xs8\":\"⚡️ Configura tu evento\",\"FL6OwU\":\"✉️ Confirma tu dirección de correo electrónico\",\"y1NShf\":\"🎉 Congratulation on creating an event!\",\"BN0OQd\":\"🎉 ¡Felicitaciones por crear un evento!\",\"fAv9QG\":\"🎟️ Agregar entradas\",\"4WT5tD\":\"🎨 Personaliza la página de tu evento\",\"3VPPdS\":\"💳 Conéctate con Stripe\",\"s4Tgn6\":\"📢 Promote your event\",\"cjdktw\":\"🚀 Configura tu evento en vivo\",\"rmelwV\":\"0 minutos y 0 segundos\",\"UQ7pBY\":\"0.50 for $0.50\",\"i1+xzD\":\"1.75 for 1.75%\",\"i0puaE\":\"10.00\",\"W9+fkZ\":\"10001\",\"qdfdgM\":\"123 calle principal\",\"IoRZzD\":\"20\",\"+H1RMb\":\"2024-01-01 10:00\",\"Q/T49U\":\"2024-01-01 18:00\",\"hMT8+2\":\"94103\",\"efAM7X\":\"Un campo de fecha. Perfecto para pedir una fecha de nacimiento, etc.\",\"d9El7Q\":[\"Un \",[\"tipo\"],\" predeterminado se aplica automáticamente a todos los tickets nuevos. Puede anular esto por ticket.\"],\"SMUbbQ\":\"Una entrada desplegable permite solo una selección\",\"qv4bfj\":\"Una tarifa, como una tarifa de reserva o una tarifa de servicio\",\"Pgaiuj\":\"Una cantidad fija por billete. Por ejemplo, $0,50 por boleto\",\"f4vJgj\":\"Una entrada de texto de varias líneas\",\"ySO/4f\":\"Un porcentaje del precio del billete. Por ejemplo, el 3,5% del precio del billete.\",\"WXeXGB\":\"Se puede utilizar un código de promoción sin descuento para revelar entradas ocultas.\",\"GMhWB5\":\"A Radio option allows has multiple options but only one can be selected.\",\"CBt3s7\":\"A Radio Option allows only one selection\",\"AG/qmQ\":\"Una opción de Radio tiene múltiples opciones pero solo se puede seleccionar una.\",\"7g61G9\":\"A short description of Awesome Events Ltd.\",\"h179TP\":\"Una breve descripción del evento que se mostrará en los resultados del motor de búsqueda y al compartir en las redes sociales. De forma predeterminada, se utilizará la descripción del evento.\",\"WKMnh4\":\"Una entrada de texto de una sola línea\",\"zCk10D\":\"Una única pregunta por asistente. Por ejemplo, ¿cuál es tu comida preferida?\",\"ap3v36\":\"Una sola pregunta por pedido. Por ejemplo, ¿cuál es el nombre de su empresa?\",\"RlJmQg\":\"Un impuesto estándar, como el IVA o el GST\",\"pDwHGk\":\"About hi.events\",\"uIKNjo\":\"Sobre el evento\",\"bfXQ+N\":\"Aceptar la invitacion\",\"iwyhk4\":\"Access to the VIP area...\",\"AeXO77\":\"Cuenta\",\"0b79Xf\":\"Account Email\",\"lkNdiH\":\"Nombre de la cuenta\",\"Puv7+X\":\"Configuraciones de la cuenta\",\"OmylXO\":\"Cuenta actualizada exitosamente\",\"7L01XJ\":\"Comportamiento\",\"FQBaXG\":\"Activar\",\"5T2HxQ\":\"Fecha de activación\",\"F6pfE9\":\"Activo\",\"m16xKo\":\"Agregar\",\"LKNynS\":\"Add a cover image, description, and more to make your event stand out.\",\"/PN1DA\":\"Agregue una descripción para esta lista de registro\",\"PGPGsL\":\"Añadir descripción\",\"gMK0ps\":\"Agregue detalles del evento y administre la configuración del evento.\",\"Fb+SDI\":\"Añadir más entradas\",\"ApsD9J\":\"Agregar nuevo\",\"TZxnm8\":\"Agregar opción\",\"Cw27zP\":\"Agregar pregunta\",\"yWiPh+\":\"Agregar impuesto o tarifa\",\"BGD9Yt\":\"Agregar entradas\",\"goOKRY\":\"Agregar nivel\",\"p59pEv\":\"Additional Details\",\"Y8DIQy\":\"Opciones adicionales\",\"Du6bPw\":\"DIRECCIÓN\",\"NY/x1b\":\"Dirección Línea 1\",\"POdIrN\":\"Dirección Línea 1\",\"cormHa\":\"Línea de dirección 2\",\"gwk5gg\":\"Línea de dirección 2\",\"U3pytU\":\"Administración\",\"HLDaLi\":\"Los usuarios administradores tienen acceso completo a los eventos y la configuración de la cuenta.\",\"CPXP5Z\":\"Afiliados\",\"W7AfhC\":\"Todos los asistentes a este evento.\",\"QsYjci\":\"Todos los eventos\",\"/twVAS\":\"Todas las entradas\",\"ipYKgM\":\"Permitir la indexación en motores de búsqueda\",\"LRbt6D\":\"Permitir que los motores de búsqueda indexen este evento\",\"+MHcJD\":\"¡Casi llegamos! Estamos esperando que se procese su pago. Esto debería tomar sólo unos pocos segundos..\",\"8wYDMp\":\"Already have an account?\",\"ApOYO8\":\"Increíble, evento, palabras clave...\",\"hehnjM\":\"Cantidad\",\"TRYjHa\":[\"amount in \",[\"0\"]],\"R2O9Rg\":[\"Importe pagado (\",[\"0\"],\")\"],\"tLjOgo\":[\"Amount paid $\",[\"0\"]],\"V7MwOy\":\"Se produjo un error al cargar la página.\",\"Q7UCEH\":\"Se produjo un error al ordenar las preguntas. Inténtalo de nuevo o actualiza la página.\",\"er3d/4\":\"Se produjo un error al clasificar los boletos. Inténtalo de nuevo o actualiza la página.\",\"hhvESd\":\"An event is the actual event you are hosting\",\"jD/OCQ\":\"Un evento es el evento real que estás organizando. Puedes agregar más detalles más adelante.\",\"oBkF+i\":\"Un organizador es la empresa o persona que organiza el evento.\",\"W5A0Ly\":\"Ocurrió un error inesperado.\",\"byKna+\":\"Ocurrió un error inesperado. Inténtalo de nuevo.\",\"j4DliD\":\"Cualquier consulta de los poseedores de entradas se enviará a esta dirección de correo electrónico. Esta también se utilizará como dirección de \\\"respuesta\\\" para todos los correos electrónicos enviados desde este evento.\",\"aAIQg2\":\"Apariencia\",\"Ym1gnK\":\"aplicado\",\"epTbAK\":[\"Se aplica a \",[\"0\"],\" entradas\"],\"6MkQ2P\":\"Se aplica a 1 entrada\",\"DB8zMK\":\"Apply\",\"GctSSm\":\"Aplicar código promocional\",\"jcnZEw\":[\"Aplicar este \",[\"tipo\"],\" a todos los tickets nuevos\"],\"S0ctOE\":\"Archivar evento\",\"TdfEV7\":\"Archivado\",\"A6AtLP\":\"Eventos archivados\",\"q7TRd7\":\"¿Está seguro de que desea activar este asistente?\",\"TvkW9+\":\"¿Está seguro de que desea archivar este evento?\",\"/CV2x+\":\"¿Está seguro de que desea cancelar este asistente? Esto anulará su boleto.\",\"YgRSEE\":\"¿Estás seguro de que deseas eliminar este código de promoción?\",\"iU234U\":\"¿Estás seguro de que deseas eliminar esta pregunta?\",\"CMyVEK\":\"¿Estás seguro de que quieres hacer este borrador de evento? Esto hará que el evento sea invisible para el público.\",\"mEHQ8I\":\"¿Estás seguro de que quieres hacer público este evento? Esto hará que el evento sea visible para el público.\",\"s4JozW\":\"¿Está seguro de que desea restaurar este evento? Será restaurado como un evento borrador.\",\"vJuISq\":\"¿Estás seguro de que deseas eliminar esta Asignación de Capacidad?\",\"baHeCz\":\"¿Está seguro de que desea eliminar esta lista de registro?\",\"2xEpch\":\"Preguntar una vez por asistente\",\"LBLOqH\":\"Preguntar una vez por pedido\",\"ss9PbX\":\"Asistente\",\"m0CFV2\":\"Detalles de los asistentes\",\"lXcSD2\":\"Preguntas de los asistentes\",\"VvYqMB\":\"Attendee questions are asked once per attendee. By default, people are asked for their first name, last name, and email address.\",\"spxPEv\":\"Attendee questions are asked once per attendee. By default, we ask for the attendee's first name, last name, and email address.\",\"9SZT4E\":\"Asistentes\",\"5UbY+B\":\"Asistentes con entrada específica\",\"IMJ6rh\":\"Cambio de tamaño automático\",\"vZ5qKF\":\"Cambie automáticamente el tamaño de la altura del widget según el contenido. Cuando está deshabilitado, el widget ocupará la altura del contenedor.\",\"lXkUEV\":\"Availability\",\"ioG+xt\":\"En espera de pago\",\"3PmQfI\":\"Impresionante evento\",\"kNmmvE\":\"Awesome Events Ltd.\",\"Yrbm6T\":\"Impresionante organizador Ltd.\",\"9002sI\":\"Volver a todos los eventos\",\"0TGkYM\":\"Back to event homepage\",\"A302fe\":\"Volver a la página del evento\",\"VCoEm+\":\"Atrás para iniciar sesión\",\"MLZyiY\":\"Background color\",\"k1bLf+\":\"Color de fondo\",\"I7xjqg\":\"Tipo de fondo\",\"EOUool\":\"Detalles básicos\",\"7EGQKA\":\"Because you are the account owner, you cannot change your role or status.\",\"1mwMl+\":\"¡Antes de enviar!\",\"wVfiR2\":\"Before you're event can go live, there's a few thing to do.\",\"/yeZ20\":\"Antes de que su evento pueda comenzar, hay algunas cosas que debe hacer.\",\"1xAcxY\":\"Comience a vender boletos en minutos\",\"R+w/Va\":\"Billing\",\"rp/zaT\":\"Portugués brasileño\",\"Ptp9MF\":\"Button color\",\"whqocw\":\"Al registrarte, aceptas nuestras <0>Condiciones de servicio y nuestra <1>Política de privacidad.\",\"bcCn6r\":\"Tipo de cálculo\",\"+8bmSu\":\"California\",\"iStTQt\":\"Se negó el permiso de la cámara. <0>Solicita permiso nuevamente o, si esto no funciona, deberás <1>otorgar a esta página acceso a tu cámara en la configuración de tu navegador.\",\"Jzn1qy\":\"Can't load events\",\"dEgA5A\":\"Cancelar\",\"Gjt/py\":\"Cancelar cambio de correo electrónico\",\"tVJk4q\":\"Cancelar orden\",\"Os6n2a\":\"Cancelar orden\",\"Mz7Ygx\":[\"Cancelar pedido \",[\"0\"]],\"Ud7zwq\":\"La cancelación cancelará todos los boletos asociados con este pedido y los liberará nuevamente al grupo disponible.\",\"vv7kpg\":\"Cancelado\",\"QyjCeq\":\"Capacidad\",\"V6Q5RZ\":\"Asignación de Capacidad creada con éxito\",\"k5p8dz\":\"Asignación de Capacidad eliminada con éxito\",\"nDBs04\":\"Gestión de Capacidad\",\"77/YgG\":\"Cubierta de cambio\",\"GptGxg\":\"Cambiar la contraseña\",\"QndF4b\":\"registrarse\",\"xMDm+I\":\"Registrarse\",\"9FVFym\":\"verificar\",\"/Ta1d4\":\"Salir\",\"gXcPxc\":\"Registrarse\",\"Y3FYXy\":\"Registrarse\",\"fVUbUy\":\"Lista de registro creada con éxito\",\"+CeSxK\":\"Lista de registro eliminada con éxito\",\"+hBhWk\":\"La lista de registro ha expirado\",\"mBsBHq\":\"La lista de registro no está activa\",\"vPqpQG\":\"Lista de registro no encontrada\",\"tejfAy\":\"Listas de registro\",\"hD1ocH\":\"URL de registro copiada al portapapeles\",\"CNafaC\":\"Las opciones de casilla de verificación permiten múltiples selecciones\",\"SpabVf\":\"Casillas de verificación\",\"CRu4lK\":\"Registrado\",\"rfeicl\":\"Registrado con éxito\",\"/ydvvl\":\"Checkout Messaging\",\"1WnhCL\":\"Configuración de pago\",\"h1IXFK\":\"Chino\",\"6imsQS\":\"Chino simplificado\",\"JjkX4+\":\"Elige un color para tu fondo\",\"/Jizh9\":\"elige una cuenta\",\"jJGoVv\":\"Choose what notifications you want to receive\",\"3wV73y\":\"Ciudad\",\"FG98gC\":\"Borrar texto de búsqueda\",\"EYeuMv\":\"haga clic aquí\",\"sby+1/\":\"Haga clic para copiar\",\"yz7wBu\":\"Cerca\",\"62Ciis\":\"Cerrar barra lateral\",\"EWPtMO\":\"Código\",\"ercTDX\":\"El código debe tener entre 3 y 50 caracteres.\",\"jZlrte\":\"Color\",\"Vd+LC3\":\"El color debe ser un código de color hexadecimal válido. Ejemplo: #ffffff\",\"1HfW/F\":\"Colores\",\"VZeG/A\":\"Muy pronto\",\"yPI7n9\":\"Palabras clave separadas por comas que describen el evento. Estos serán utilizados por los motores de búsqueda para ayudar a categorizar e indexar el evento.\",\"NPZqBL\":\"Orden completa\",\"guBeyC\":\"El pago completo\",\"C8HNV2\":\"El pago completo\",\"qqWcBV\":\"Terminado\",\"DwF9eH\":\"Código de componente\",\"7VpPHA\":\"Confirmar\",\"ZaEJZM\":\"Confirmar cambio de correo electrónico\",\"yjkELF\":\"Confirmar nueva contraseña\",\"xnWESi\":\"Confirmar Contraseña\",\"p2/GCq\":\"confirmar Contraseña\",\"wnDgGj\":\"Confirmando dirección de correo electrónico...\",\"DnLC08\":\"Congratulation on creating an event!\",\"pbAk7a\":\"Conectar raya\",\"UMGQOh\":\"Conéctate con Stripe\",\"QKLP1W\":\"Conecte su cuenta Stripe para comenzar a recibir pagos.\",\"5lcVkL\":\"Detalles de conexión\",\"i3p844\":\"Contact email\",\"yAej59\":\"Color de fondo del contenido\",\"xGVfLh\":\"Continuar\",\"X++RMT\":\"Texto del botón Continuar\",\"AfNRFG\":\"Texto del botón Continuar\",\"lIbwvN\":\"Continuar configuración del evento\",\"HB22j9\":\"Continuar configurando\",\"bZEa4H\":\"Continuar con la configuración de Stripe Connect\",\"RGVUUI\":\"Continuar con el pago\",\"6V3Ea3\":\"copiado\",\"T5rdis\":\"Copiado al portapapeles\",\"he3ygx\":\"Copiar\",\"r2B2P8\":\"Copiar URL de registro\",\"8+cOrS\":\"Copiar detalles a todos los asistentes.\",\"ENCIQz\":\"Copiar link\",\"E6nRW7\":\"Copiar URL\",\"JNCzPW\":\"País\",\"IF7RiR\":\"Cubrir\",\"P0rbCt\":\"Cover Image\",\"hYgDIe\":\"Create\",\"b9XOHo\":[\"Crear \",[\"0\"]],\"6kdXbW\":\"Crear un código promocional\",\"n5pRtF\":\"Crear un boleto\",\"X6sRve\":[\"Cree una cuenta o <0>\",[\"0\"],\" para comenzar\"],\"nx+rqg\":\"crear un organizador\",\"ipP6Ue\":\"Crear asistente\",\"VwdqVy\":\"Crear Asignación de Capacidad\",\"WVbTwK\":\"Crear lista de registro\",\"uN355O\":\"Crear evento\",\"BOqY23\":\"Crear nuevo\",\"kpJAeS\":\"Crear organizador\",\"sYpiZP\":\"Crear código promocional\",\"a6YrKg\":\"Create promo codes\",\"n6H6AO\":\"Create promo codes to offer discounts to your attendees.\",\"B3Mkdt\":\"Crear pregunta\",\"UKfi21\":\"Crear impuesto o tarifa\",\"Tg323g\":\"Crear Ticket\",\"agZ87r\":\"Crea entradas para tu evento, establece precios y gestiona la cantidad disponible.\",\"d+F6q9\":\"Creado\",\"Q2lUR2\":\"Divisa\",\"DCKkhU\":\"Contraseña actual\",\"uIElGP\":\"URL de mapas personalizados\",\"876pfE\":\"Cliente\",\"QOg2Sf\":\"Personalice la configuración de correo electrónico y notificaciones para este evento\",\"Lu75d1\":\"Customize the email settings for this event\",\"RaxMyF\":\"Customize the event homepage and checkout experience\",\"Y9Z/vP\":\"Personaliza la página de inicio del evento y los mensajes de pago\",\"2E2O5H\":\"Personaliza las configuraciones diversas para este evento.\",\"iJhSxe\":\"Personaliza la configuración de SEO para este evento\",\"KIhhpi\":\"Personaliza la página de tu evento\",\"nrGWUv\":\"Personalice la página de su evento para que coincida con su marca y estilo.\",\"Zz6Cxn\":\"Zona peligrosa\",\"ZQKLI1\":\"Zona de Peligro\",\"7p5kLi\":\"Panel\",\"mYGY3B\":\"Fecha\",\"JvUngl\":\"Fecha y hora\",\"JJhRbH\":\"Capacidad del primer día\",\"PqrqgF\":\"Lista de registro del primer día\",\"RiXc4g\":\"Deactivate user\",\"cnGeoo\":\"Borrar\",\"jRJZxD\":\"Eliminar Capacidad\",\"Qrc8RZ\":\"Eliminar lista de registro\",\"WHf154\":\"Eliminar código\",\"heJllm\":\"Eliminar portada\",\"KWa0gi\":\"Eliminar Imagen\",\"IatsLx\":\"Eliminar pregunta\",\"GnyEfA\":\"Eliminar billete\",\"E33LRn\":\"Delete user\",\"Nu4oKW\":\"Descripción\",\"YC3oXa\":\"Descripción para el personal de registro\",\"s9iD5d\":\"Description should be less than 50,000 characters\",\"URmyfc\":\"Detalles\",\"x8uDKb\":\"Disable code\",\"Tgg8XQ\":\"Desactiva esta capacidad para rastrear la capacidad sin detener la venta de entradas\",\"H6Ma8Z\":\"Descuento\",\"ypJ62C\":\"Descuento %\",\"3LtiBI\":[\"Descuento en \",[\"0\"]],\"C8JLas\":\"Tipo de descuento\",\"1QfxQT\":\"Despedir\",\"cVq+ga\":\"¿No tienes una cuenta? <0>Registrarse\",\"4+aC/x\":\"Donación / Pague la entrada que desee\",\"++S5i/\":\"Donation amount\",\"OO7MG7\":\"Donation Ticket\",\"0pEVi2\":\"Download Tickets PDF\",\"uABpqP\":\"Arrastra y suelta o haz clic\",\"3z2ium\":\"Arrastra para ordenar\",\"6skwyH\":\"Drop an image, or click here to replace the Cover Image\",\"S37RRV\":\"Drop an image, or click here to upload the Cover Image\",\"CfKofC\":\"Selección desplegable\",\"JzLDvy\":\"Duplicar asignaciones de capacidad\",\"ulMxl+\":\"Duplicar listas de registro\",\"vi8Q/5\":\"Duplicar evento\",\"3ogkAk\":\"Duplicar evento\",\"Yu6m6X\":\"Duplicar la imagen de portada del evento\",\"+fA4C7\":\"Duplicar opciones\",\"57ALrd\":\"Duplicar códigos promocionales\",\"83Hu4O\":\"Duplicar preguntas\",\"20144c\":\"Duplicar configuraciones\",\"Wt9eV8\":\"Duplicar boletos\",\"7Cx5It\":\"Madrugador\",\"ePK91l\":\"Editar\",\"N6j2JH\":[\"Editar \",[\"0\"]],\"kNGp1D\":\"Editar asistente\",\"t2bbp8\":\"Editar asistente\",\"kBkYSa\":\"Editar Capacidad\",\"oHE9JT\":\"Editar Asignación de Capacidad\",\"FU1gvP\":\"Editar lista de registro\",\"iFgaVN\":\"Editar código\",\"jrBSO1\":\"Editar organizador\",\"9BdS63\":\"Editar código promocional\",\"O0CE67\":\"Editar pregunta\",\"EzwCw7\":\"Editar pregunta\",\"d+nnyk\":\"Editar ticket\",\"poTr35\":\"Editar usuario\",\"GTOcxw\":\"editar usuario\",\"pqFrv2\":\"p.ej. 2,50 por $2,50\",\"3yiej1\":\"p.ej. 23,5 para 23,5%\",\"O3oNi5\":\"Correo electrónico\",\"VxYKoK\":\"Configuración de correo electrónico y notificaciones\",\"ATGYL1\":\"Dirección de correo electrónico\",\"hzKQCy\":\"Dirección de correo electrónico\",\"HqP6Qf\":\"Cambio de correo electrónico cancelado exitosamente\",\"mISwW1\":\"Cambio de correo electrónico pendiente\",\"WiKda6\":\"Email Configuration\",\"APuxIE\":\"Confirmación por correo electrónico reenviada\",\"YaCgdO\":\"La confirmación por correo electrónico se reenvió correctamente\",\"jyt+cx\":\"Mensaje de pie de página de correo electrónico\",\"I6F3cp\":\"Correo electrónico no verificado\",\"G5zNMX\":\"Email Settings\",\"NTZ/NX\":\"Código de inserción\",\"4rnJq4\":\"Insertar secuencia de comandos\",\"nA31FG\":\"Activa esta capacidad para detener la venta de entradas cuando se alcance el límite\",\"VFv2ZC\":\"Fecha final\",\"237hSL\":\"Terminado\",\"nt4UkP\":\"Eventos finalizados\",\"lYGfRP\":\"Inglés\",\"MhVoma\":\"Ingrese un monto sin incluir impuestos ni tarifas.\",\"3Z223G\":\"Error al confirmar la dirección de correo electrónico\",\"a6gga1\":\"Error al confirmar el cambio de correo electrónico\",\"5/63nR\":\"EUR\",\"0pC/y6\":\"Evento\",\"nuoP/j\":\"Event created successfully\",\"CFLUfD\":\"Evento creado exitosamente 🎉\",\"0Zptey\":\"Valores predeterminados de eventos\",\"6fuA9p\":\"Evento duplicado con éxito\",\"Xe3XMd\":\"El evento no es visible para el público.\",\"4pKXJS\":\"El evento es visible para el público.\",\"ClwUUD\":\"Ubicación del evento y detalles del lugar\",\"OopDbA\":\"Página del evento\",\"JyD0LH\":\"Event Settings\",\"4/If97\":\"Error al actualizar el estado del evento. Por favor, inténtelo de nuevo más tarde\",\"btxLWj\":\"Estado del evento actualizado\",\"tst44n\":\"Eventos\",\"sZg7s1\":\"Fecha de vencimiento\",\"KnN1Tu\":\"Vence\",\"uaSvqt\":\"Fecha de caducidad\",\"GS+Mus\":\"Exportar\",\"9xAp/j\":\"No se pudo cancelar el asistente\",\"ZpieFv\":\"No se pudo cancelar el pedido\",\"z6tdjE\":\"No se pudo eliminar el mensaje. Inténtalo de nuevo.\",\"9zSt4h\":\"No se pudieron exportar los asistentes. Inténtalo de nuevo.\",\"2uGNuE\":\"No se pudieron exportar los pedidos. Inténtalo de nuevo.\",\"d+KKMz\":\"No se pudo cargar la lista de registro\",\"ZQ15eN\":\"No se pudo reenviar el correo electrónico del ticket\",\"PLUB/s\":\"Tarifa\",\"YirHq7\":\"Comentario\",\"/mfICu\":\"Honorarios\",\"V1EGGU\":\"Nombre de pila\",\"kODvZJ\":\"Nombre de pila\",\"S+tm06\":\"El nombre debe tener entre 1 y 50 caracteres.\",\"1g0dC4\":\"Nombre, apellido y dirección de correo electrónico son preguntas predeterminadas y siempre se incluyen en el proceso de pago.\",\"QWa3Sk\":\"First Name, Last Name, and Email Address are default questions that are always included in the checkout process.\",\"TpqW74\":\"Fijado\",\"irpUxR\":\"Cantidad fija\",\"TF9opW\":\"Flash no está disponible en este dispositivo\",\"UNMVei\":\"¿Has olvidado tu contraseña?\",\"2POOFK\":\"Gratis\",\"/4rQr+\":\"Boleto gratis\",\"01my8x\":\"Entrada gratuita, no se requiere información de pago.\",\"nLC6tu\":\"Francés\",\"ejVYRQ\":\"From\",\"DDcvSo\":\"Alemán\",\"u6FPxT\":\"Get Tickets\",\"4GLxhy\":\"Empezando\",\"4D3rRj\":\"volver al perfil\",\"cQPKZt\":\"Go to Dashboard\",\"9LCqFI\":\"Ir a la página de inicio del evento\",\"RUz8o/\":\"ventas brutas\",\"IgcAGN\":\"Ventas brutas\",\"yRg26W\":\"Ventas brutas\",\"R4r4XO\":\"Huéspedes\",\"26pGvx\":\"¿Tienes un código de promoción?\",\"V7yhws\":\"hola@awesome-events.com\",\"GNJ1kd\":\"Ayuda y Soporte\",\"6K/IHl\":\"A continuación se muestra un ejemplo de cómo puede utilizar el componente en su aplicación.\",\"Y1SSqh\":\"Aquí está el componente React que puede usar para incrustar el widget en su aplicación.\",\"Ow9Hz5\":[\"Hola.Eventos Conferencia \",[\"0\"]],\"verBst\":\"Centro de conferencias Hi.Events\",\"6eMEQO\":\"hola.eventos logo\",\"C4qOW8\":\"Oculto de la vista del público\",\"gt3Xw9\":\"pregunta oculta\",\"g3rqFe\":\"preguntas ocultas\",\"k3dfFD\":\"Las preguntas ocultas sólo son visibles para el organizador del evento y no para el cliente.\",\"EeNE0j\":\"Hidden will not be shown to customers.\",\"vLyv1R\":\"Esconder\",\"Mkkvfd\":\"Ocultar página de inicio\",\"mFn5Xz\":\"Ocultar preguntas ocultas\",\"SCimta\":\"Ocultar la página de inicio de la barra lateral\",\"Da29Y6\":\"Ocultar esta pregunta\",\"fsi6fC\":\"Ocultar este ticket a los clientes\",\"fvDQhr\":\"Ocultar este nivel a los usuarios\",\"Fhzoa8\":\"Ocultar boleto después de la fecha de finalización de la venta\",\"yhm3J/\":\"Ocultar boleto antes de la fecha de inicio de venta\",\"k7/oGT\":\"Ocultar ticket a menos que el usuario tenga un código de promoción aplicable\",\"L0ZOiu\":\"Ocultar entrada cuando esté agotada\",\"uno73L\":\"Ocultar una entrada evitará que los usuarios la vean en la página del evento.\",\"tj6Gob\":\"Homepage & Checkout\",\"m07jN3\":\"Homepage & Checkout Settings\",\"ZOBwQn\":\"Diseño de página de inicio\",\"PRuBTd\":\"Diseñador de página de inicio\",\"YjVNGZ\":\"Vista previa de la página de inicio\",\"c3E/kw\":\"Homero\",\"id+NIk\":\"How many minutes the customer has to complete their order\",\"8k8Njd\":\"Cuántos minutos tiene el cliente para completar su pedido. Recomendamos al menos 15 minutos.\",\"ySxKZe\":\"¿Cuántas veces se puede utilizar este código?\",\"dZsDbK\":[\"Límite de caracteres HTML excedido: \",[\"htmlLength\"],\"/\",[\"maxLength\"]],\"fYyXCd\":\"https://example-maps-service.com/...\",\"uOXLV3\":\"Acepto los <0>términos y condiciones\",\"sIxFk5\":\"I agree to the terms and conditions\",\"Crwwhn\":[\"If a new tab did not open, please <0>\",[\"0\"],\".\"],\"93DUnd\":[\"Si no se abrió una nueva pestaña, <0><1>\",[\"0\"],\".\"],\"9gtsTP\":\"Si está en blanco, la dirección se utilizará para generar un enlace al mapa de Google.\",\"muXhGi\":\"Si está habilitado, el organizador recibirá una notificación por correo electrónico cuando se realice un nuevo pedido.\",\"6fLyj/\":\"Si no solicitó este cambio, cambie inmediatamente su contraseña.\",\"n/ZDCz\":\"Imagen eliminada exitosamente\",\"Gyl1h8\":\"Image dimensions must be at least 600px by 300px\",\"TiGacZ\":\"Image dimensions must be at least 900px by 450px\",\"UnTvkH\":\"Las dimensiones de la imagen deben estar entre 3000 px por 2000 px. Con una altura máxima de 2000 px y un ancho máximo de 3000 px\",\"Mfbc2v\":\"Las dimensiones de la imagen deben estar entre 4000px por 4000px. Con una altura máxima de 4000px y un ancho máximo de 4000px\",\"uPEIvq\":\"La imagen debe tener menos de 5 MB.\",\"AGZmwV\":\"Imagen cargada exitosamente\",\"ibi52/\":\"El ancho de la imagen debe ser de al menos 900 px y la altura de al menos 50 px.\",\"NoNwIX\":\"Inactivo\",\"T0K0yl\":\"Los usuarios inactivos no pueden iniciar sesión.\",\"OFAmKP\":\"Include connection details for your online event\",\"BfPBBG\":\"Include connection details for your online event. These details will be after successful registration.\",\"6+pAOx\":\"Include connection details for your online event. These details will be shown after successful registration.\",\"evpD4c\":\"Incluya detalles de conexión para su evento en línea. Estos detalles se mostrarán en la página de resumen del pedido y en la página de boletos de asistente.\",\"FlQKnG\":\"Incluye impuestos y tasas en el precio.\",\"AXTNr8\":[\"Incluye \",[\"0\"],\" boletos\"],\"7/Rzoe\":\"Incluye 1 boleto\",\"nbfdhU\":\"Integraciones\",\"OyLdaz\":\"¡Invitación resentida!\",\"HE6KcK\":\"¡Invitación revocada!\",\"SQKPvQ\":\"Invitar usuario\",\"PgdQrx\":\"Reembolso de emisión\",\"KFXip/\":\"John\",\"XcgRvb\":\"Johnson\",\"1IWWYX\":[\"KittenTech Conference \",[\"0\"]],\"ZgJEMX\":\"KittenTech Conference Center\",\"87a/t/\":\"Etiqueta\",\"vXIe7J\":\"Idioma\",\"I3yitW\":\"Último acceso\",\"1ZaQUH\":\"Apellido\",\"UXBCwc\":\"Apellido\",\"CKcupn\":\"Latest Orders\",\"tITjB1\":\"Más información sobre la raya\",\"c+gAXc\":\"Let's get started by creating your first event\",\"vR92Yn\":\"Comencemos creando tu primer organizador.\",\"QfrKvi\":\"Link color\",\"wJijgU\":\"Ubicación\",\"sQia9P\":\"Acceso\",\"zUDyah\":\"Iniciando sesión\",\"z0t9bb\":\"Acceso\",\"nOhz3x\":\"Cerrar sesión\",\"F2jAFv\":\"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Nam placerat elementum...\",\"XkhEf9\":\"Lorem ipsum...\",\"MU3ijv\":\"Haz que esta pregunta sea obligatoria\",\"wckWOP\":\"Administrar\",\"8mmINh\":\"Manage billing information and view invoices\",\"jWIznR\":\"Manage default settings for new events\",\"n4SpU5\":\"Administrar evento\",\"wqyqaF\":\"Manage general account settings\",\"cQrNR3\":\"Administrar perfil\",\"f92Qak\":\"Manage taxes and fees which can be applied to tickets\",\"PlTcVr\":\"Gestiona los impuestos y tasas que se pueden aplicar a tus billetes\",\"ophZVW\":\"Gestionar entradas\",\"Wsx7Iu\":\"Manage users and their permissions\",\"DdHfeW\":\"Administre los detalles de su cuenta y la configuración predeterminada\",\"QHcjP+\":\"Manage your billing and payment details\",\"S+UjNL\":\"Gestiona tus datos de pago de Stripe\",\"BfucwY\":\"Gestiona tus usuarios y sus permisos\",\"1m+YT2\":\"Las preguntas obligatorias deben responderse antes de que el cliente pueda realizar el pago.\",\"Dim4LO\":\"Agregar manualmente un asistente\",\"e4KdjJ\":\"Agregar asistente manualmente\",\"lzcrX3\":\"Agregar manualmente un asistente ajustará la cantidad de entradas.\",\"g9dPPQ\":\"Máximo por pedido\",\"l5OcwO\":\"Asistente del mensaje\",\"Gv5AMu\":\"Mensaje a los asistentes\",\"1jRD0v\":\"Enviar mensajes a los asistentes con entradas específicas\",\"Lvi+gV\":\"Mensaje del comprador\",\"tNZzFb\":\"Contenido del mensaje\",\"lYDV/s\":\"Enviar mensajes a asistentes individuales\",\"V7DYWd\":\"Mensaje enviado\",\"t7TeQU\":\"Mensajes\",\"xFRMlO\":\"Mínimo por pedido\",\"QYcUEf\":\"Precio mínimo\",\"mYLhkl\":\"Otras configuraciones\",\"KYveV8\":\"Cuadro de texto de varias líneas\",\"SVuGaP\":\"Multiple price options, users can choose which to pay\",\"6wbTro\":\"Múltiples opciones de precios. Perfecto para entradas anticipadas, etc.\",\"/bhMdO\":\"Mi increíble descripción del evento...\",\"vX8/tc\":\"El increíble título de mi evento...\",\"hKtWk2\":\"Mi perfil\",\"pRjx4L\":\"Nam placerat elementum...\",\"6YtxFj\":\"Nombre\",\"hVuv90\":\"El nombre debe tener menos de 150 caracteres.\",\"AIUkyF\":\"Navegar al asistente\",\"qqeAJM\":\"Nunca\",\"7vhWI8\":\"Nueva contraseña\",\"m920rF\":\"New York\",\"1UzENP\":\"No\",\"LNWHXb\":\"No hay eventos archivados para mostrar.\",\"Wjz5KP\":\"No hay asistentes para mostrar\",\"Razen5\":\"Ningún asistente podrá registrarse antes de esta fecha usando esta lista\",\"XUfgCI\":\"No hay Asignaciones de Capacidad\",\"a/gMx2\":\"No hay listas de registro\",\"fFeCKc\":\"Sin descuento\",\"HFucK5\":\"No hay eventos finalizados para mostrar.\",\"Z6ILSe\":\"No hay eventos para este organizador\",\"yAlJXG\":\"No hay eventos para mostrar\",\"KPWxKD\":\"No hay mensajes para mostrar\",\"J2LkP8\":\"No hay pedidos para mostrar\",\"+Y976X\":\"No hay códigos promocionales para mostrar\",\"Ev2r9A\":\"No hay resultados\",\"RHyZUL\":\"Sin resultados de búsqueda.\",\"cU1op4\":\"No Taxes or Fees have been added yet.\",\"RY2eP1\":\"No se han agregado impuestos ni tarifas.\",\"uR2eFu\":\"No tickets available\",\"b7JZFg\":\"No hay entradas para mostrar\",\"EdQY6l\":\"Ninguno\",\"OJx3wK\":\"No disponible\",\"x5+Lcz\":\"No registrado\",\"Scbrsn\":\"No a la venta\",\"hFwWnI\":\"Configuración de las notificaciones\",\"xXqEPO\":\"Notificar al comprador del reembolso\",\"YpN29s\":\"Notificar al organizador de nuevos pedidos\",\"qeQhNj\":\"Ahora creemos tu primer evento.\",\"2NPDz1\":\"En venta\",\"Ldu/RI\":\"En venta\",\"Ug4SfW\":\"Una vez que crees un evento, lo verás aquí.\",\"+P/tII\":\"Una vez que esté listo, configure su evento en vivo y comience a vender entradas.\",\"J6n7sl\":\"En curso\",\"z+nuVJ\":\"evento en línea\",\"WKHW0N\":\"Detalles del evento en línea\",\"/xkmKX\":\"Sólo los correos electrónicos importantes que estén directamente relacionados con este evento deben enviarse mediante este formulario.\\nCualquier uso indebido, incluido el envío de correos electrónicos promocionales, dará lugar a la prohibición inmediata de la cuenta.\",\"Qqqrwa\":\"Abrir la página de registro\",\"OdnLE4\":\"Abrir barra lateral\",\"ZZEYpT\":[\"Opción \",[\"i\"]],\"0zpgxV\":\"Opciones\",\"BzEFor\":\"o\",\"UYUgdb\":\"Orden\",\"mm+eaX\":\"Orden #\",\"B3gPuX\":\"Orden cancelada\",\"SIbded\":\"Pedido completado\",\"q/CcwE\":\"Fecha de orden\",\"Tol4BF\":\"Detalles del pedido\",\"L4kzeZ\":[\"Detalles del pedido \",[\"0\"]],\"WbImlQ\":\"El pedido ha sido cancelado y se ha notificado al propietario del pedido.\",\"VCOi7U\":\"Preguntas sobre pedidos\",\"wg9MPp\":\"Order questions are asked once per order. By default, people are asked for their first name, last name, and email address.\",\"+KNVxX\":\"Order questions are asked once per order. By default, we ask for the first name, last name, and email address.\",\"TPoYsF\":\"Pedir Referencia\",\"GX6dZv\":\"Resumen del pedido\",\"tDTq0D\":\"Tiempo de espera del pedido\",\"1h+RBg\":\"Pedidos\",\"mz+c33\":\"Órdenes creadas\",\"G5RhpL\":\"Organizador\",\"m/ebSk\":\"Organizer Details\",\"mYygCM\":\"Se requiere organizador\",\"Pa6G7v\":\"Nombre del organizador\",\"J2cXxX\":\"Los organizadores sólo pueden gestionar eventos y entradas. No pueden administrar usuarios, configuraciones de cuenta o información de facturación.\",\"fdjq4c\":\"Relleno\",\"ErggF8\":\"Color de fondo de la página\",\"8F1i42\":\"Página no encontrada\",\"QbrUIo\":\"Vistas de página\",\"6D8ePg\":\"página.\",\"IkGIz8\":\"pagado\",\"2w/FiJ\":\"Boleto pagado\",\"8ZsakT\":\"Contraseña\",\"TUJAyx\":\"La contraseña debe tener un mínimo de 8 caracteres.\",\"vwGkYB\":\"La contraseña debe tener al menos 8 caracteres\",\"BLTZ42\":\"Restablecimiento de contraseña exitoso. Por favor inicie sesión con su nueva contraseña.\",\"f7SUun\":\"Las contraseñas no son similares\",\"aEDp5C\":\"Pega esto donde quieras que aparezca el widget.\",\"+23bI/\":\"Patricio\",\"iAS9f2\":\"patrick@acme.com\",\"iq5IUr\":\"Pause Ticket\",\"621rYf\":\"Pago\",\"JhtZAK\":\"Pago fallido\",\"xgav5v\":\"¡Pago exitoso!\",\"CcK+Ft\":\"PDF\",\"att1Hj\":\"percent\",\"/roQKz\":\"Porcentaje\",\"vPJ1FI\":\"Monto porcentual\",\"xdA9ud\":\"Coloque esto en el de su sitio web.\",\"blK94r\":\"Por favor agregue al menos una opción\",\"FJ9Yat\":\"Por favor verifique que la información proporcionada sea correcta.\",\"TkQVup\":\"Por favor revisa tu correo electrónico y contraseña y vuelve a intentarlo.\",\"sMiGXD\":\"Por favor verifique que su correo electrónico sea válido\",\"Ajavq0\":\"Por favor revise su correo electrónico para confirmar su dirección de correo electrónico.\",\"MdfrBE\":\"Por favor complete el siguiente formulario para aceptar su invitación.\",\"b1Jvg+\":\"Por favor continúa en la nueva pestaña.\",\"q40YFl\":\"Please continue your order in the new tab\",\"cdR8d6\":\"Por favor, crea un ticket\",\"ZJG4Di\":\"Please ensure you only send emails directly related to the order. Promotional emails\\nshould not be sent using this form.\",\"o+HaYe\":\"Please enter a valid promo code\",\"HnNept\":\"Por favor ingrese su nueva contraseña\",\"5FSIzj\":\"Tenga en cuenta\",\"MA04r/\":\"Elimine los filtros y configure la clasificación en \\\"Orden de página de inicio\\\" para habilitar la clasificación.\",\"pJLvdS\":\"Por favor seleccione\",\"yygcoG\":\"Por favor seleccione al menos un boleto\",\"igBrCH\":\"Verifique su dirección de correo electrónico para acceder a todas las funciones.\",\"MOERNx\":\"Portugués\",\"R7+D0/\":\"Portugués (Brasil)\",\"qCJyMx\":\"Mensaje posterior al pago\",\"g2UNkE\":\"Energizado por\",\"Qs7yI0\":\"Powered By\",\"lqAWKB\":\"Powered by <0>Hi.Events 👋\",\"3n47kV\":\"Powered By Hi.Events\",\"ddi4j4\":\"Desarrollado por Stripe\",\"Rs7IQv\":\"Mensaje previo al pago\",\"rdUucN\":\"Avance\",\"a7u1N9\":\"Precio\",\"CmoB9j\":\"Modo de visualización de precios\",\"Q8PWaJ\":\"Niveles de precios\",\"a5jvSX\":\"Price Tiers\",\"6RmHKN\":\"Color primario\",\"G/ZwV1\":\"Color primario\",\"8cBtvm\":\"Color de texto principal\",\"BZz12Q\":\"Imprimir\",\"MT7dxz\":\"Imprimir todas las entradas\",\"vERlcd\":\"Perfil\",\"kUlL8W\":\"perfil actualizado con éxito\",\"cl5WYc\":[\"Código promocional \",[\"promo_code\"],\" aplicado\"],\"ZXpm3a\":[\"Promo \",[\"promoCode\"],\" code applied\"],\"yKWfjC\":\"Página de códigos promocionales\",\"RVb8Fo\":\"Códigos promocionales\",\"BZ9GWa\":\"Los códigos promocionales se pueden utilizar para ofrecer descuentos, acceso de preventa o proporcionar acceso especial a su evento.\",\"4kyDD5\":\"Proporcione contexto adicional o instrucciones para esta pregunta. Utilice este campo para agregar términos y condiciones, directrices o cualquier información importante que los asistentes necesiten saber antes de responder.\",\"812gwg\":\"Licencia de compra\",\"LkMOWF\":\"cantidad disponible\",\"XKJuAX\":\"Pregunta eliminada\",\"avf0gk\":\"Descripción de la pregunta\",\"oQvMPn\":\"Título de la pregunta\",\"enzGAL\":\"Preguntas\",\"K885Eq\":\"Preguntas ordenadas correctamente\",\"OMJ035\":\"Opción de radio\",\"C4TjpG\":\"Leer menos\",\"I3QpvQ\":\"Recipiente\",\"N2C89m\":\"Referencia\",\"gxFu7d\":[\"Importe del reembolso (\",[\"0\"],\")\"],\"n10yGu\":\"Orden de reembolso\",\"zPH6gp\":\"Orden de reembolso\",\"/BI0y9\":\"Reintegrado\",\"fgLNSM\":\"Registro\",\"tasfos\":\"eliminar\",\"t/YqKh\":\"Eliminar\",\"RloWNu\":\"Reply to email\",\"EGm34e\":\"Reenviar correo electrónico de confirmación\",\"lnrkNz\":\"Reenviar confirmación por correo electrónico\",\"wIa8Qe\":\"Reenviar invitacíon\",\"VeKsnD\":\"Reenviar correo electrónico del pedido\",\"dFuEhO\":\"Reenviar correo electrónico del ticket\",\"o6+Y6d\":\"Reenviando...\",\"RfwZxd\":\"Restablecer la contraseña\",\"KbS2K9\":\"Restablecer la contraseña\",\"e99fHm\":\"Restaurar evento\",\"vtc20Z\":\"Volver a la página del evento\",\"8YBH95\":\"Ganancia\",\"PO/sOY\":\"Revocar invitación\",\"GDvlUT\":\"Role\",\"ELa4O9\":\"Fecha de finalización de la venta\",\"5uo5eP\":\"Venta finalizada\",\"Qm5XkZ\":\"Fecha de inicio de la venta\",\"hVF4dJ\":\"Sale starts\",\"hBsw5C\":\"Ventas terminadas\",\"kpAzPe\":\"Inicio de ventas\",\"P/wEOX\":\"San Francisco\",\"tfDRzk\":\"Ahorrar\",\"IUwGEM\":\"Guardar cambios\",\"U65fiW\":\"Guardar organizador\",\"UGT5vp\":\"Guardar ajustes\",\"ovB7m2\":\"Escanear código QR\",\"lBAlVv\":\"Busque por nombre, número de pedido, número de asistente o correo electrónico...\",\"W4kWXJ\":\"Busque por nombre del asistente, correo electrónico o número de pedido...\",\"ulAuWO\":\"Search by event name or description...\",\"+pr/FY\":\"Buscar por nombre del evento...\",\"NQSiYb\":\"Search by name or description...\",\"3zRbWw\":\"Busque por nombre, correo electrónico o número de pedido...\",\"BiYOdA\":\"Buscar por nombre...\",\"B1bB1j\":\"Search by order #, name or email...\",\"jA4hXE\":\"Search by subject or body...\",\"YEjitp\":\"Buscar por tema o contenido...\",\"HYnGee\":\"Buscar por nombre del billete...\",\"Pjsch9\":\"Buscar asignaciones de capacidad...\",\"r9M1hc\":\"Buscar listas de registro...\",\"YIix5Y\":\"Buscar...\",\"OeW+DS\":\"Color secundario\",\"DnXcDK\":\"Color secundario\",\"cZF6em\":\"Color de texto secundario\",\"ZIgYeg\":\"Color de texto secundario\",\"QuNKRX\":\"Seleccionar cámara\",\"kWI/37\":\"Seleccionar organizador\",\"hAjDQy\":\"Seleccionar estado\",\"QYARw/\":\"Seleccionar billete\",\"XH5juP\":\"Seleccionar nivel de boleto\",\"OMX4tH\":\"Seleccionar boletos\",\"nuWxSr\":\"Select Tickets\",\"O/7I0o\":\"Seleccionar...\",\"JlFcis\":\"Enviar\",\"qKWv5N\":[\"Enviar una copia a <0>\",[\"0\"],\"\"],\"RktTWf\":\"Enviar un mensaje\",\"/mQ/tD\":\"Enviar como prueba. Esto enviará el mensaje a su dirección de correo electrónico en lugar de a los destinatarios.\",\"471O/e\":\"Send confirmation email\",\"M/WIer\":\"Enviar Mensaje\",\"D7ZemV\":\"Enviar confirmación del pedido y correo electrónico del billete.\",\"v1rRtW\":\"Enviar prueba\",\"j1VfcT\":\"Descripción SEO\",\"/SIY6o\":\"Palabras clave SEO\",\"GfWoKv\":\"Configuración de SEO\",\"rXngLf\":\"Título SEO\",\"/jZOZa\":\"Tarifa de servicio\",\"vu4F0h\":\"Set a minimum price and let users donate more\",\"Bj/QGQ\":\"Fijar un precio mínimo y dejar que los usuarios paguen más si lo desean.\",\"nYNT+5\":\"Configura tu evento\",\"A8iqfq\":\"Configura tu evento en vivo\",\"Tz0i8g\":\"Ajustes\",\"Z8lGw6\":\"Compartir\",\"FFbYHm\":[\"Should this \",[\"type\"],\" be applied to all new tickets?\"],\"8vETh9\":\"Espectáculo\",\"smd87r\":\"Mostrar cantidad de entradas disponibles\",\"qDsmzu\":\"Mostrar preguntas ocultas\",\"fMPkxb\":\"Mostrar más\",\"izwOOD\":\"Mostrar impuestos y tarifas por separado\",\"j3b+OW\":\"Se muestra al cliente después de realizar el pago, en la página de resumen del pedido.\",\"YfHZv0\":\"Se muestra al cliente antes de realizar el pago.\",\"CBBcly\":\"Muestra campos de dirección comunes, incluido el país.\",\"yTnnYg\":\"simpson\",\"TNaCfq\":\"Cuadro de texto de una sola línea\",\"+P0Cn2\":\"Salta este paso\",\"YSEnLE\":\"Herrero\",\"lgFfeO\":\"Agotado\",\"Mi1rVn\":\"Agotado\",\"nwtY4N\":\"Algo salió mal\",\"GRChTw\":\"Algo salió mal al eliminar el impuesto o tarifa\",\"YHFrbe\":\"¡Algo salió mal! Inténtalo de nuevo\",\"kf83Ld\":\"Algo salió mal.\",\"fWsBTs\":\"Algo salió mal. Inténtalo de nuevo.\",\"F6YahU\":\"Lo sentimos, algo ha ido mal. Reinicie el proceso de pago.\",\"KWgppI\":\"Lo sentimos, algo salió mal al cargar esta página.\",\"/TCOIK\":\"Lo siento, este pedido ya no existe.\",\"DvCwYF\":\"Sorry, this promo code is invalid'\",\"6a/UJE\":\"Lo sentimos, este código de promoción no se reconoce\",\"9rRZZ+\":\"Lo sentimos, tu pedido ha caducado. Por favor inicie un nuevo pedido.\",\"a4SyEE\":\"La clasificación está deshabilitada mientras se aplican filtros y clasificación\",\"65A04M\":\"Español\",\"4nG1lG\":\"Billete estándar con precio fijo.\",\"D3iCkb\":\"Fecha de inicio\",\"RS0o7b\":\"State\",\"/2by1f\":\"Estado o región\",\"uAQUqI\":\"Estado\",\"UJmAAK\":\"Sujeto\",\"X2rrlw\":\"Total parcial\",\"b0HJ45\":[\"¡Éxito! \",[\"0\"],\" recibirá un correo electrónico en breve.\"],\"BJIEiF\":[[\"0\"],\" asistente con éxito\"],\"Ih8kN0\":[\"Successfully $\",[\"0\"],\" attendee\"],\"xHl17l\":[\"Comprobado correctamente <0>\",[\"0\"],\" \",[\"1\"],\" \",[\"2\"]],\"OtgNFx\":\"Dirección de correo electrónico confirmada correctamente\",\"IKwyaF\":\"Cambio de correo electrónico confirmado exitosamente\",\"zLmvhE\":\"Asistente creado exitosamente\",\"9mZEgt\":\"Código promocional creado correctamente\",\"aIA9C4\":\"Pregunta creada correctamente\",\"onFQYs\":\"Boleto creado exitosamente\",\"Hgj/mB\":\"Successfully deleted ticket\",\"J3RJSZ\":\"Asistente actualizado correctamente\",\"3suLF0\":\"Asignación de Capacidad actualizada con éxito\",\"Z+rnth\":\"Lista de registro actualizada con éxito\",\"vzJenu\":\"Configuración de correo electrónico actualizada correctamente\",\"7kOMfV\":\"Evento actualizado con éxito\",\"G0KW+e\":\"Diseño de página de inicio actualizado con éxito\",\"k9m6/E\":\"Configuración de la página de inicio actualizada correctamente\",\"y/NR6s\":\"Ubicación actualizada correctamente\",\"73nxDO\":\"Configuraciones varias actualizadas exitosamente\",\"70dYC8\":\"Código promocional actualizado correctamente\",\"F+pJnL\":\"Configuración de SEO actualizada con éxito\",\"g2lRrH\":\"Boleto actualizado exitosamente\",\"DXZRk5\":\"habitación 100\",\"GNcfRk\":\"Correo electrónico de soporte\",\"JpohL9\":\"Impuesto\",\"geUFpZ\":\"Impuestos y tarifas\",\"0RXCDo\":\"Impuesto o tasa eliminados correctamente\",\"ZowkxF\":\"Impuestos\",\"EEZnW+\":\"Taxes & Fees\",\"qu6/03\":\"Impuestos y honorarios\",\"gVjSFp\":\"Taxes and Fees can be associated with tickets and will be added to the ticket price.\",\"e0ZSh4\":\"Text Colour\",\"gypigA\":\"Ese código de promoción no es válido.\",\"0ozSQu\":\"The background color for the event homepage\",\"LbHWgW\":\"The background color for the ticket widget on the event homepage\",\"75Xclv\":\"The basic details of your event\",\"5ShqeM\":\"La lista de registro que buscas no existe.\",\"UNqHnV\":\"The color of the buttons on the event homepage\",\"0amhbL\":\"The color of the links on the event homepage\",\"QXlz+n\":\"La moneda predeterminada para tus eventos.\",\"mnafgQ\":\"La zona horaria predeterminada para sus eventos.\",\"o7s5FA\":\"El idioma en el que el asistente recibirá los correos electrónicos.\",\"NlfnUd\":\"El enlace en el que hizo clic no es válido.\",\"FqjKfd\":\"The location of your event\",\"kIXEVN\":[\"El número máximo de entradas para \",[\"0\"],\" es \",[\"1\"]],\"FeAfXO\":[\"El número máximo de entradas para Generales es \",[\"0\"]],\"POEqXB\":\"The organizer details of your event\",\"TSAiPM\":\"La página que buscas no existe\",\"MSmKHn\":\"El precio mostrado al cliente incluirá impuestos y tasas.\",\"6zQOg1\":\"El precio mostrado al cliente no incluirá impuestos ni tasas. Se mostrarán por separado.\",\"ne/9Ur\":\"La configuración de estilo que elija se aplica sólo al HTML copiado y no se almacenará.\",\"TJZByZ\":\"The tax and fee to apply to this ticket. You can create new taxes and fees on the\",\"OJYwh9\":\"Los impuestos y tasas a aplicar a este billete. Puede crear nuevos impuestos y tarifas en el\",\"6BpBfZ\":\"The text color for the event homepage\",\"rljHp7\":\"The text color for the ticket widget on the event homepage\",\"s4di40\":\"The text to display in the 'Continue' button. Defaults to 'Continue'\",\"esY5SG\":\"El título del evento que se mostrará en los resultados del motor de búsqueda y al compartirlo en las redes sociales. De forma predeterminada, se utilizará el título del evento.\",\"wgAiDb\":\"The user must login to change their email.\",\"jvxN9/\":\"No hay entradas disponibles para este evento.\",\"rMcHYt\":\"Hay un reembolso pendiente. Espere a que se complete antes de solicitar otro reembolso.\",\"hjLUr+\":\"There was an error loading this content. Please refresh the page and try again.\",\"68Axnm\":\"Hubo un error al procesar su solicitud. Inténtalo de nuevo.\",\"mVKOW6\":\"Hubo un error al enviar tu mensaje\",\"Um/adz\":\"These allow multiple selections\",\"vWeHWp\":\"These colors are not saved in our system.\",\"7qzHGS\":\"These colors are not saved in our system. They are only used to generate the widget.\",\"xxv3BZ\":\"Esta lista de registro ha expirado\",\"Sa7w7S\":\"Esta lista de registro ha expirado y ya no está disponible para registros.\",\"Uicx2U\":\"Esta lista de registro está activa\",\"1k0Mp4\":\"Esta lista de registro aún no está activa\",\"K6fmBI\":\"Esta lista de registro aún no está activa y no está disponible para registros.\",\"t/ePFj\":\"Esta descripción se mostrará al personal de registro\",\"MLTkH7\":\"Este correo electrónico no es promocional y está directamente relacionado con el evento.\",\"2eIpBM\":\"Este evento no está disponible en este momento. Por favor, vuelva más tarde.\",\"Z6LdQU\":\"Este evento no está disponible.\",\"CNk/ro\":\"Este es un evento en línea\",\"GabtCa\":\"This is the email address that will be used as the reply-to address for all emails sent from this event\",\"FwXnJd\":\"Esta lista ya no estará disponible para registros después de esta fecha\",\"CKkb5E\":\"This message is how below the\",\"cHO4ec\":\"Este mensaje se incluirá en el pie de página de todos los correos electrónicos enviados desde este evento.\",\"RjwlZt\":\"Este pedido ya ha sido pagado.\",\"axERYu\":\"This order has already been paid. <0>View order details\",\"wY+HO9\":\"This order has already been processed.\",\"5K8REg\":\"Este pedido ya ha sido reembolsado.\",\"OiQMhP\":\"Esta orden ha sido cancelada\",\"YyEJij\":\"Esta orden ha sido cancelada.\",\"D44cEI\":\"This order has been completed.\",\"HILpDX\":\"Este pedido está pendiente de pago.\",\"0vRWbB\":\"This order is awaiting payment.\",\"BdYtn9\":\"Este pedido está completo.\",\"e3uMJH\":\"Este pedido está completo.\",\"YNKXOK\":\"Este pedido se está procesando.\",\"LIjb4v\":\"This order is processing. TODO - a nice image and poll the API\",\"yPZN4i\":\"Esta página de pedidos ya no está disponible.\",\"5189cf\":\"Esto anula todas las configuraciones de visibilidad y ocultará el ticket a todos los clientes.\",\"4vwjho\":\"This page has expired. <0>View order details\",\"Qt7RBu\":\"Esta pregunta solo es visible para el organizador del evento.\",\"os29v1\":\"Este enlace para restablecer la contraseña no es válido o ha caducado.\",\"WJqBqd\":\"Este ticket no se puede eliminar porque está\\nasociado a un pedido. Puedes ocultarlo en su lugar.\",\"ma6qdu\":\"Este billete está oculto a la vista del público.\",\"xJ8nzj\":\"Este ticket está oculto a menos que esté dirigido a un código promocional.\",\"IV9xTT\":\"Este usuario no está activo porque no ha aceptado su invitación.\",\"5AnPaO\":\"boleto\",\"kjAL4v\":\"Boleto\",\"KosivG\":\"Boleto eliminado exitosamente\",\"dtGC3q\":\"El correo electrónico del ticket se ha reenviado al asistente.\",\"USk+Mn\":\"Ticket page message\",\"mRM6XH\":\"Venta de boletos\",\"NirIiz\":\"Nivel de boletos\",\"8jLPgH\":\"Tipo de billete\",\"jqWDf9\":\"Ticket widget background color\",\"UrMVAz\":\"Vista previa del widget de ticket\",\"ngtDy7\":\"Ticket widget text color\",\"N+YYpo\":\"Entradas)\",\"6GQNLE\":\"Entradas\",\"54q0zp\":\"Entradas para\",\"ikA//P\":\"entradas vendidas\",\"i+idBz\":\"Entradas vendidas\",\"AGRilS\":\"Entradas vendidas\",\"56Qw2C\":\"Entradas ordenadas correctamente\",\"4f8A8M\":\"Tickets to which the promo code applies (Applies to all by default)\",\"xN9AhL\":[\"Nivel \",[\"0\"]],\"oYaHuq\":\"Boleto escalonado\",\"XZrhpz\":\"Tiered Ticket - Coming Soon\",\"4M150e\":\"Los boletos escalonados le permiten ofrecer múltiples opciones de precios para el mismo boleto.\\nEsto es perfecto para entradas anticipadas o para ofrecer precios diferentes.\\nopciones para diferentes grupos de personas.\",\"jQoYTX\":\"Tiered tickets allow you to offer multiple price options for the same ticket. This is perfect for early bird tickets or offering different price options for different groups of people.\",\"s/0RpH\":\"Tiempos utilizados\",\"40Gx0U\":\"Zona horaria\",\"oDGm7V\":\"CONSEJO\",\"MHrjPM\":\"Título\",\"xdA/+p\":\"Herramientas\",\"72c5Qo\":\"Total\",\"BxsfMK\":\"Tarifas totales\",\"mpB/d9\":\"Monto total del pedido\",\"m3FM1g\":\"Total reembolsado\",\"GBBIy+\":\"Total restante\",\"/SgoNA\":\"Total impuestos\",\"+zy2Nq\":\"Tipo\",\"mLGbAS\":[\"No se puede \",[\"0\"],\" asistir\"],\"FMdMfZ\":\"No se pudo registrar al asistente\",\"bPWBLL\":\"No se pudo retirar al asistente\",\"/cSMqv\":\"No se puede crear una pregunta. Por favor revisa tus datos\",\"nNdxt9\":\"No se puede crear el ticket. Por favor revisa tus datos\",\"MH/lj8\":\"No se puede actualizar la pregunta. Por favor revisa tus datos\",\"Mqy/Zy\":\"Estados Unidos\",\"NIuIk1\":\"Ilimitado\",\"oMcLhS\":\"Unlimited ticket quantity available\",\"E0q9qH\":\"Usos ilimitados permitidos\",\"ia8YsC\":\"Próximo\",\"TlEeFv\":\"Próximos eventos\",\"L/gNNk\":[\"Actualizar \",[\"0\"]],\"+qqX74\":\"Actualizar el nombre del evento, la descripción y las fechas.\",\"vXPSuB\":\"Actualización del perfil\",\"gsehpV\":\"Upload an image to be displayed on the event page\",\"BNBfrU\":\"Subir portada\",\"UtDm3q\":\"URL copiada en el portapapeles\",\"e5lF64\":\"Ejemplo de uso\",\"sGEOe4\":\"Utilice una versión borrosa de la imagen de portada como fondo\",\"OadMRm\":\"Usar imagen de portada\",\"7PzzBU\":\"Usuario\",\"yDOdwQ\":\"Gestión de usuarios\",\"Sxm8rQ\":\"Usuarios\",\"VEsDvU\":\"Los usuarios pueden cambiar su correo electrónico en <0>Configuración de perfil\",\"vgwVkd\":\"UTC\",\"khBZkl\":\"IVA\",\"E/9LUk\":\"Nombre del lugar\",\"AM+zF3\":\"Ver asistente\",\"e4mhwd\":\"Ver página de inicio del evento\",\"/5PEQz\":\"Ver página del evento\",\"fFornT\":\"Ver mensaje completo\",\"YIsEhQ\":\"Ver el mapa\",\"Ep3VfY\":\"Ver en Google Maps\",\"AMkkeL\":\"Ver pedido\",\"Y8s4f6\":\"Ver detalles de la orden\",\"QIWCnW\":\"Lista de registro VIP\",\"tF+VVr\":\"Entrada VIP\",\"2q/Q7x\":\"Visibilidad\",\"vmOFL/\":\"No pudimos procesar su pago. Inténtelo de nuevo o comuníquese con el soporte.\",\"1E0vyy\":\"No pudimos cargar los datos. Inténtalo de nuevo.\",\"VGioT0\":\"Recomendamos dimensiones de 2160 px por 1080 px y un tamaño de archivo máximo de 5 MB.\",\"b9UB/w\":\"Usamos Stripe para procesar pagos. Conecte su cuenta Stripe para comenzar a recibir pagos.\",\"01WH0a\":\"No pudimos confirmar su pago. Inténtelo de nuevo o comuníquese con el soporte.\",\"Gspam9\":\"Estamos procesando tu pedido. Espere por favor...\",\"LuY52w\":\"¡Bienvenido a bordo! Por favor inicie sesión para continuar.\",\"dVxpp5\":[\"Bienvenido de nuevo\",[\"0\"],\" 👋\"],\"NxOVCl\":[\"Bienvenido a Hola.Eventos, \",[\"0\"],\" 👋\"],\"wjqPqF\":\"¿Qué son los boletos escalonados?\",\"f1jUC0\":\"¿En qué fecha debe activarse esta lista de registro?\",\"5iXvHA\":\"What is a Tiered Ticketing?\",\"MhhnvW\":\"¿A qué billetes se aplica este código? (Se aplica a todos de forma predeterminada)\",\"dCil3h\":\"¿A qué billetes debería aplicarse esta pregunta?\",\"Rb0XUE\":\"¿A qué hora llegarás?\",\"5N4wLD\":\"¿Qué tipo de pregunta es esta?\",\"D7C6XV\":\"¿Cuándo debe expirar esta lista de registro?\",\"FVetkT\":\"¿Qué boletos deben asociarse con esta lista de registro?\",\"S+OdxP\":\"¿Quién organiza este evento?\",\"LINr2M\":\"¿A quién va dirigido este mensaje?\",\"nWhye/\":\"¿A quién se le debería hacer esta pregunta?\",\"vVGiM4\":\"Who type of question is this?\",\"onLsWS\":\"Whoops! something went wrong. Please try again or contact support if the problem persists.\",\"AHXN2z\":\"Widget\",\"AU/8QR\":\"Widget Configuration\",\"VxFvXQ\":\"Insertar widget\",\"v1P7Gm\":\"Configuración de widgets\",\"b4itZn\":\"Laboral\",\"hqmXmc\":\"Laboral...\",\"l75CjT\":\"Sí\",\"QcwyCh\":\"Si, eliminarlos\",\"ySeBKv\":\"Ya has escaneado este boleto\",\"P+Sty0\":[\"Estás cambiando tu correo electrónico a <0>\",[\"0\"],\".\"],\"gGhBmF\":\"Estás desconectado\",\"4ysd6z\":\"You can connecting using this Zoom link...\",\"9HGdDw\":\"Puedes crear un código de promoción dirigido a este ticket en el\",\"KRhIxT\":\"Ahora puedes empezar a recibir pagos a través de Stripe.\",\"UqVaVO\":\"No puede cambiar el tipo de entrada ya que hay asistentes asociados a esta entrada.\",\"zQ8idk\":\"You cannot change the ticket type because there are already tickets sold for this ticket.\",\"3vRX5A\":\"No puedes eliminar este nivel de precios porque ya hay boletos vendidos para este nivel. Puedes ocultarlo en su lugar.\",\"RCC09s\":\"You cannot edit a default question\",\"tFbRKJ\":\"No puede editar la función o el estado del propietario de la cuenta.\",\"fHfiEo\":\"No puede reembolsar un pedido creado manualmente.\",\"hK9c7R\":\"Creaste una pregunta oculta pero deshabilitaste la opción para mostrar preguntas ocultas. Ha sido habilitado.\",\"NOaWRX\":\"Usted no tiene permiso para acceder a esta página\",\"BRArmD\":\"Tienes acceso a múltiples cuentas. Por favor elige uno para continuar.\",\"Z6q0Vl\":\"Ya has aceptado esta invitación. Por favor inicie sesión para continuar.\",\"rdk1xK\":\"Has conectado tu cuenta Stripe\",\"ofEncr\":\"No tienes preguntas de los asistentes.\",\"XoeazJ\":\"You have no attendee questions. Attendee questions are asked once per attendee.\",\"CoZHDB\":\"No tienes preguntas sobre pedidos.\",\"FZKDIe\":\"You have no order questions. Order questions are asked once per order.\",\"15qAvl\":\"No tienes ningún cambio de correo electrónico pendiente.\",\"n81Qk8\":\"No has completado la configuración de Stripe Connect\",\"jxsiqJ\":\"No has conectado tu cuenta de Stripe\",\"183zcL\":\"Tiene impuestos y tarifas agregados a un boleto gratis. ¿Le gustaría eliminarlos u ocultarlos?\",\"2v5MI1\":\"Aún no has enviado ningún mensaje. Puede enviar mensajes a todos los asistentes o a poseedores de entradas específicas.\",\"R6i9o9\":\"Debes reconocer que este correo electrónico no es promocional.\",\"3ZI8IL\":\"Debes aceptar los términos y condiciones.\",\"dMd3Uf\":\"Debes confirmar tu dirección de correo electrónico antes de que tu evento pueda comenzar.\",\"H35u3n\":\"Debe crear un ticket antes de poder agregar manualmente un asistente.\",\"jE4Z8R\":\"Debes tener al menos un nivel de precios\",\"LRguuL\":\"You must have at least one tier\",\"8/eLoa\":\"Debes verificar tu cuenta antes de poder enviar mensajes.\",\"L/+xOk\":\"Necesitarás un boleto antes de poder crear una lista de registro.\",\"8QNzin\":\"Necesitarás un ticket antes de poder crear una asignación de capacidad.\",\"WHXRMI\":\"Necesitará al menos un boleto para comenzar. Gratis, de pago o deja que el usuario decida qué pagar.\",\"bdg03s\":\"Your account email in outgoing emails.\",\"ROR8QD\":\"Su nombre de cuenta se utiliza en las páginas de eventos y en los correos electrónicos.\",\"veessc\":\"Sus asistentes aparecerán aquí una vez que se hayan registrado para su evento. También puede agregar asistentes manualmente.\",\"Eh5Wrd\":\"Tu increíble sitio web 🎉\",\"lkMK2r\":\"Tus detalles\",\"3ENYTQ\":[\"Su solicitud de cambio de correo electrónico a <0>\",[\"0\"],\" está pendiente. Por favor revisa tu correo para confirmar\"],\"yZfBoy\":\"Tu mensaje ha sido enviado\",\"la26JS\":\"Your order is in progress\",\"7YJdgG\":\"Tus pedidos aparecerán aquí una vez que comiencen a llegar.\",\"9TO8nT\":\"Tu contraseña\",\"P8hBau\":\"Su pago se está procesando.\",\"UdY1lL\":\"Su pago no fue exitoso, inténtelo nuevamente.\",\"fzuM26\":\"Su pago no fue exitoso. Inténtalo de nuevo.\",\"cJ4Y4R\":\"Su reembolso se está procesando.\",\"IFHV2p\":\"Tu billete para\",\"3k7HDY\":\"Zip\",\"BM/KQm\":\"CP o Código Postal\",\"VftCuk\":\"Zoom link, Google Meet link, etc.\"}")}; \ No newline at end of file +/*eslint-disable*/module.exports={messages:JSON.parse("{\"1bpx9A\":\"...\",\"f8qS7T\":\"'No hay nada que mostrar todavía'\",\"4zldrf\":[[\"0\",\"plural\",{\"one\":[\"#\",\" hidden question\"],\"other\":[\"#\",\" hidden questions\"]}]],\"J/hVSQ\":[[\"0\"]],\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"Jv22kr\":[[\"0\"],\" <0>registrado con éxito\"],\"yxhYRZ\":[[\"0\"],\" <0>retirado con éxito\"],\"KMgp2+\":[[\"0\"],\" disponible\"],\"tmew5X\":[[\"0\"],\" registrado\"],\"Pmr5xp\":[[\"0\"],\" creado correctamente\"],\"FImCSc\":[[\"0\"],\" actualizado correctamente\"],\"KOr9b4\":[\"Eventos de \",[\"0\"]],\"qSiUsc\":[[\"0\"],[\"1\"]],\"cU8MWb\":[[\"0\"],\"/\",[\"1\"],\" registrado\"],\"Vjij1k\":[[\"days\"],\" días, \",[\"hours\"],\" horas, \",[\"minutes\"],\" minutos y \",[\"seconds\"],\" segundos\"],\"f3RdEk\":[[\"hours\"],\" horas, \",[\"minutes\"],\" minutos y \",[\"seconds\"],\" segundos\"],\"wapGcj\":[[\"message\"]],\"fyE7Au\":[[\"minutos\"],\" minutos y \",[\"segundos\"],\" segundos\"],\"NlQ0cx\":[\"El primer evento de \",[\"organizerName\"]],\"Ul6IgC\":\"<0>Las asignaciones de capacidad te permiten gestionar la capacidad en entradas o en todo un evento. Ideal para eventos de varios días, talleres y más, donde es crucial controlar la asistencia.<1>Por ejemplo, puedes asociar una asignación de capacidad con el ticket de <2>Día Uno y el de <3>Todos los Días. Una vez que se alcance la capacidad, ambos tickets dejarán automáticamente de estar disponibles para la venta.\",\"Exjbj7\":\"<0>Las listas de registro ayudan a gestionar la entrada de los asistentes a su evento. Puede asociar múltiples boletos con una lista de registro y asegurarse de que solo aquellos con boletos válidos puedan ingresar.\",\"OXku3b\":\"<0>https://tu-sitio-web.com\",\"qnSLLW\":\"<0>Por favor, introduce el precio sin incluir impuestos y tasas.<1>Los impuestos y tasas se pueden agregar a continuación.\",\"0940VN\":\"<0>El número de entradas disponibles para este ticket<1>Este valor puede ser anulado si hay <2>Límites de Capacidad asociados con este ticket.\",\"E15xs8\":\"⚡️ Configura tu evento\",\"FL6OwU\":\"✉️ Confirma tu dirección de correo electrónico\",\"y1NShf\":\"🎉 Congratulation on creating an event!\",\"BN0OQd\":\"🎉 ¡Felicitaciones por crear un evento!\",\"fAv9QG\":\"🎟️ Agregar entradas\",\"4WT5tD\":\"🎨 Personaliza la página de tu evento\",\"3VPPdS\":\"💳 Conéctate con Stripe\",\"s4Tgn6\":\"📢 Promote your event\",\"cjdktw\":\"🚀 Configura tu evento en vivo\",\"rmelwV\":\"0 minutos y 0 segundos\",\"UQ7pBY\":\"0.50 for $0.50\",\"i1+xzD\":\"1.75 for 1.75%\",\"i0puaE\":\"10.00\",\"W9+fkZ\":\"10001\",\"qdfdgM\":\"123 calle principal\",\"IoRZzD\":\"20\",\"+H1RMb\":\"2024-01-01 10:00\",\"Q/T49U\":\"2024-01-01 18:00\",\"hMT8+2\":\"94103\",\"efAM7X\":\"Un campo de fecha. Perfecto para pedir una fecha de nacimiento, etc.\",\"d9El7Q\":[\"Un \",[\"tipo\"],\" predeterminado se aplica automáticamente a todos los tickets nuevos. Puede anular esto por ticket.\"],\"SMUbbQ\":\"Una entrada desplegable permite solo una selección\",\"qv4bfj\":\"Una tarifa, como una tarifa de reserva o una tarifa de servicio\",\"Pgaiuj\":\"Una cantidad fija por billete. Por ejemplo, $0,50 por boleto\",\"f4vJgj\":\"Una entrada de texto de varias líneas\",\"ySO/4f\":\"Un porcentaje del precio del billete. Por ejemplo, el 3,5% del precio del billete.\",\"WXeXGB\":\"Se puede utilizar un código de promoción sin descuento para revelar entradas ocultas.\",\"GMhWB5\":\"A Radio option allows has multiple options but only one can be selected.\",\"CBt3s7\":\"A Radio Option allows only one selection\",\"AG/qmQ\":\"Una opción de Radio tiene múltiples opciones pero solo se puede seleccionar una.\",\"7g61G9\":\"A short description of Awesome Events Ltd.\",\"h179TP\":\"Una breve descripción del evento que se mostrará en los resultados del motor de búsqueda y al compartir en las redes sociales. De forma predeterminada, se utilizará la descripción del evento.\",\"WKMnh4\":\"Una entrada de texto de una sola línea\",\"zCk10D\":\"Una única pregunta por asistente. Por ejemplo, ¿cuál es tu comida preferida?\",\"ap3v36\":\"Una sola pregunta por pedido. Por ejemplo, ¿cuál es el nombre de su empresa?\",\"RlJmQg\":\"Un impuesto estándar, como el IVA o el GST\",\"pDwHGk\":\"About hi.events\",\"uIKNjo\":\"Sobre el evento\",\"bfXQ+N\":\"Aceptar la invitacion\",\"iwyhk4\":\"Access to the VIP area...\",\"AeXO77\":\"Cuenta\",\"0b79Xf\":\"Account Email\",\"lkNdiH\":\"Nombre de la cuenta\",\"Puv7+X\":\"Configuraciones de la cuenta\",\"OmylXO\":\"Cuenta actualizada exitosamente\",\"7L01XJ\":\"Comportamiento\",\"FQBaXG\":\"Activar\",\"5T2HxQ\":\"Fecha de activación\",\"F6pfE9\":\"Activo\",\"m16xKo\":\"Agregar\",\"LKNynS\":\"Add a cover image, description, and more to make your event stand out.\",\"/PN1DA\":\"Agregue una descripción para esta lista de registro\",\"PGPGsL\":\"Añadir descripción\",\"gMK0ps\":\"Agregue detalles del evento y administre la configuración del evento.\",\"Fb+SDI\":\"Añadir más entradas\",\"ApsD9J\":\"Agregar nuevo\",\"TZxnm8\":\"Agregar opción\",\"Cw27zP\":\"Agregar pregunta\",\"yWiPh+\":\"Agregar impuesto o tarifa\",\"BGD9Yt\":\"Agregar entradas\",\"goOKRY\":\"Agregar nivel\",\"p59pEv\":\"Additional Details\",\"Y8DIQy\":\"Opciones adicionales\",\"Du6bPw\":\"DIRECCIÓN\",\"NY/x1b\":\"Dirección Línea 1\",\"POdIrN\":\"Dirección Línea 1\",\"cormHa\":\"Línea de dirección 2\",\"gwk5gg\":\"Línea de dirección 2\",\"U3pytU\":\"Administración\",\"HLDaLi\":\"Los usuarios administradores tienen acceso completo a los eventos y la configuración de la cuenta.\",\"CPXP5Z\":\"Afiliados\",\"W7AfhC\":\"Todos los asistentes a este evento.\",\"QsYjci\":\"Todos los eventos\",\"/twVAS\":\"Todas las entradas\",\"ipYKgM\":\"Permitir la indexación en motores de búsqueda\",\"LRbt6D\":\"Permitir que los motores de búsqueda indexen este evento\",\"+MHcJD\":\"¡Casi llegamos! Estamos esperando que se procese su pago. Esto debería tomar sólo unos pocos segundos..\",\"8wYDMp\":\"Already have an account?\",\"ApOYO8\":\"Increíble, evento, palabras clave...\",\"hehnjM\":\"Cantidad\",\"TRYjHa\":[\"amount in \",[\"0\"]],\"R2O9Rg\":[\"Importe pagado (\",[\"0\"],\")\"],\"tLjOgo\":[\"Amount paid $\",[\"0\"]],\"V7MwOy\":\"Se produjo un error al cargar la página.\",\"Q7UCEH\":\"Se produjo un error al ordenar las preguntas. Inténtalo de nuevo o actualiza la página.\",\"er3d/4\":\"Se produjo un error al clasificar los boletos. Inténtalo de nuevo o actualiza la página.\",\"hhvESd\":\"An event is the actual event you are hosting\",\"jD/OCQ\":\"Un evento es el evento real que estás organizando. Puedes agregar más detalles más adelante.\",\"oBkF+i\":\"Un organizador es la empresa o persona que organiza el evento.\",\"W5A0Ly\":\"Ocurrió un error inesperado.\",\"byKna+\":\"Ocurrió un error inesperado. Inténtalo de nuevo.\",\"j4DliD\":\"Cualquier consulta de los poseedores de entradas se enviará a esta dirección de correo electrónico. Esta también se utilizará como dirección de \\\"respuesta\\\" para todos los correos electrónicos enviados desde este evento.\",\"aAIQg2\":\"Apariencia\",\"Ym1gnK\":\"aplicado\",\"epTbAK\":[\"Se aplica a \",[\"0\"],\" entradas\"],\"6MkQ2P\":\"Se aplica a 1 entrada\",\"DB8zMK\":\"Apply\",\"GctSSm\":\"Aplicar código promocional\",\"jcnZEw\":[\"Aplicar este \",[\"tipo\"],\" a todos los tickets nuevos\"],\"S0ctOE\":\"Archivar evento\",\"TdfEV7\":\"Archivado\",\"A6AtLP\":\"Eventos archivados\",\"q7TRd7\":\"¿Está seguro de que desea activar este asistente?\",\"TvkW9+\":\"¿Está seguro de que desea archivar este evento?\",\"/CV2x+\":\"¿Está seguro de que desea cancelar este asistente? Esto anulará su boleto.\",\"YgRSEE\":\"¿Estás seguro de que deseas eliminar este código de promoción?\",\"iU234U\":\"¿Estás seguro de que deseas eliminar esta pregunta?\",\"CMyVEK\":\"¿Estás seguro de que quieres hacer este borrador de evento? Esto hará que el evento sea invisible para el público.\",\"mEHQ8I\":\"¿Estás seguro de que quieres hacer público este evento? Esto hará que el evento sea visible para el público.\",\"s4JozW\":\"¿Está seguro de que desea restaurar este evento? Será restaurado como un evento borrador.\",\"vJuISq\":\"¿Estás seguro de que deseas eliminar esta Asignación de Capacidad?\",\"baHeCz\":\"¿Está seguro de que desea eliminar esta lista de registro?\",\"2xEpch\":\"Preguntar una vez por asistente\",\"LBLOqH\":\"Preguntar una vez por pedido\",\"ss9PbX\":\"Asistente\",\"m0CFV2\":\"Detalles de los asistentes\",\"lXcSD2\":\"Preguntas de los asistentes\",\"VvYqMB\":\"Attendee questions are asked once per attendee. By default, people are asked for their first name, last name, and email address.\",\"spxPEv\":\"Attendee questions are asked once per attendee. By default, we ask for the attendee's first name, last name, and email address.\",\"9SZT4E\":\"Asistentes\",\"5UbY+B\":\"Asistentes con entrada específica\",\"IMJ6rh\":\"Cambio de tamaño automático\",\"vZ5qKF\":\"Cambie automáticamente el tamaño de la altura del widget según el contenido. Cuando está deshabilitado, el widget ocupará la altura del contenedor.\",\"lXkUEV\":\"Availability\",\"ioG+xt\":\"En espera de pago\",\"3PmQfI\":\"Impresionante evento\",\"kNmmvE\":\"Awesome Events Ltd.\",\"Yrbm6T\":\"Impresionante organizador Ltd.\",\"9002sI\":\"Volver a todos los eventos\",\"0TGkYM\":\"Back to event homepage\",\"A302fe\":\"Volver a la página del evento\",\"VCoEm+\":\"Atrás para iniciar sesión\",\"MLZyiY\":\"Background color\",\"k1bLf+\":\"Color de fondo\",\"I7xjqg\":\"Tipo de fondo\",\"EOUool\":\"Detalles básicos\",\"7EGQKA\":\"Because you are the account owner, you cannot change your role or status.\",\"1mwMl+\":\"¡Antes de enviar!\",\"wVfiR2\":\"Before you're event can go live, there's a few thing to do.\",\"/yeZ20\":\"Antes de que su evento pueda comenzar, hay algunas cosas que debe hacer.\",\"1xAcxY\":\"Comience a vender boletos en minutos\",\"R+w/Va\":\"Billing\",\"rp/zaT\":\"Portugués brasileño\",\"Ptp9MF\":\"Button color\",\"whqocw\":\"Al registrarte, aceptas nuestras <0>Condiciones de servicio y nuestra <1>Política de privacidad.\",\"bcCn6r\":\"Tipo de cálculo\",\"+8bmSu\":\"California\",\"iStTQt\":\"Se negó el permiso de la cámara. <0>Solicita permiso nuevamente o, si esto no funciona, deberás <1>otorgar a esta página acceso a tu cámara en la configuración de tu navegador.\",\"Jzn1qy\":\"Can't load events\",\"dEgA5A\":\"Cancelar\",\"Gjt/py\":\"Cancelar cambio de correo electrónico\",\"tVJk4q\":\"Cancelar orden\",\"Os6n2a\":\"Cancelar orden\",\"Mz7Ygx\":[\"Cancelar pedido \",[\"0\"]],\"Ud7zwq\":\"La cancelación cancelará todos los boletos asociados con este pedido y los liberará nuevamente al grupo disponible.\",\"vv7kpg\":\"Cancelado\",\"QyjCeq\":\"Capacidad\",\"V6Q5RZ\":\"Asignación de Capacidad creada con éxito\",\"k5p8dz\":\"Asignación de Capacidad eliminada con éxito\",\"nDBs04\":\"Gestión de Capacidad\",\"77/YgG\":\"Cubierta de cambio\",\"GptGxg\":\"Cambiar la contraseña\",\"QndF4b\":\"registrarse\",\"xMDm+I\":\"Registrarse\",\"9FVFym\":\"verificar\",\"/Ta1d4\":\"Salir\",\"gXcPxc\":\"Registrarse\",\"Y3FYXy\":\"Registrarse\",\"fVUbUy\":\"Lista de registro creada con éxito\",\"+CeSxK\":\"Lista de registro eliminada con éxito\",\"+hBhWk\":\"La lista de registro ha expirado\",\"mBsBHq\":\"La lista de registro no está activa\",\"vPqpQG\":\"Lista de registro no encontrada\",\"tejfAy\":\"Listas de registro\",\"hD1ocH\":\"URL de registro copiada al portapapeles\",\"CNafaC\":\"Las opciones de casilla de verificación permiten múltiples selecciones\",\"SpabVf\":\"Casillas de verificación\",\"CRu4lK\":\"Registrado\",\"rfeicl\":\"Registrado con éxito\",\"/ydvvl\":\"Checkout Messaging\",\"1WnhCL\":\"Configuración de pago\",\"h1IXFK\":\"Chino\",\"6imsQS\":\"Chino simplificado\",\"JjkX4+\":\"Elige un color para tu fondo\",\"/Jizh9\":\"elige una cuenta\",\"jJGoVv\":\"Choose what notifications you want to receive\",\"3wV73y\":\"Ciudad\",\"FG98gC\":\"Borrar texto de búsqueda\",\"EYeuMv\":\"haga clic aquí\",\"sby+1/\":\"Haga clic para copiar\",\"yz7wBu\":\"Cerca\",\"62Ciis\":\"Cerrar barra lateral\",\"EWPtMO\":\"Código\",\"ercTDX\":\"El código debe tener entre 3 y 50 caracteres.\",\"jZlrte\":\"Color\",\"Vd+LC3\":\"El color debe ser un código de color hexadecimal válido. Ejemplo: #ffffff\",\"1HfW/F\":\"Colores\",\"VZeG/A\":\"Muy pronto\",\"yPI7n9\":\"Palabras clave separadas por comas que describen el evento. Estos serán utilizados por los motores de búsqueda para ayudar a categorizar e indexar el evento.\",\"NPZqBL\":\"Orden completa\",\"guBeyC\":\"El pago completo\",\"C8HNV2\":\"El pago completo\",\"qqWcBV\":\"Terminado\",\"DwF9eH\":\"Código de componente\",\"7VpPHA\":\"Confirmar\",\"ZaEJZM\":\"Confirmar cambio de correo electrónico\",\"yjkELF\":\"Confirmar nueva contraseña\",\"xnWESi\":\"Confirmar Contraseña\",\"p2/GCq\":\"confirmar Contraseña\",\"wnDgGj\":\"Confirmando dirección de correo electrónico...\",\"DnLC08\":\"Congratulation on creating an event!\",\"pbAk7a\":\"Conectar raya\",\"UMGQOh\":\"Conéctate con Stripe\",\"QKLP1W\":\"Conecte su cuenta Stripe para comenzar a recibir pagos.\",\"5lcVkL\":\"Detalles de conexión\",\"i3p844\":\"Contact email\",\"yAej59\":\"Color de fondo del contenido\",\"xGVfLh\":\"Continuar\",\"X++RMT\":\"Texto del botón Continuar\",\"AfNRFG\":\"Texto del botón Continuar\",\"lIbwvN\":\"Continuar configuración del evento\",\"HB22j9\":\"Continuar configurando\",\"bZEa4H\":\"Continuar con la configuración de Stripe Connect\",\"RGVUUI\":\"Continuar con el pago\",\"6V3Ea3\":\"copiado\",\"T5rdis\":\"Copiado al portapapeles\",\"he3ygx\":\"Copiar\",\"r2B2P8\":\"Copiar URL de registro\",\"8+cOrS\":\"Copiar detalles a todos los asistentes.\",\"ENCIQz\":\"Copiar link\",\"E6nRW7\":\"Copiar URL\",\"JNCzPW\":\"País\",\"IF7RiR\":\"Cubrir\",\"P0rbCt\":\"Cover Image\",\"hYgDIe\":\"Create\",\"b9XOHo\":[\"Crear \",[\"0\"]],\"6kdXbW\":\"Crear un código promocional\",\"n5pRtF\":\"Crear un boleto\",\"X6sRve\":[\"Cree una cuenta o <0>\",[\"0\"],\" para comenzar\"],\"nx+rqg\":\"crear un organizador\",\"ipP6Ue\":\"Crear asistente\",\"VwdqVy\":\"Crear Asignación de Capacidad\",\"WVbTwK\":\"Crear lista de registro\",\"uN355O\":\"Crear evento\",\"BOqY23\":\"Crear nuevo\",\"kpJAeS\":\"Crear organizador\",\"a0EjD+\":\"Create Product\",\"sYpiZP\":\"Crear código promocional\",\"a6YrKg\":\"Create promo codes\",\"n6H6AO\":\"Create promo codes to offer discounts to your attendees.\",\"B3Mkdt\":\"Crear pregunta\",\"UKfi21\":\"Crear impuesto o tarifa\",\"Tg323g\":\"Crear Ticket\",\"agZ87r\":\"Crea entradas para tu evento, establece precios y gestiona la cantidad disponible.\",\"d+F6q9\":\"Creado\",\"Q2lUR2\":\"Divisa\",\"DCKkhU\":\"Contraseña actual\",\"uIElGP\":\"URL de mapas personalizados\",\"876pfE\":\"Cliente\",\"QOg2Sf\":\"Personalice la configuración de correo electrónico y notificaciones para este evento\",\"Lu75d1\":\"Customize the email settings for this event\",\"RaxMyF\":\"Customize the event homepage and checkout experience\",\"Y9Z/vP\":\"Personaliza la página de inicio del evento y los mensajes de pago\",\"2E2O5H\":\"Personaliza las configuraciones diversas para este evento.\",\"iJhSxe\":\"Personaliza la configuración de SEO para este evento\",\"KIhhpi\":\"Personaliza la página de tu evento\",\"nrGWUv\":\"Personalice la página de su evento para que coincida con su marca y estilo.\",\"Zz6Cxn\":\"Zona peligrosa\",\"ZQKLI1\":\"Zona de Peligro\",\"7p5kLi\":\"Panel\",\"mYGY3B\":\"Fecha\",\"JvUngl\":\"Fecha y hora\",\"JJhRbH\":\"Capacidad del primer día\",\"PqrqgF\":\"Lista de registro del primer día\",\"RiXc4g\":\"Deactivate user\",\"cnGeoo\":\"Borrar\",\"jRJZxD\":\"Eliminar Capacidad\",\"Qrc8RZ\":\"Eliminar lista de registro\",\"WHf154\":\"Eliminar código\",\"heJllm\":\"Eliminar portada\",\"KWa0gi\":\"Eliminar Imagen\",\"IatsLx\":\"Eliminar pregunta\",\"GnyEfA\":\"Eliminar billete\",\"E33LRn\":\"Delete user\",\"Nu4oKW\":\"Descripción\",\"YC3oXa\":\"Descripción para el personal de registro\",\"s9iD5d\":\"Description should be less than 50,000 characters\",\"URmyfc\":\"Detalles\",\"x8uDKb\":\"Disable code\",\"Tgg8XQ\":\"Desactiva esta capacidad para rastrear la capacidad sin detener la venta de entradas\",\"H6Ma8Z\":\"Descuento\",\"ypJ62C\":\"Descuento %\",\"3LtiBI\":[\"Descuento en \",[\"0\"]],\"C8JLas\":\"Tipo de descuento\",\"1QfxQT\":\"Despedir\",\"cVq+ga\":\"¿No tienes una cuenta? <0>Registrarse\",\"4+aC/x\":\"Donación / Pague la entrada que desee\",\"++S5i/\":\"Donation amount\",\"OO7MG7\":\"Donation Ticket\",\"0pEVi2\":\"Download Tickets PDF\",\"uABpqP\":\"Arrastra y suelta o haz clic\",\"3z2ium\":\"Arrastra para ordenar\",\"6skwyH\":\"Drop an image, or click here to replace the Cover Image\",\"S37RRV\":\"Drop an image, or click here to upload the Cover Image\",\"CfKofC\":\"Selección desplegable\",\"JzLDvy\":\"Duplicar asignaciones de capacidad\",\"ulMxl+\":\"Duplicar listas de registro\",\"vi8Q/5\":\"Duplicar evento\",\"3ogkAk\":\"Duplicar evento\",\"Yu6m6X\":\"Duplicar la imagen de portada del evento\",\"+fA4C7\":\"Duplicar opciones\",\"57ALrd\":\"Duplicar códigos promocionales\",\"83Hu4O\":\"Duplicar preguntas\",\"20144c\":\"Duplicar configuraciones\",\"Wt9eV8\":\"Duplicar boletos\",\"7Cx5It\":\"Madrugador\",\"ePK91l\":\"Editar\",\"N6j2JH\":[\"Editar \",[\"0\"]],\"kNGp1D\":\"Editar asistente\",\"t2bbp8\":\"Editar asistente\",\"kBkYSa\":\"Editar Capacidad\",\"oHE9JT\":\"Editar Asignación de Capacidad\",\"FU1gvP\":\"Editar lista de registro\",\"iFgaVN\":\"Editar código\",\"jrBSO1\":\"Editar organizador\",\"9BdS63\":\"Editar código promocional\",\"O0CE67\":\"Editar pregunta\",\"EzwCw7\":\"Editar pregunta\",\"d+nnyk\":\"Editar ticket\",\"poTr35\":\"Editar usuario\",\"GTOcxw\":\"editar usuario\",\"pqFrv2\":\"p.ej. 2,50 por $2,50\",\"3yiej1\":\"p.ej. 23,5 para 23,5%\",\"O3oNi5\":\"Correo electrónico\",\"VxYKoK\":\"Configuración de correo electrónico y notificaciones\",\"ATGYL1\":\"Dirección de correo electrónico\",\"hzKQCy\":\"Dirección de correo electrónico\",\"HqP6Qf\":\"Cambio de correo electrónico cancelado exitosamente\",\"mISwW1\":\"Cambio de correo electrónico pendiente\",\"WiKda6\":\"Email Configuration\",\"APuxIE\":\"Confirmación por correo electrónico reenviada\",\"YaCgdO\":\"La confirmación por correo electrónico se reenvió correctamente\",\"jyt+cx\":\"Mensaje de pie de página de correo electrónico\",\"I6F3cp\":\"Correo electrónico no verificado\",\"G5zNMX\":\"Email Settings\",\"NTZ/NX\":\"Código de inserción\",\"4rnJq4\":\"Insertar secuencia de comandos\",\"nA31FG\":\"Activa esta capacidad para detener la venta de entradas cuando se alcance el límite\",\"VFv2ZC\":\"Fecha final\",\"237hSL\":\"Terminado\",\"nt4UkP\":\"Eventos finalizados\",\"lYGfRP\":\"Inglés\",\"MhVoma\":\"Ingrese un monto sin incluir impuestos ni tarifas.\",\"3Z223G\":\"Error al confirmar la dirección de correo electrónico\",\"a6gga1\":\"Error al confirmar el cambio de correo electrónico\",\"5/63nR\":\"EUR\",\"0pC/y6\":\"Evento\",\"nuoP/j\":\"Event created successfully\",\"CFLUfD\":\"Evento creado exitosamente 🎉\",\"0Zptey\":\"Valores predeterminados de eventos\",\"6fuA9p\":\"Evento duplicado con éxito\",\"Xe3XMd\":\"El evento no es visible para el público.\",\"4pKXJS\":\"El evento es visible para el público.\",\"ClwUUD\":\"Ubicación del evento y detalles del lugar\",\"OopDbA\":\"Página del evento\",\"JyD0LH\":\"Event Settings\",\"4/If97\":\"Error al actualizar el estado del evento. Por favor, inténtelo de nuevo más tarde\",\"btxLWj\":\"Estado del evento actualizado\",\"tst44n\":\"Eventos\",\"sZg7s1\":\"Fecha de vencimiento\",\"KnN1Tu\":\"Vence\",\"uaSvqt\":\"Fecha de caducidad\",\"GS+Mus\":\"Exportar\",\"9xAp/j\":\"No se pudo cancelar el asistente\",\"ZpieFv\":\"No se pudo cancelar el pedido\",\"z6tdjE\":\"No se pudo eliminar el mensaje. Inténtalo de nuevo.\",\"9zSt4h\":\"No se pudieron exportar los asistentes. Inténtalo de nuevo.\",\"2uGNuE\":\"No se pudieron exportar los pedidos. Inténtalo de nuevo.\",\"d+KKMz\":\"No se pudo cargar la lista de registro\",\"ZQ15eN\":\"No se pudo reenviar el correo electrónico del ticket\",\"PLUB/s\":\"Tarifa\",\"YirHq7\":\"Comentario\",\"/mfICu\":\"Honorarios\",\"V1EGGU\":\"Nombre de pila\",\"kODvZJ\":\"Nombre de pila\",\"S+tm06\":\"El nombre debe tener entre 1 y 50 caracteres.\",\"1g0dC4\":\"Nombre, apellido y dirección de correo electrónico son preguntas predeterminadas y siempre se incluyen en el proceso de pago.\",\"QWa3Sk\":\"First Name, Last Name, and Email Address are default questions that are always included in the checkout process.\",\"TpqW74\":\"Fijado\",\"irpUxR\":\"Cantidad fija\",\"TF9opW\":\"Flash no está disponible en este dispositivo\",\"UNMVei\":\"¿Has olvidado tu contraseña?\",\"2POOFK\":\"Gratis\",\"/4rQr+\":\"Boleto gratis\",\"01my8x\":\"Entrada gratuita, no se requiere información de pago.\",\"nLC6tu\":\"Francés\",\"ejVYRQ\":\"From\",\"DDcvSo\":\"Alemán\",\"u6FPxT\":\"Get Tickets\",\"4GLxhy\":\"Empezando\",\"4D3rRj\":\"volver al perfil\",\"cQPKZt\":\"Go to Dashboard\",\"9LCqFI\":\"Ir a la página de inicio del evento\",\"RUz8o/\":\"ventas brutas\",\"IgcAGN\":\"Ventas brutas\",\"yRg26W\":\"Ventas brutas\",\"R4r4XO\":\"Huéspedes\",\"26pGvx\":\"¿Tienes un código de promoción?\",\"V7yhws\":\"hola@awesome-events.com\",\"GNJ1kd\":\"Ayuda y Soporte\",\"6K/IHl\":\"A continuación se muestra un ejemplo de cómo puede utilizar el componente en su aplicación.\",\"Y1SSqh\":\"Aquí está el componente React que puede usar para incrustar el widget en su aplicación.\",\"Ow9Hz5\":[\"Hola.Eventos Conferencia \",[\"0\"]],\"verBst\":\"Centro de conferencias Hi.Events\",\"6eMEQO\":\"hola.eventos logo\",\"C4qOW8\":\"Oculto de la vista del público\",\"gt3Xw9\":\"pregunta oculta\",\"g3rqFe\":\"preguntas ocultas\",\"k3dfFD\":\"Las preguntas ocultas sólo son visibles para el organizador del evento y no para el cliente.\",\"EeNE0j\":\"Hidden will not be shown to customers.\",\"vLyv1R\":\"Esconder\",\"Mkkvfd\":\"Ocultar página de inicio\",\"mFn5Xz\":\"Ocultar preguntas ocultas\",\"SCimta\":\"Ocultar la página de inicio de la barra lateral\",\"Da29Y6\":\"Ocultar esta pregunta\",\"fsi6fC\":\"Ocultar este ticket a los clientes\",\"fvDQhr\":\"Ocultar este nivel a los usuarios\",\"Fhzoa8\":\"Ocultar boleto después de la fecha de finalización de la venta\",\"yhm3J/\":\"Ocultar boleto antes de la fecha de inicio de venta\",\"k7/oGT\":\"Ocultar ticket a menos que el usuario tenga un código de promoción aplicable\",\"L0ZOiu\":\"Ocultar entrada cuando esté agotada\",\"uno73L\":\"Ocultar una entrada evitará que los usuarios la vean en la página del evento.\",\"tj6Gob\":\"Homepage & Checkout\",\"m07jN3\":\"Homepage & Checkout Settings\",\"ZOBwQn\":\"Diseño de página de inicio\",\"PRuBTd\":\"Diseñador de página de inicio\",\"YjVNGZ\":\"Vista previa de la página de inicio\",\"c3E/kw\":\"Homero\",\"id+NIk\":\"How many minutes the customer has to complete their order\",\"8k8Njd\":\"Cuántos minutos tiene el cliente para completar su pedido. Recomendamos al menos 15 minutos.\",\"ySxKZe\":\"¿Cuántas veces se puede utilizar este código?\",\"dZsDbK\":[\"Límite de caracteres HTML excedido: \",[\"htmlLength\"],\"/\",[\"maxLength\"]],\"fYyXCd\":\"https://example-maps-service.com/...\",\"uOXLV3\":\"Acepto los <0>términos y condiciones\",\"sIxFk5\":\"I agree to the terms and conditions\",\"Crwwhn\":[\"If a new tab did not open, please <0>\",[\"0\"],\".\"],\"93DUnd\":[\"Si no se abrió una nueva pestaña, <0><1>\",[\"0\"],\".\"],\"9gtsTP\":\"Si está en blanco, la dirección se utilizará para generar un enlace al mapa de Google.\",\"muXhGi\":\"Si está habilitado, el organizador recibirá una notificación por correo electrónico cuando se realice un nuevo pedido.\",\"6fLyj/\":\"Si no solicitó este cambio, cambie inmediatamente su contraseña.\",\"n/ZDCz\":\"Imagen eliminada exitosamente\",\"Gyl1h8\":\"Image dimensions must be at least 600px by 300px\",\"TiGacZ\":\"Image dimensions must be at least 900px by 450px\",\"UnTvkH\":\"Las dimensiones de la imagen deben estar entre 3000 px por 2000 px. Con una altura máxima de 2000 px y un ancho máximo de 3000 px\",\"Mfbc2v\":\"Las dimensiones de la imagen deben estar entre 4000px por 4000px. Con una altura máxima de 4000px y un ancho máximo de 4000px\",\"uPEIvq\":\"La imagen debe tener menos de 5 MB.\",\"AGZmwV\":\"Imagen cargada exitosamente\",\"ibi52/\":\"El ancho de la imagen debe ser de al menos 900 px y la altura de al menos 50 px.\",\"NoNwIX\":\"Inactivo\",\"T0K0yl\":\"Los usuarios inactivos no pueden iniciar sesión.\",\"OFAmKP\":\"Include connection details for your online event\",\"BfPBBG\":\"Include connection details for your online event. These details will be after successful registration.\",\"6+pAOx\":\"Include connection details for your online event. These details will be shown after successful registration.\",\"evpD4c\":\"Incluya detalles de conexión para su evento en línea. Estos detalles se mostrarán en la página de resumen del pedido y en la página de boletos de asistente.\",\"FlQKnG\":\"Incluye impuestos y tasas en el precio.\",\"AXTNr8\":[\"Incluye \",[\"0\"],\" boletos\"],\"7/Rzoe\":\"Incluye 1 boleto\",\"nbfdhU\":\"Integraciones\",\"OyLdaz\":\"¡Invitación resentida!\",\"HE6KcK\":\"¡Invitación revocada!\",\"SQKPvQ\":\"Invitar usuario\",\"PgdQrx\":\"Reembolso de emisión\",\"KFXip/\":\"John\",\"XcgRvb\":\"Johnson\",\"1IWWYX\":[\"KittenTech Conference \",[\"0\"]],\"ZgJEMX\":\"KittenTech Conference Center\",\"87a/t/\":\"Etiqueta\",\"vXIe7J\":\"Idioma\",\"I3yitW\":\"Último acceso\",\"1ZaQUH\":\"Apellido\",\"UXBCwc\":\"Apellido\",\"CKcupn\":\"Latest Orders\",\"tITjB1\":\"Más información sobre la raya\",\"c+gAXc\":\"Let's get started by creating your first event\",\"vR92Yn\":\"Comencemos creando tu primer organizador.\",\"QfrKvi\":\"Link color\",\"wJijgU\":\"Ubicación\",\"sQia9P\":\"Acceso\",\"zUDyah\":\"Iniciando sesión\",\"z0t9bb\":\"Acceso\",\"nOhz3x\":\"Cerrar sesión\",\"F2jAFv\":\"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Nam placerat elementum...\",\"XkhEf9\":\"Lorem ipsum...\",\"MU3ijv\":\"Haz que esta pregunta sea obligatoria\",\"wckWOP\":\"Administrar\",\"8mmINh\":\"Manage billing information and view invoices\",\"jWIznR\":\"Manage default settings for new events\",\"n4SpU5\":\"Administrar evento\",\"wqyqaF\":\"Manage general account settings\",\"cQrNR3\":\"Administrar perfil\",\"f92Qak\":\"Manage taxes and fees which can be applied to tickets\",\"PlTcVr\":\"Gestiona los impuestos y tasas que se pueden aplicar a tus billetes\",\"ophZVW\":\"Gestionar entradas\",\"Wsx7Iu\":\"Manage users and their permissions\",\"DdHfeW\":\"Administre los detalles de su cuenta y la configuración predeterminada\",\"QHcjP+\":\"Manage your billing and payment details\",\"S+UjNL\":\"Gestiona tus datos de pago de Stripe\",\"BfucwY\":\"Gestiona tus usuarios y sus permisos\",\"1m+YT2\":\"Las preguntas obligatorias deben responderse antes de que el cliente pueda realizar el pago.\",\"Dim4LO\":\"Agregar manualmente un asistente\",\"e4KdjJ\":\"Agregar asistente manualmente\",\"lzcrX3\":\"Agregar manualmente un asistente ajustará la cantidad de entradas.\",\"g9dPPQ\":\"Máximo por pedido\",\"l5OcwO\":\"Asistente del mensaje\",\"Gv5AMu\":\"Mensaje a los asistentes\",\"1jRD0v\":\"Enviar mensajes a los asistentes con entradas específicas\",\"Lvi+gV\":\"Mensaje del comprador\",\"tNZzFb\":\"Contenido del mensaje\",\"lYDV/s\":\"Enviar mensajes a asistentes individuales\",\"V7DYWd\":\"Mensaje enviado\",\"t7TeQU\":\"Mensajes\",\"xFRMlO\":\"Mínimo por pedido\",\"QYcUEf\":\"Precio mínimo\",\"mYLhkl\":\"Otras configuraciones\",\"KYveV8\":\"Cuadro de texto de varias líneas\",\"SVuGaP\":\"Multiple price options, users can choose which to pay\",\"6wbTro\":\"Múltiples opciones de precios. Perfecto para entradas anticipadas, etc.\",\"/bhMdO\":\"Mi increíble descripción del evento...\",\"vX8/tc\":\"El increíble título de mi evento...\",\"hKtWk2\":\"Mi perfil\",\"pRjx4L\":\"Nam placerat elementum...\",\"6YtxFj\":\"Nombre\",\"hVuv90\":\"El nombre debe tener menos de 150 caracteres.\",\"AIUkyF\":\"Navegar al asistente\",\"qqeAJM\":\"Nunca\",\"7vhWI8\":\"Nueva contraseña\",\"m920rF\":\"New York\",\"1UzENP\":\"No\",\"LNWHXb\":\"No hay eventos archivados para mostrar.\",\"Wjz5KP\":\"No hay asistentes para mostrar\",\"Razen5\":\"Ningún asistente podrá registrarse antes de esta fecha usando esta lista\",\"XUfgCI\":\"No hay Asignaciones de Capacidad\",\"a/gMx2\":\"No hay listas de registro\",\"fFeCKc\":\"Sin descuento\",\"HFucK5\":\"No hay eventos finalizados para mostrar.\",\"Z6ILSe\":\"No hay eventos para este organizador\",\"yAlJXG\":\"No hay eventos para mostrar\",\"KPWxKD\":\"No hay mensajes para mostrar\",\"J2LkP8\":\"No hay pedidos para mostrar\",\"+Y976X\":\"No hay códigos promocionales para mostrar\",\"Ev2r9A\":\"No hay resultados\",\"RHyZUL\":\"Sin resultados de búsqueda.\",\"cU1op4\":\"No Taxes or Fees have been added yet.\",\"RY2eP1\":\"No se han agregado impuestos ni tarifas.\",\"uR2eFu\":\"No tickets available\",\"b7JZFg\":\"No hay entradas para mostrar\",\"EdQY6l\":\"Ninguno\",\"OJx3wK\":\"No disponible\",\"x5+Lcz\":\"No registrado\",\"Scbrsn\":\"No a la venta\",\"hFwWnI\":\"Configuración de las notificaciones\",\"xXqEPO\":\"Notificar al comprador del reembolso\",\"YpN29s\":\"Notificar al organizador de nuevos pedidos\",\"qeQhNj\":\"Ahora creemos tu primer evento.\",\"2NPDz1\":\"En venta\",\"Ldu/RI\":\"En venta\",\"Ug4SfW\":\"Una vez que crees un evento, lo verás aquí.\",\"+P/tII\":\"Una vez que esté listo, configure su evento en vivo y comience a vender entradas.\",\"J6n7sl\":\"En curso\",\"z+nuVJ\":\"evento en línea\",\"WKHW0N\":\"Detalles del evento en línea\",\"/xkmKX\":\"Sólo los correos electrónicos importantes que estén directamente relacionados con este evento deben enviarse mediante este formulario.\\nCualquier uso indebido, incluido el envío de correos electrónicos promocionales, dará lugar a la prohibición inmediata de la cuenta.\",\"Qqqrwa\":\"Abrir la página de registro\",\"OdnLE4\":\"Abrir barra lateral\",\"ZZEYpT\":[\"Opción \",[\"i\"]],\"0zpgxV\":\"Opciones\",\"BzEFor\":\"o\",\"UYUgdb\":\"Orden\",\"mm+eaX\":\"Orden #\",\"B3gPuX\":\"Orden cancelada\",\"SIbded\":\"Pedido completado\",\"q/CcwE\":\"Fecha de orden\",\"Tol4BF\":\"Detalles del pedido\",\"L4kzeZ\":[\"Detalles del pedido \",[\"0\"]],\"WbImlQ\":\"El pedido ha sido cancelado y se ha notificado al propietario del pedido.\",\"VCOi7U\":\"Preguntas sobre pedidos\",\"wg9MPp\":\"Order questions are asked once per order. By default, people are asked for their first name, last name, and email address.\",\"+KNVxX\":\"Order questions are asked once per order. By default, we ask for the first name, last name, and email address.\",\"TPoYsF\":\"Pedir Referencia\",\"GX6dZv\":\"Resumen del pedido\",\"tDTq0D\":\"Tiempo de espera del pedido\",\"1h+RBg\":\"Pedidos\",\"mz+c33\":\"Órdenes creadas\",\"G5RhpL\":\"Organizador\",\"m/ebSk\":\"Organizer Details\",\"mYygCM\":\"Se requiere organizador\",\"Pa6G7v\":\"Nombre del organizador\",\"J2cXxX\":\"Los organizadores sólo pueden gestionar eventos y entradas. No pueden administrar usuarios, configuraciones de cuenta o información de facturación.\",\"fdjq4c\":\"Relleno\",\"ErggF8\":\"Color de fondo de la página\",\"8F1i42\":\"Página no encontrada\",\"QbrUIo\":\"Vistas de página\",\"6D8ePg\":\"página.\",\"IkGIz8\":\"pagado\",\"2w/FiJ\":\"Boleto pagado\",\"8ZsakT\":\"Contraseña\",\"TUJAyx\":\"La contraseña debe tener un mínimo de 8 caracteres.\",\"vwGkYB\":\"La contraseña debe tener al menos 8 caracteres\",\"BLTZ42\":\"Restablecimiento de contraseña exitoso. Por favor inicie sesión con su nueva contraseña.\",\"f7SUun\":\"Las contraseñas no son similares\",\"aEDp5C\":\"Pega esto donde quieras que aparezca el widget.\",\"+23bI/\":\"Patricio\",\"iAS9f2\":\"patrick@acme.com\",\"iq5IUr\":\"Pause Ticket\",\"621rYf\":\"Pago\",\"JhtZAK\":\"Pago fallido\",\"xgav5v\":\"¡Pago exitoso!\",\"CcK+Ft\":\"PDF\",\"att1Hj\":\"percent\",\"/roQKz\":\"Porcentaje\",\"vPJ1FI\":\"Monto porcentual\",\"xdA9ud\":\"Coloque esto en el de su sitio web.\",\"blK94r\":\"Por favor agregue al menos una opción\",\"FJ9Yat\":\"Por favor verifique que la información proporcionada sea correcta.\",\"TkQVup\":\"Por favor revisa tu correo electrónico y contraseña y vuelve a intentarlo.\",\"sMiGXD\":\"Por favor verifique que su correo electrónico sea válido\",\"Ajavq0\":\"Por favor revise su correo electrónico para confirmar su dirección de correo electrónico.\",\"MdfrBE\":\"Por favor complete el siguiente formulario para aceptar su invitación.\",\"b1Jvg+\":\"Por favor continúa en la nueva pestaña.\",\"q40YFl\":\"Please continue your order in the new tab\",\"cdR8d6\":\"Por favor, crea un ticket\",\"ZJG4Di\":\"Please ensure you only send emails directly related to the order. Promotional emails\\nshould not be sent using this form.\",\"o+HaYe\":\"Please enter a valid promo code\",\"HnNept\":\"Por favor ingrese su nueva contraseña\",\"5FSIzj\":\"Tenga en cuenta\",\"MA04r/\":\"Elimine los filtros y configure la clasificación en \\\"Orden de página de inicio\\\" para habilitar la clasificación.\",\"pJLvdS\":\"Por favor seleccione\",\"yygcoG\":\"Por favor seleccione al menos un boleto\",\"igBrCH\":\"Verifique su dirección de correo electrónico para acceder a todas las funciones.\",\"MOERNx\":\"Portugués\",\"R7+D0/\":\"Portugués (Brasil)\",\"qCJyMx\":\"Mensaje posterior al pago\",\"g2UNkE\":\"Energizado por\",\"Qs7yI0\":\"Powered By\",\"lqAWKB\":\"Powered by <0>Hi.Events 👋\",\"3n47kV\":\"Powered By Hi.Events\",\"ddi4j4\":\"Desarrollado por Stripe\",\"Rs7IQv\":\"Mensaje previo al pago\",\"rdUucN\":\"Avance\",\"a7u1N9\":\"Precio\",\"CmoB9j\":\"Modo de visualización de precios\",\"Q8PWaJ\":\"Niveles de precios\",\"a5jvSX\":\"Price Tiers\",\"6RmHKN\":\"Color primario\",\"G/ZwV1\":\"Color primario\",\"8cBtvm\":\"Color de texto principal\",\"BZz12Q\":\"Imprimir\",\"MT7dxz\":\"Imprimir todas las entradas\",\"N0qXpE\":\"Products\",\"vERlcd\":\"Perfil\",\"kUlL8W\":\"perfil actualizado con éxito\",\"cl5WYc\":[\"Código promocional \",[\"promo_code\"],\" aplicado\"],\"ZXpm3a\":[\"Promo \",[\"promoCode\"],\" code applied\"],\"yKWfjC\":\"Página de códigos promocionales\",\"RVb8Fo\":\"Códigos promocionales\",\"BZ9GWa\":\"Los códigos promocionales se pueden utilizar para ofrecer descuentos, acceso de preventa o proporcionar acceso especial a su evento.\",\"4kyDD5\":\"Proporcione contexto adicional o instrucciones para esta pregunta. Utilice este campo para agregar términos y condiciones, directrices o cualquier información importante que los asistentes necesiten saber antes de responder.\",\"812gwg\":\"Licencia de compra\",\"LkMOWF\":\"cantidad disponible\",\"XKJuAX\":\"Pregunta eliminada\",\"avf0gk\":\"Descripción de la pregunta\",\"oQvMPn\":\"Título de la pregunta\",\"enzGAL\":\"Preguntas\",\"K885Eq\":\"Preguntas ordenadas correctamente\",\"OMJ035\":\"Opción de radio\",\"C4TjpG\":\"Leer menos\",\"I3QpvQ\":\"Recipiente\",\"N2C89m\":\"Referencia\",\"gxFu7d\":[\"Importe del reembolso (\",[\"0\"],\")\"],\"n10yGu\":\"Orden de reembolso\",\"zPH6gp\":\"Orden de reembolso\",\"/BI0y9\":\"Reintegrado\",\"fgLNSM\":\"Registro\",\"tasfos\":\"eliminar\",\"t/YqKh\":\"Eliminar\",\"RloWNu\":\"Reply to email\",\"EGm34e\":\"Reenviar correo electrónico de confirmación\",\"lnrkNz\":\"Reenviar confirmación por correo electrónico\",\"wIa8Qe\":\"Reenviar invitacíon\",\"VeKsnD\":\"Reenviar correo electrónico del pedido\",\"dFuEhO\":\"Reenviar correo electrónico del ticket\",\"o6+Y6d\":\"Reenviando...\",\"RfwZxd\":\"Restablecer la contraseña\",\"KbS2K9\":\"Restablecer la contraseña\",\"e99fHm\":\"Restaurar evento\",\"vtc20Z\":\"Volver a la página del evento\",\"8YBH95\":\"Ganancia\",\"PO/sOY\":\"Revocar invitación\",\"GDvlUT\":\"Role\",\"ELa4O9\":\"Fecha de finalización de la venta\",\"5uo5eP\":\"Venta finalizada\",\"Qm5XkZ\":\"Fecha de inicio de la venta\",\"hVF4dJ\":\"Sale starts\",\"hBsw5C\":\"Ventas terminadas\",\"kpAzPe\":\"Inicio de ventas\",\"P/wEOX\":\"San Francisco\",\"tfDRzk\":\"Ahorrar\",\"IUwGEM\":\"Guardar cambios\",\"U65fiW\":\"Guardar organizador\",\"UGT5vp\":\"Guardar ajustes\",\"ovB7m2\":\"Escanear código QR\",\"lBAlVv\":\"Busque por nombre, número de pedido, número de asistente o correo electrónico...\",\"W4kWXJ\":\"Busque por nombre del asistente, correo electrónico o número de pedido...\",\"ulAuWO\":\"Search by event name or description...\",\"+pr/FY\":\"Buscar por nombre del evento...\",\"NQSiYb\":\"Search by name or description...\",\"3zRbWw\":\"Busque por nombre, correo electrónico o número de pedido...\",\"BiYOdA\":\"Buscar por nombre...\",\"B1bB1j\":\"Search by order #, name or email...\",\"KZpERn\":\"Search by product name...\",\"jA4hXE\":\"Search by subject or body...\",\"YEjitp\":\"Buscar por tema o contenido...\",\"HYnGee\":\"Buscar por nombre del billete...\",\"Pjsch9\":\"Buscar asignaciones de capacidad...\",\"r9M1hc\":\"Buscar listas de registro...\",\"YIix5Y\":\"Buscar...\",\"OeW+DS\":\"Color secundario\",\"DnXcDK\":\"Color secundario\",\"cZF6em\":\"Color de texto secundario\",\"ZIgYeg\":\"Color de texto secundario\",\"QuNKRX\":\"Seleccionar cámara\",\"kWI/37\":\"Seleccionar organizador\",\"hAjDQy\":\"Seleccionar estado\",\"QYARw/\":\"Seleccionar billete\",\"XH5juP\":\"Seleccionar nivel de boleto\",\"OMX4tH\":\"Seleccionar boletos\",\"nuWxSr\":\"Select Tickets\",\"O/7I0o\":\"Seleccionar...\",\"JlFcis\":\"Enviar\",\"qKWv5N\":[\"Enviar una copia a <0>\",[\"0\"],\"\"],\"RktTWf\":\"Enviar un mensaje\",\"/mQ/tD\":\"Enviar como prueba. Esto enviará el mensaje a su dirección de correo electrónico en lugar de a los destinatarios.\",\"471O/e\":\"Send confirmation email\",\"M/WIer\":\"Enviar Mensaje\",\"D7ZemV\":\"Enviar confirmación del pedido y correo electrónico del billete.\",\"v1rRtW\":\"Enviar prueba\",\"j1VfcT\":\"Descripción SEO\",\"/SIY6o\":\"Palabras clave SEO\",\"GfWoKv\":\"Configuración de SEO\",\"rXngLf\":\"Título SEO\",\"/jZOZa\":\"Tarifa de servicio\",\"vu4F0h\":\"Set a minimum price and let users donate more\",\"Bj/QGQ\":\"Fijar un precio mínimo y dejar que los usuarios paguen más si lo desean.\",\"nYNT+5\":\"Configura tu evento\",\"A8iqfq\":\"Configura tu evento en vivo\",\"Tz0i8g\":\"Ajustes\",\"Z8lGw6\":\"Compartir\",\"FFbYHm\":[\"Should this \",[\"type\"],\" be applied to all new tickets?\"],\"8vETh9\":\"Espectáculo\",\"smd87r\":\"Mostrar cantidad de entradas disponibles\",\"qDsmzu\":\"Mostrar preguntas ocultas\",\"fMPkxb\":\"Mostrar más\",\"izwOOD\":\"Mostrar impuestos y tarifas por separado\",\"j3b+OW\":\"Se muestra al cliente después de realizar el pago, en la página de resumen del pedido.\",\"YfHZv0\":\"Se muestra al cliente antes de realizar el pago.\",\"CBBcly\":\"Muestra campos de dirección comunes, incluido el país.\",\"yTnnYg\":\"simpson\",\"TNaCfq\":\"Cuadro de texto de una sola línea\",\"+P0Cn2\":\"Salta este paso\",\"YSEnLE\":\"Herrero\",\"lgFfeO\":\"Agotado\",\"Mi1rVn\":\"Agotado\",\"nwtY4N\":\"Algo salió mal\",\"GRChTw\":\"Algo salió mal al eliminar el impuesto o tarifa\",\"YHFrbe\":\"¡Algo salió mal! Inténtalo de nuevo\",\"kf83Ld\":\"Algo salió mal.\",\"fWsBTs\":\"Algo salió mal. Inténtalo de nuevo.\",\"F6YahU\":\"Lo sentimos, algo ha ido mal. Reinicie el proceso de pago.\",\"KWgppI\":\"Lo sentimos, algo salió mal al cargar esta página.\",\"/TCOIK\":\"Lo siento, este pedido ya no existe.\",\"DvCwYF\":\"Sorry, this promo code is invalid'\",\"6a/UJE\":\"Lo sentimos, este código de promoción no se reconoce\",\"9rRZZ+\":\"Lo sentimos, tu pedido ha caducado. Por favor inicie un nuevo pedido.\",\"a4SyEE\":\"La clasificación está deshabilitada mientras se aplican filtros y clasificación\",\"65A04M\":\"Español\",\"4nG1lG\":\"Billete estándar con precio fijo.\",\"D3iCkb\":\"Fecha de inicio\",\"RS0o7b\":\"State\",\"/2by1f\":\"Estado o región\",\"uAQUqI\":\"Estado\",\"UJmAAK\":\"Sujeto\",\"X2rrlw\":\"Total parcial\",\"b0HJ45\":[\"¡Éxito! \",[\"0\"],\" recibirá un correo electrónico en breve.\"],\"BJIEiF\":[[\"0\"],\" asistente con éxito\"],\"Ih8kN0\":[\"Successfully $\",[\"0\"],\" attendee\"],\"xHl17l\":[\"Comprobado correctamente <0>\",[\"0\"],\" \",[\"1\"],\" \",[\"2\"]],\"OtgNFx\":\"Dirección de correo electrónico confirmada correctamente\",\"IKwyaF\":\"Cambio de correo electrónico confirmado exitosamente\",\"zLmvhE\":\"Asistente creado exitosamente\",\"9mZEgt\":\"Código promocional creado correctamente\",\"aIA9C4\":\"Pregunta creada correctamente\",\"onFQYs\":\"Boleto creado exitosamente\",\"Hgj/mB\":\"Successfully deleted ticket\",\"J3RJSZ\":\"Asistente actualizado correctamente\",\"3suLF0\":\"Asignación de Capacidad actualizada con éxito\",\"Z+rnth\":\"Lista de registro actualizada con éxito\",\"vzJenu\":\"Configuración de correo electrónico actualizada correctamente\",\"7kOMfV\":\"Evento actualizado con éxito\",\"G0KW+e\":\"Diseño de página de inicio actualizado con éxito\",\"k9m6/E\":\"Configuración de la página de inicio actualizada correctamente\",\"y/NR6s\":\"Ubicación actualizada correctamente\",\"73nxDO\":\"Configuraciones varias actualizadas exitosamente\",\"70dYC8\":\"Código promocional actualizado correctamente\",\"F+pJnL\":\"Configuración de SEO actualizada con éxito\",\"g2lRrH\":\"Boleto actualizado exitosamente\",\"DXZRk5\":\"habitación 100\",\"GNcfRk\":\"Correo electrónico de soporte\",\"JpohL9\":\"Impuesto\",\"geUFpZ\":\"Impuestos y tarifas\",\"0RXCDo\":\"Impuesto o tasa eliminados correctamente\",\"ZowkxF\":\"Impuestos\",\"EEZnW+\":\"Taxes & Fees\",\"qu6/03\":\"Impuestos y honorarios\",\"gVjSFp\":\"Taxes and Fees can be associated with tickets and will be added to the ticket price.\",\"e0ZSh4\":\"Text Colour\",\"gypigA\":\"Ese código de promoción no es válido.\",\"0ozSQu\":\"The background color for the event homepage\",\"LbHWgW\":\"The background color for the ticket widget on the event homepage\",\"75Xclv\":\"The basic details of your event\",\"5ShqeM\":\"La lista de registro que buscas no existe.\",\"UNqHnV\":\"The color of the buttons on the event homepage\",\"0amhbL\":\"The color of the links on the event homepage\",\"QXlz+n\":\"La moneda predeterminada para tus eventos.\",\"mnafgQ\":\"La zona horaria predeterminada para sus eventos.\",\"o7s5FA\":\"El idioma en el que el asistente recibirá los correos electrónicos.\",\"NlfnUd\":\"El enlace en el que hizo clic no es válido.\",\"FqjKfd\":\"The location of your event\",\"kIXEVN\":[\"El número máximo de entradas para \",[\"0\"],\" es \",[\"1\"]],\"FeAfXO\":[\"El número máximo de entradas para Generales es \",[\"0\"]],\"POEqXB\":\"The organizer details of your event\",\"TSAiPM\":\"La página que buscas no existe\",\"MSmKHn\":\"El precio mostrado al cliente incluirá impuestos y tasas.\",\"6zQOg1\":\"El precio mostrado al cliente no incluirá impuestos ni tasas. Se mostrarán por separado.\",\"ne/9Ur\":\"La configuración de estilo que elija se aplica sólo al HTML copiado y no se almacenará.\",\"TJZByZ\":\"The tax and fee to apply to this ticket. You can create new taxes and fees on the\",\"OJYwh9\":\"Los impuestos y tasas a aplicar a este billete. Puede crear nuevos impuestos y tarifas en el\",\"6BpBfZ\":\"The text color for the event homepage\",\"rljHp7\":\"The text color for the ticket widget on the event homepage\",\"s4di40\":\"The text to display in the 'Continue' button. Defaults to 'Continue'\",\"esY5SG\":\"El título del evento que se mostrará en los resultados del motor de búsqueda y al compartirlo en las redes sociales. De forma predeterminada, se utilizará el título del evento.\",\"wgAiDb\":\"The user must login to change their email.\",\"jvxN9/\":\"No hay entradas disponibles para este evento.\",\"rMcHYt\":\"Hay un reembolso pendiente. Espere a que se complete antes de solicitar otro reembolso.\",\"hjLUr+\":\"There was an error loading this content. Please refresh the page and try again.\",\"68Axnm\":\"Hubo un error al procesar su solicitud. Inténtalo de nuevo.\",\"mVKOW6\":\"Hubo un error al enviar tu mensaje\",\"Um/adz\":\"These allow multiple selections\",\"vWeHWp\":\"These colors are not saved in our system.\",\"7qzHGS\":\"These colors are not saved in our system. They are only used to generate the widget.\",\"xxv3BZ\":\"Esta lista de registro ha expirado\",\"Sa7w7S\":\"Esta lista de registro ha expirado y ya no está disponible para registros.\",\"Uicx2U\":\"Esta lista de registro está activa\",\"1k0Mp4\":\"Esta lista de registro aún no está activa\",\"K6fmBI\":\"Esta lista de registro aún no está activa y no está disponible para registros.\",\"t/ePFj\":\"Esta descripción se mostrará al personal de registro\",\"MLTkH7\":\"Este correo electrónico no es promocional y está directamente relacionado con el evento.\",\"2eIpBM\":\"Este evento no está disponible en este momento. Por favor, vuelva más tarde.\",\"Z6LdQU\":\"Este evento no está disponible.\",\"CNk/ro\":\"Este es un evento en línea\",\"GabtCa\":\"This is the email address that will be used as the reply-to address for all emails sent from this event\",\"FwXnJd\":\"Esta lista ya no estará disponible para registros después de esta fecha\",\"CKkb5E\":\"This message is how below the\",\"cHO4ec\":\"Este mensaje se incluirá en el pie de página de todos los correos electrónicos enviados desde este evento.\",\"RjwlZt\":\"Este pedido ya ha sido pagado.\",\"axERYu\":\"This order has already been paid. <0>View order details\",\"wY+HO9\":\"This order has already been processed.\",\"5K8REg\":\"Este pedido ya ha sido reembolsado.\",\"OiQMhP\":\"Esta orden ha sido cancelada\",\"YyEJij\":\"Esta orden ha sido cancelada.\",\"D44cEI\":\"This order has been completed.\",\"HILpDX\":\"Este pedido está pendiente de pago.\",\"0vRWbB\":\"This order is awaiting payment.\",\"BdYtn9\":\"Este pedido está completo.\",\"e3uMJH\":\"Este pedido está completo.\",\"YNKXOK\":\"Este pedido se está procesando.\",\"LIjb4v\":\"This order is processing. TODO - a nice image and poll the API\",\"yPZN4i\":\"Esta página de pedidos ya no está disponible.\",\"5189cf\":\"Esto anula todas las configuraciones de visibilidad y ocultará el ticket a todos los clientes.\",\"4vwjho\":\"This page has expired. <0>View order details\",\"Qt7RBu\":\"Esta pregunta solo es visible para el organizador del evento.\",\"os29v1\":\"Este enlace para restablecer la contraseña no es válido o ha caducado.\",\"WJqBqd\":\"Este ticket no se puede eliminar porque está\\nasociado a un pedido. Puedes ocultarlo en su lugar.\",\"ma6qdu\":\"Este billete está oculto a la vista del público.\",\"xJ8nzj\":\"Este ticket está oculto a menos que esté dirigido a un código promocional.\",\"IV9xTT\":\"Este usuario no está activo porque no ha aceptado su invitación.\",\"5AnPaO\":\"boleto\",\"kjAL4v\":\"Boleto\",\"KosivG\":\"Boleto eliminado exitosamente\",\"dtGC3q\":\"El correo electrónico del ticket se ha reenviado al asistente.\",\"USk+Mn\":\"Ticket page message\",\"mRM6XH\":\"Venta de boletos\",\"NirIiz\":\"Nivel de boletos\",\"8jLPgH\":\"Tipo de billete\",\"jqWDf9\":\"Ticket widget background color\",\"UrMVAz\":\"Vista previa del widget de ticket\",\"ngtDy7\":\"Ticket widget text color\",\"N+YYpo\":\"Entradas)\",\"6GQNLE\":\"Entradas\",\"54q0zp\":\"Entradas para\",\"ikA//P\":\"entradas vendidas\",\"i+idBz\":\"Entradas vendidas\",\"AGRilS\":\"Entradas vendidas\",\"56Qw2C\":\"Entradas ordenadas correctamente\",\"4f8A8M\":\"Tickets to which the promo code applies (Applies to all by default)\",\"xN9AhL\":[\"Nivel \",[\"0\"]],\"oYaHuq\":\"Boleto escalonado\",\"XZrhpz\":\"Tiered Ticket - Coming Soon\",\"4M150e\":\"Los boletos escalonados le permiten ofrecer múltiples opciones de precios para el mismo boleto.\\nEsto es perfecto para entradas anticipadas o para ofrecer precios diferentes.\\nopciones para diferentes grupos de personas.\",\"jQoYTX\":\"Tiered tickets allow you to offer multiple price options for the same ticket. This is perfect for early bird tickets or offering different price options for different groups of people.\",\"s/0RpH\":\"Tiempos utilizados\",\"40Gx0U\":\"Zona horaria\",\"oDGm7V\":\"CONSEJO\",\"MHrjPM\":\"Título\",\"xdA/+p\":\"Herramientas\",\"72c5Qo\":\"Total\",\"BxsfMK\":\"Tarifas totales\",\"mpB/d9\":\"Monto total del pedido\",\"m3FM1g\":\"Total reembolsado\",\"GBBIy+\":\"Total restante\",\"/SgoNA\":\"Total impuestos\",\"+zy2Nq\":\"Tipo\",\"mLGbAS\":[\"No se puede \",[\"0\"],\" asistir\"],\"FMdMfZ\":\"No se pudo registrar al asistente\",\"bPWBLL\":\"No se pudo retirar al asistente\",\"/cSMqv\":\"No se puede crear una pregunta. Por favor revisa tus datos\",\"nNdxt9\":\"No se puede crear el ticket. Por favor revisa tus datos\",\"MH/lj8\":\"No se puede actualizar la pregunta. Por favor revisa tus datos\",\"Mqy/Zy\":\"Estados Unidos\",\"NIuIk1\":\"Ilimitado\",\"/p9Fhq\":\"Ilimitado disponible\",\"oMcLhS\":\"Unlimited ticket quantity available\",\"E0q9qH\":\"Usos ilimitados permitidos\",\"ia8YsC\":\"Próximo\",\"TlEeFv\":\"Próximos eventos\",\"L/gNNk\":[\"Actualizar \",[\"0\"]],\"+qqX74\":\"Actualizar el nombre del evento, la descripción y las fechas.\",\"vXPSuB\":\"Actualización del perfil\",\"gsehpV\":\"Upload an image to be displayed on the event page\",\"BNBfrU\":\"Subir portada\",\"UtDm3q\":\"URL copiada en el portapapeles\",\"e5lF64\":\"Ejemplo de uso\",\"sGEOe4\":\"Utilice una versión borrosa de la imagen de portada como fondo\",\"OadMRm\":\"Usar imagen de portada\",\"7PzzBU\":\"Usuario\",\"yDOdwQ\":\"Gestión de usuarios\",\"Sxm8rQ\":\"Usuarios\",\"VEsDvU\":\"Los usuarios pueden cambiar su correo electrónico en <0>Configuración de perfil\",\"vgwVkd\":\"UTC\",\"khBZkl\":\"IVA\",\"E/9LUk\":\"Nombre del lugar\",\"AM+zF3\":\"Ver asistente\",\"e4mhwd\":\"Ver página de inicio del evento\",\"/5PEQz\":\"Ver página del evento\",\"fFornT\":\"Ver mensaje completo\",\"YIsEhQ\":\"Ver el mapa\",\"Ep3VfY\":\"Ver en Google Maps\",\"AMkkeL\":\"Ver pedido\",\"Y8s4f6\":\"Ver detalles de la orden\",\"QIWCnW\":\"Lista de registro VIP\",\"tF+VVr\":\"Entrada VIP\",\"2q/Q7x\":\"Visibilidad\",\"vmOFL/\":\"No pudimos procesar su pago. Inténtelo de nuevo o comuníquese con el soporte.\",\"1E0vyy\":\"No pudimos cargar los datos. Inténtalo de nuevo.\",\"VGioT0\":\"Recomendamos dimensiones de 2160 px por 1080 px y un tamaño de archivo máximo de 5 MB.\",\"b9UB/w\":\"Usamos Stripe para procesar pagos. Conecte su cuenta Stripe para comenzar a recibir pagos.\",\"01WH0a\":\"No pudimos confirmar su pago. Inténtelo de nuevo o comuníquese con el soporte.\",\"Gspam9\":\"Estamos procesando tu pedido. Espere por favor...\",\"LuY52w\":\"¡Bienvenido a bordo! Por favor inicie sesión para continuar.\",\"dVxpp5\":[\"Bienvenido de nuevo\",[\"0\"],\" 👋\"],\"NxOVCl\":[\"Bienvenido a Hola.Eventos, \",[\"0\"],\" 👋\"],\"wjqPqF\":\"¿Qué son los boletos escalonados?\",\"f1jUC0\":\"¿En qué fecha debe activarse esta lista de registro?\",\"5iXvHA\":\"What is a Tiered Ticketing?\",\"MhhnvW\":\"¿A qué billetes se aplica este código? (Se aplica a todos de forma predeterminada)\",\"dCil3h\":\"¿A qué billetes debería aplicarse esta pregunta?\",\"Rb0XUE\":\"¿A qué hora llegarás?\",\"5N4wLD\":\"¿Qué tipo de pregunta es esta?\",\"D7C6XV\":\"¿Cuándo debe expirar esta lista de registro?\",\"FVetkT\":\"¿Qué boletos deben asociarse con esta lista de registro?\",\"S+OdxP\":\"¿Quién organiza este evento?\",\"LINr2M\":\"¿A quién va dirigido este mensaje?\",\"nWhye/\":\"¿A quién se le debería hacer esta pregunta?\",\"vVGiM4\":\"Who type of question is this?\",\"onLsWS\":\"Whoops! something went wrong. Please try again or contact support if the problem persists.\",\"AHXN2z\":\"Widget\",\"AU/8QR\":\"Widget Configuration\",\"VxFvXQ\":\"Insertar widget\",\"v1P7Gm\":\"Configuración de widgets\",\"b4itZn\":\"Laboral\",\"hqmXmc\":\"Laboral...\",\"l75CjT\":\"Sí\",\"QcwyCh\":\"Si, eliminarlos\",\"ySeBKv\":\"Ya has escaneado este boleto\",\"P+Sty0\":[\"Estás cambiando tu correo electrónico a <0>\",[\"0\"],\".\"],\"gGhBmF\":\"Estás desconectado\",\"4ysd6z\":\"You can connecting using this Zoom link...\",\"9HGdDw\":\"Puedes crear un código de promoción dirigido a este ticket en el\",\"KRhIxT\":\"Ahora puedes empezar a recibir pagos a través de Stripe.\",\"UqVaVO\":\"No puede cambiar el tipo de entrada ya que hay asistentes asociados a esta entrada.\",\"zQ8idk\":\"You cannot change the ticket type because there are already tickets sold for this ticket.\",\"3vRX5A\":\"No puedes eliminar este nivel de precios porque ya hay boletos vendidos para este nivel. Puedes ocultarlo en su lugar.\",\"RCC09s\":\"You cannot edit a default question\",\"tFbRKJ\":\"No puede editar la función o el estado del propietario de la cuenta.\",\"fHfiEo\":\"No puede reembolsar un pedido creado manualmente.\",\"hK9c7R\":\"Creaste una pregunta oculta pero deshabilitaste la opción para mostrar preguntas ocultas. Ha sido habilitado.\",\"NOaWRX\":\"Usted no tiene permiso para acceder a esta página\",\"BRArmD\":\"Tienes acceso a múltiples cuentas. Por favor elige uno para continuar.\",\"Z6q0Vl\":\"Ya has aceptado esta invitación. Por favor inicie sesión para continuar.\",\"rdk1xK\":\"Has conectado tu cuenta Stripe\",\"ofEncr\":\"No tienes preguntas de los asistentes.\",\"XoeazJ\":\"You have no attendee questions. Attendee questions are asked once per attendee.\",\"CoZHDB\":\"No tienes preguntas sobre pedidos.\",\"FZKDIe\":\"You have no order questions. Order questions are asked once per order.\",\"15qAvl\":\"No tienes ningún cambio de correo electrónico pendiente.\",\"n81Qk8\":\"No has completado la configuración de Stripe Connect\",\"jxsiqJ\":\"No has conectado tu cuenta de Stripe\",\"183zcL\":\"Tiene impuestos y tarifas agregados a un boleto gratis. ¿Le gustaría eliminarlos u ocultarlos?\",\"2v5MI1\":\"Aún no has enviado ningún mensaje. Puede enviar mensajes a todos los asistentes o a poseedores de entradas específicas.\",\"R6i9o9\":\"Debes reconocer que este correo electrónico no es promocional.\",\"3ZI8IL\":\"Debes aceptar los términos y condiciones.\",\"dMd3Uf\":\"Debes confirmar tu dirección de correo electrónico antes de que tu evento pueda comenzar.\",\"H35u3n\":\"Debe crear un ticket antes de poder agregar manualmente un asistente.\",\"jE4Z8R\":\"Debes tener al menos un nivel de precios\",\"LRguuL\":\"You must have at least one tier\",\"8/eLoa\":\"Debes verificar tu cuenta antes de poder enviar mensajes.\",\"L/+xOk\":\"Necesitarás un boleto antes de poder crear una lista de registro.\",\"8QNzin\":\"Necesitarás un ticket antes de poder crear una asignación de capacidad.\",\"WHXRMI\":\"Necesitará al menos un boleto para comenzar. Gratis, de pago o deja que el usuario decida qué pagar.\",\"bdg03s\":\"Your account email in outgoing emails.\",\"ROR8QD\":\"Su nombre de cuenta se utiliza en las páginas de eventos y en los correos electrónicos.\",\"veessc\":\"Sus asistentes aparecerán aquí una vez que se hayan registrado para su evento. También puede agregar asistentes manualmente.\",\"Eh5Wrd\":\"Tu increíble sitio web 🎉\",\"lkMK2r\":\"Tus detalles\",\"3ENYTQ\":[\"Su solicitud de cambio de correo electrónico a <0>\",[\"0\"],\" está pendiente. Por favor revisa tu correo para confirmar\"],\"yZfBoy\":\"Tu mensaje ha sido enviado\",\"la26JS\":\"Your order is in progress\",\"7YJdgG\":\"Tus pedidos aparecerán aquí una vez que comiencen a llegar.\",\"9TO8nT\":\"Tu contraseña\",\"P8hBau\":\"Su pago se está procesando.\",\"UdY1lL\":\"Su pago no fue exitoso, inténtelo nuevamente.\",\"fzuM26\":\"Su pago no fue exitoso. Inténtalo de nuevo.\",\"cJ4Y4R\":\"Su reembolso se está procesando.\",\"IFHV2p\":\"Tu billete para\",\"3k7HDY\":\"Zip\",\"BM/KQm\":\"CP o Código Postal\",\"VftCuk\":\"Zoom link, Google Meet link, etc.\"}")}; \ No newline at end of file diff --git a/frontend/src/locales/es.po b/frontend/src/locales/es.po index aec85660..8bcc4c1a 100644 --- a/frontend/src/locales/es.po +++ b/frontend/src/locales/es.po @@ -29,7 +29,7 @@ msgstr "{0} <0>registrado con éxito" msgid "{0} <0>checked out successfully" msgstr "{0} <0>retirado con éxito" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:298 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:305 msgid "{0} available" msgstr "{0} disponible" @@ -218,7 +218,7 @@ msgstr "Cuenta" msgid "Account Name" msgstr "Nombre de la cuenta" -#: src/components/common/GlobalMenu/index.tsx:24 +#: src/components/common/GlobalMenu/index.tsx:32 #: src/components/routes/account/ManageAccount/index.tsx:19 msgid "Account Settings" msgstr "Configuraciones de la cuenta" @@ -361,7 +361,7 @@ msgstr "Increíble, evento, palabras clave..." #: src/components/common/OrdersTable/index.tsx:152 #: src/components/forms/TaxAndFeeForm/index.tsx:71 -#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:35 +#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:36 msgid "Amount" msgstr "Cantidad" @@ -405,7 +405,7 @@ msgstr "Cualquier consulta de los poseedores de entradas se enviará a esta dire msgid "Appearance" msgstr "Apariencia" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:367 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:377 msgid "applied" msgstr "aplicado" @@ -417,7 +417,7 @@ msgstr "Se aplica a {0} entradas" msgid "Applies to 1 ticket" msgstr "Se aplica a 1 entrada" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:395 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:405 msgid "Apply Promo Code" msgstr "Aplicar código promocional" @@ -745,7 +745,7 @@ msgstr "Ciudad" msgid "Clear Search Text" msgstr "Borrar texto de búsqueda" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:265 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:266 msgid "click here" msgstr "haga clic aquí" @@ -863,7 +863,7 @@ msgstr "Color de fondo del contenido" #: src/components/common/WidgetEditor/index.tsx:31 #: src/components/common/WidgetEditor/index.tsx:217 #: src/components/layouts/Checkout/CheckoutFooter/index.tsx:36 -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:353 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:363 msgid "Continue" msgstr "Continuar" @@ -986,6 +986,10 @@ msgstr "Crear nuevo" msgid "Create Organizer" msgstr "Crear organizador" +#: src/components/routes/event/products.tsx:50 +msgid "Create Product" +msgstr "" + #: src/components/modals/CreatePromoCodeModal/index.tsx:51 #: src/components/modals/CreatePromoCodeModal/index.tsx:56 msgid "Create Promo Code" @@ -1160,7 +1164,7 @@ msgstr "Descuento en {0}" msgid "Discount Type" msgstr "Tipo de descuento" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:274 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:275 msgid "Dismiss" msgstr "Despedir" @@ -1576,7 +1580,7 @@ msgstr "¿Has olvidado tu contraseña?" #: src/components/common/OrderSummary/index.tsx:99 #: src/components/common/TicketsTable/SortableTicket/index.tsx:88 #: src/components/common/TicketsTable/SortableTicket/index.tsx:102 -#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:51 +#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:52 msgid "Free" msgstr "Gratis" @@ -1625,7 +1629,7 @@ msgstr "Ventas brutas" msgid "Guests" msgstr "Huéspedes" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:362 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:372 msgid "Have a promo code?" msgstr "¿Tienes un código de promoción?" @@ -1676,7 +1680,7 @@ msgid "Hidden questions are only visible to the event organizer and not to the c msgstr "Las preguntas ocultas sólo son visibles para el organizador del evento y no para el cliente." #: src/components/forms/TicketForm/index.tsx:289 -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:332 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:342 msgid "Hide" msgstr "Esconder" @@ -1760,7 +1764,7 @@ msgstr "https://example-maps-service.com/..." msgid "I agree to the <0>terms and conditions" msgstr "Acepto los <0>términos y condiciones" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:261 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:262 msgid "If a new tab did not open, please <0><1>{0}." msgstr "Si no se abrió una nueva pestaña, <0><1>{0}." @@ -1914,7 +1918,7 @@ msgstr "Iniciando sesión" msgid "Login" msgstr "Acceso" -#: src/components/common/GlobalMenu/index.tsx:29 +#: src/components/common/GlobalMenu/index.tsx:47 msgid "Logout" msgstr "Cerrar sesión" @@ -2047,7 +2051,7 @@ msgstr "Mi increíble descripción del evento..." msgid "My amazing event title..." msgstr "El increíble título de mi evento..." -#: src/components/common/GlobalMenu/index.tsx:19 +#: src/components/common/GlobalMenu/index.tsx:27 msgid "My Profile" msgstr "Mi perfil" @@ -2444,7 +2448,7 @@ msgstr "Por favor revise su correo electrónico para confirmar su dirección de msgid "Please complete the form below to accept your invitation" msgstr "Por favor complete el siguiente formulario para aceptar su invitación." -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:259 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:260 msgid "Please continue in the new tab" msgstr "Por favor continúa en la nueva pestaña." @@ -2469,7 +2473,7 @@ msgstr "Elimine los filtros y configure la clasificación en \"Orden de página msgid "Please select" msgstr "Por favor seleccione" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:216 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:217 msgid "Please select at least one ticket" msgstr "Por favor seleccione al menos un boleto" @@ -2540,6 +2544,10 @@ msgstr "Imprimir" msgid "Print All Tickets" msgstr "Imprimir todas las entradas" +#: src/components/routes/event/products.tsx:39 +msgid "Products" +msgstr "" + #: src/components/routes/profile/ManageProfile/index.tsx:106 msgid "Profile" msgstr "Perfil" @@ -2548,7 +2556,7 @@ msgstr "Perfil" msgid "Profile updated successfully" msgstr "perfil actualizado con éxito" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:160 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:161 msgid "Promo {promo_code} code applied" msgstr "Código promocional {promo_code} aplicado" @@ -2639,11 +2647,11 @@ msgstr "Reintegrado" msgid "Register" msgstr "Registro" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:371 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:381 msgid "remove" msgstr "eliminar" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:372 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:382 msgid "Remove" msgstr "Eliminar" @@ -2779,6 +2787,10 @@ msgstr "Busque por nombre, correo electrónico o número de pedido..." msgid "Search by name..." msgstr "Buscar por nombre..." +#: src/components/routes/event/products.tsx:43 +msgid "Search by product name..." +msgstr "" + #: src/components/routes/event/messages.tsx:34 msgid "Search by subject or content..." msgstr "Buscar por tema o contenido..." @@ -2927,7 +2939,7 @@ msgstr "Mostrar cantidad de entradas disponibles" msgid "Show hidden questions" msgstr "Mostrar preguntas ocultas" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:332 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:342 msgid "Show more" msgstr "Mostrar más" @@ -3007,7 +3019,7 @@ msgstr "Lo sentimos, algo salió mal al cargar esta página." msgid "Sorry, this order no longer exists." msgstr "Lo siento, este pedido ya no existe." -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:225 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:226 msgid "Sorry, this promo code is not recognized" msgstr "Lo sentimos, este código de promoción no se reconoce" @@ -3181,8 +3193,8 @@ msgstr "Impuestos" msgid "Taxes and Fees" msgstr "Impuestos y honorarios" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:120 -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:168 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:121 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:169 msgid "That promo code is invalid" msgstr "Ese código de promoción no es válido." @@ -3208,7 +3220,7 @@ msgstr "El idioma en el que el asistente recibirá los correos electrónicos." msgid "The link you clicked is invalid." msgstr "El enlace en el que hizo clic no es válido." -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:318 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:328 msgid "The maximum numbers number of tickets for {0}is {1}" msgstr "El número máximo de entradas para {0} es {1}" @@ -3240,7 +3252,7 @@ msgstr "Los impuestos y tasas a aplicar a este billete. Puede crear nuevos impue msgid "The title of the event that will be displayed in search engine results and when sharing on social media. By default, the event title will be used" msgstr "El título del evento que se mostrará en los resultados del motor de búsqueda y al compartirlo en las redes sociales. De forma predeterminada, se utilizará el título del evento." -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:249 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:250 msgid "There are no tickets available for this event" msgstr "No hay entradas disponibles para este evento." @@ -3533,7 +3545,7 @@ msgid "Unable to create question. Please check the your details" msgstr "No se puede crear una pregunta. Por favor revisa tus datos" #: src/components/modals/CreateTicketModal/index.tsx:64 -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:105 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:106 msgid "Unable to create ticket. Please check the your details" msgstr "No se puede crear el ticket. Por favor revisa tus datos" @@ -3552,6 +3564,10 @@ msgstr "Estados Unidos" msgid "Unlimited" msgstr "Ilimitado" +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:300 +msgid "Unlimited available" +msgstr "Ilimitado disponible" + #: src/components/common/PromoCodeTable/index.tsx:125 msgid "Unlimited usages allowed" msgstr "Usos ilimitados permitidos" diff --git a/frontend/src/locales/fr.js b/frontend/src/locales/fr.js index aff7827e..f7af5b36 100644 --- a/frontend/src/locales/fr.js +++ b/frontend/src/locales/fr.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"1bpx9A\":\"...\",\"f8qS7T\":\"\\\"Il n'y a rien à montrer pour l'instant\\\"\",\"4zldrf\":[[\"0\",\"plural\",{\"one\":[\"#\",\" hidden question\"],\"other\":[\"#\",\" hidden questions\"]}]],\"J/hVSQ\":[[\"0\"]],\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"Jv22kr\":[[\"0\"],\" <0>enregistré avec succès\"],\"yxhYRZ\":[[\"0\"],\" <0>sorti avec succès\"],\"KMgp2+\":[[\"0\"],\" disponible\"],\"tmew5X\":[[\"0\"],\" s'est enregistré\"],\"Pmr5xp\":[[\"0\"],\" créé avec succès\"],\"FImCSc\":[[\"0\"],\" mis à jour avec succès\"],\"KOr9b4\":[\"Les événements de \",[\"0\"]],\"qSiUsc\":[[\"0\"],[\"1\"]],\"cU8MWb\":[[\"0\"],\"/\",[\"1\"],\" enregistré\"],\"Vjij1k\":[[\"days\"],\" jours, \",[\"hours\"],\" heures, \",[\"minutes\"],\" minutes, et \",[\"seconds\"],\" secondes\"],\"f3RdEk\":[[\"hours\"],\" heures, \",[\"minutes\"],\" minutes, et \",[\"seconds\"],\" secondes\"],\"wapGcj\":[[\"message\"]],\"fyE7Au\":[[\"minutes\"],\" minutes et \",[\"secondes\"],\" secondes\"],\"NlQ0cx\":[\"Premier événement de \",[\"organizerName\"]],\"Ul6IgC\":\"<0>Les affectations de capacité vous permettent de gérer la capacité des billets ou d'un événement entier. Idéal pour les événements de plusieurs jours, les ateliers et plus encore, où le contrôle de l'assistance est crucial.<1>Par exemple, vous pouvez associer une affectation de capacité avec un billet <2>Jour Un et <3>Tous les Jours. Une fois la capacité atteinte, les deux billets ne seront plus disponibles à la vente.\",\"Exjbj7\":\"<0>Les listes de pointage aident à gérer l'entrée des participants à votre événement. Vous pouvez associer plusieurs billets à une liste de pointage et vous assurer que seuls ceux avec des billets valides peuvent entrer.\",\"OXku3b\":\"<0>https://votre-siteweb.com\",\"qnSLLW\":\"<0>Veuillez entrer le prix hors taxes et frais.<1>Les taxes et frais peuvent être ajoutés ci-dessous.\",\"0940VN\":\"<0>Le nombre de billets disponibles pour ce billet<1>Cette valeur peut être remplacée s'il y a des <2>Limites de Capacité associées à ce billet.\",\"E15xs8\":\"⚡️ Organisez votre événement\",\"FL6OwU\":\"✉️ Confirmez votre adresse email\",\"y1NShf\":\"🎉 Congratulation on creating an event!\",\"BN0OQd\":\"🎉 Félicitations pour la création d'un événement !\",\"fAv9QG\":\"🎟️ Ajouter des billets\",\"4WT5tD\":\"🎨 Personnalisez votre page d'événement\",\"3VPPdS\":\"💳 Connectez-vous avec Stripe\",\"s4Tgn6\":\"📢 Promote your event\",\"cjdktw\":\"🚀 Mettez votre événement en direct\",\"rmelwV\":\"0 minute et 0 seconde\",\"UQ7pBY\":\"0.50 for $0.50\",\"i1+xzD\":\"1.75 for 1.75%\",\"i0puaE\":\"10h00\",\"W9+fkZ\":\"10001\",\"qdfdgM\":\"123, rue Principale\",\"IoRZzD\":\"20\",\"+H1RMb\":\"2024-01-01 10:00\",\"Q/T49U\":\"2024-01-01 18:00\",\"hMT8+2\":\"94103\",\"efAM7X\":\"Un champ de date. Parfait pour demander une date de naissance, etc.\",\"d9El7Q\":[\"Un \",[\"type\"],\" par défaut est automatiquement appliqué à tous les nouveaux tickets. Vous pouvez remplacer cela par ticket.\"],\"SMUbbQ\":\"Une entrée déroulante ne permet qu'une seule sélection\",\"qv4bfj\":\"Des frais, comme des frais de réservation ou des frais de service\",\"Pgaiuj\":\"Un montant fixe par billet. Par exemple, 0,50 $ par billet\",\"f4vJgj\":\"Une saisie de texte sur plusieurs lignes\",\"ySO/4f\":\"Un pourcentage du prix du billet. Par exemple, 3,5 % du prix du billet\",\"WXeXGB\":\"Un code promotionnel sans réduction peut être utilisé pour révéler des billets cachés.\",\"GMhWB5\":\"A Radio option allows has multiple options but only one can be selected.\",\"CBt3s7\":\"A Radio Option allows only one selection\",\"AG/qmQ\":\"Une option Radio comporte plusieurs options, mais une seule peut être sélectionnée.\",\"7g61G9\":\"A short description of Awesome Events Ltd.\",\"h179TP\":\"Une brève description de l'événement qui sera affichée dans les résultats des moteurs de recherche et lors du partage sur les réseaux sociaux. Par défaut, la description de l'événement sera utilisée\",\"WKMnh4\":\"Une saisie de texte sur une seule ligne\",\"zCk10D\":\"Une seule question par participant. Par exemple, quel est votre repas préféré ?\",\"ap3v36\":\"Une seule question par commande. Par exemple, quel est le nom de votre entreprise ?\",\"RlJmQg\":\"Une taxe standard, comme la TVA ou la TPS\",\"pDwHGk\":\"About hi.events\",\"uIKNjo\":\"À propos de l'événement\",\"bfXQ+N\":\"Accepter l'invitation\",\"iwyhk4\":\"Access to the VIP area...\",\"AeXO77\":\"Compte\",\"0b79Xf\":\"Account Email\",\"lkNdiH\":\"Nom du compte\",\"Puv7+X\":\"Paramètres du compte\",\"OmylXO\":\"Compte mis à jour avec succès\",\"7L01XJ\":\"Actions\",\"FQBaXG\":\"Activer\",\"5T2HxQ\":\"Date d'activation\",\"F6pfE9\":\"Actif\",\"m16xKo\":\"Ajouter\",\"LKNynS\":\"Add a cover image, description, and more to make your event stand out.\",\"/PN1DA\":\"Ajouter une description pour cette liste de pointage\",\"PGPGsL\":\"Ajouter une description\",\"gMK0ps\":\"Ajoutez des détails sur l'événement et gérez les paramètres de l'événement.\",\"Fb+SDI\":\"Ajouter plus de billets\",\"ApsD9J\":\"Ajouter un nouveau\",\"TZxnm8\":\"Ajouter une option\",\"Cw27zP\":\"Ajouter une question\",\"yWiPh+\":\"Ajouter une taxe ou des frais\",\"BGD9Yt\":\"Ajouter des billets\",\"goOKRY\":\"Ajouter un niveau\",\"p59pEv\":\"Additional Details\",\"Y8DIQy\":\"Options additionelles\",\"Du6bPw\":\"Adresse\",\"NY/x1b\":\"Adresse Ligne 1\",\"POdIrN\":\"Adresse Ligne 1\",\"cormHa\":\"Adresse Ligne 2\",\"gwk5gg\":\"Adresse Ligne 2\",\"U3pytU\":\"Administrateur\",\"HLDaLi\":\"Les utilisateurs administrateurs ont un accès complet aux événements et aux paramètres du compte.\",\"CPXP5Z\":\"Affiliés\",\"W7AfhC\":\"Tous les participants à cet événement\",\"QsYjci\":\"Tous les évènements\",\"/twVAS\":\"Tous les billets\",\"ipYKgM\":\"Autoriser l'indexation des moteurs de recherche\",\"LRbt6D\":\"Autoriser les moteurs de recherche à indexer cet événement\",\"+MHcJD\":\"Presque là! Nous attendons juste que votre paiement soit traité. Cela ne devrait prendre que quelques secondes.\",\"8wYDMp\":\"Already have an account?\",\"ApOYO8\":\"Incroyable, Événement, Mots-clés...\",\"hehnjM\":\"Montant\",\"TRYjHa\":[\"amount in \",[\"0\"]],\"R2O9Rg\":[\"Montant payé (\",[\"0\"],\")\"],\"tLjOgo\":[\"Amount paid $\",[\"0\"]],\"V7MwOy\":\"Une erreur s'est produite lors du chargement de la page\",\"Q7UCEH\":\"Une erreur s'est produite lors du tri des questions. Veuillez réessayer ou actualiser la page\",\"er3d/4\":\"Une erreur s'est produite lors du tri des tickets. Veuillez réessayer ou actualiser la page\",\"hhvESd\":\"An event is the actual event you are hosting\",\"jD/OCQ\":\"Un événement est l’événement réel que vous organisez. Vous pourrez ajouter plus de détails ultérieurement.\",\"oBkF+i\":\"Un organisateur est l'entreprise ou la personne qui organise l'événement\",\"W5A0Ly\":\"Une erreur inattendue est apparue.\",\"byKna+\":\"Une erreur inattendue est apparue. Veuillez réessayer.\",\"j4DliD\":\"Toutes les questions des détenteurs de billets seront envoyées à cette adresse e-mail. Cette adresse sera également utilisée comme adresse de « réponse » pour tous les e-mails envoyés à partir de cet événement.\",\"aAIQg2\":\"Apparence\",\"Ym1gnK\":\"appliqué\",\"epTbAK\":[\"S'applique à \",[\"0\"],\" billets\"],\"6MkQ2P\":\"S'applique à 1 billet\",\"DB8zMK\":\"Apply\",\"GctSSm\":\"Appliquer le code promotionnel\",\"jcnZEw\":[\"Appliquez ce \",[\"type\"],\" à tous les nouveaux tickets\"],\"S0ctOE\":\"Archiver l'événement\",\"TdfEV7\":\"Archivé\",\"A6AtLP\":\"Événements archivés\",\"q7TRd7\":\"Êtes-vous sûr de vouloir activer ce participant ?\",\"TvkW9+\":\"Êtes-vous sûr de vouloir archiver cet événement ?\",\"/CV2x+\":\"Êtes-vous sûr de vouloir annuler ce participant ? Cela annulera leur billet\",\"YgRSEE\":\"Etes-vous sûr de vouloir supprimer ce code promo ?\",\"iU234U\":\"Êtes-vous sûr de vouloir supprimer cette question ?\",\"CMyVEK\":\"Êtes-vous sûr de vouloir créer un brouillon pour cet événement ? Cela rendra l'événement invisible au public\",\"mEHQ8I\":\"Êtes-vous sûr de vouloir rendre cet événement public ? Cela rendra l'événement visible au public\",\"s4JozW\":\"Êtes-vous sûr de vouloir restaurer cet événement ? Il sera restauré en tant que brouillon.\",\"vJuISq\":\"Êtes-vous sûr de vouloir supprimer cette Affectation de Capacité?\",\"baHeCz\":\"Êtes-vous sûr de vouloir supprimer cette liste de pointage ?\",\"2xEpch\":\"Demander une fois par participant\",\"LBLOqH\":\"Demander une fois par commande\",\"ss9PbX\":\"Participant\",\"m0CFV2\":\"Détails des participants\",\"lXcSD2\":\"Questions des participants\",\"VvYqMB\":\"Attendee questions are asked once per attendee. By default, people are asked for their first name, last name, and email address.\",\"spxPEv\":\"Attendee questions are asked once per attendee. By default, we ask for the attendee's first name, last name, and email address.\",\"9SZT4E\":\"Participants\",\"5UbY+B\":\"Participants avec un ticket spécifique\",\"IMJ6rh\":\"Redimensionnement automatique\",\"vZ5qKF\":\"Redimensionnez automatiquement la hauteur du widget en fonction du contenu. Lorsqu'il est désactivé, le widget remplira la hauteur du conteneur.\",\"lXkUEV\":\"Availability\",\"ioG+xt\":\"En attente de paiement\",\"3PmQfI\":\"Événement génial\",\"kNmmvE\":\"Awesome Events Ltd.\",\"Yrbm6T\":\"Organisateur génial Ltd.\",\"9002sI\":\"Retour à tous les événements\",\"0TGkYM\":\"Back to event homepage\",\"A302fe\":\"Retour à la page de l'événement\",\"VCoEm+\":\"Retour connexion\",\"MLZyiY\":\"Background color\",\"k1bLf+\":\"Couleur de l'arrière plan\",\"I7xjqg\":\"Type d'arrière-plan\",\"EOUool\":\"Détails de base\",\"7EGQKA\":\"Because you are the account owner, you cannot change your role or status.\",\"1mwMl+\":\"Avant d'envoyer !\",\"wVfiR2\":\"Before you're event can go live, there's a few thing to do.\",\"/yeZ20\":\"Avant que votre événement puisse être mis en ligne, vous devez faire certaines choses.\",\"1xAcxY\":\"Commencez à vendre des billets en quelques minutes\",\"R+w/Va\":\"Billing\",\"rp/zaT\":\"Portugais brésilien\",\"Ptp9MF\":\"Button color\",\"whqocw\":\"En vous inscrivant, vous acceptez nos <0>Conditions d'utilisation et notre <1>Politique de confidentialité.\",\"bcCn6r\":\"Type de calcul\",\"+8bmSu\":\"Californie\",\"iStTQt\":\"L'autorisation de la caméra a été refusée. <0>Demander l'autorisation à nouveau, ou si cela ne fonctionne pas, vous devrez <1>accorder à cette page l'accès à votre caméra dans les paramètres de votre navigateur.\",\"Jzn1qy\":\"Can't load events\",\"dEgA5A\":\"Annuler\",\"Gjt/py\":\"Annuler le changement d'e-mail\",\"tVJk4q\":\"Annuler la commande\",\"Os6n2a\":\"annuler la commande\",\"Mz7Ygx\":[\"Annuler la commande \",[\"0\"]],\"Ud7zwq\":\"L'annulation annulera tous les billets associés à cette commande et remettra les billets dans le pool disponible.\",\"vv7kpg\":\"Annulé\",\"QyjCeq\":\"Capacité\",\"V6Q5RZ\":\"Affectation de Capacité créée avec succès\",\"k5p8dz\":\"Affectation de Capacité supprimée avec succès\",\"nDBs04\":\"Gestion de la Capacité\",\"77/YgG\":\"Changer de couverture\",\"GptGxg\":\"Changer le mot de passe\",\"QndF4b\":\"enregistrement\",\"xMDm+I\":\"Enregistrement\",\"9FVFym\":\"vérifier\",\"/Ta1d4\":\"Sortir\",\"gXcPxc\":\"Enregistrement\",\"Y3FYXy\":\"Enregistrement\",\"fVUbUy\":\"Liste de pointage créée avec succès\",\"+CeSxK\":\"Liste de pointage supprimée avec succès\",\"+hBhWk\":\"La liste de pointage a expiré\",\"mBsBHq\":\"La liste de pointage n'est pas active\",\"vPqpQG\":\"Liste de pointage non trouvée\",\"tejfAy\":\"Listes de pointage\",\"hD1ocH\":\"URL de pointage copiée dans le presse-papiers\",\"CNafaC\":\"Les options de case à cocher permettent plusieurs sélections\",\"SpabVf\":\"Cases à cocher\",\"CRu4lK\":\"Enregistré\",\"rfeicl\":\"Enregistré avec succès\",\"/ydvvl\":\"Checkout Messaging\",\"1WnhCL\":\"Paramètres de paiement\",\"h1IXFK\":\"Chinois\",\"6imsQS\":\"Chinois simplifié\",\"JjkX4+\":\"Choisissez une couleur pour votre arrière-plan\",\"/Jizh9\":\"Choisissez un compte\",\"jJGoVv\":\"Choose what notifications you want to receive\",\"3wV73y\":\"Ville\",\"FG98gC\":\"Effacer le texte de recherche\",\"EYeuMv\":\"Cliquez ici\",\"sby+1/\":\"Cliquez pour copier\",\"yz7wBu\":\"Fermer\",\"62Ciis\":\"Fermer la barre latérale\",\"EWPtMO\":\"Code\",\"ercTDX\":\"Le code doit comporter entre 3 et 50 caractères\",\"jZlrte\":\"Couleur\",\"Vd+LC3\":\"La couleur doit être un code couleur hexadécimal valide. Exemple : #ffffff\",\"1HfW/F\":\"Couleurs\",\"VZeG/A\":\"À venir\",\"yPI7n9\":\"Mots-clés séparés par des virgules qui décrivent l'événement. Ceux-ci seront utilisés par les moteurs de recherche pour aider à catégoriser et indexer l'événement.\",\"NPZqBL\":\"Complétez la commande\",\"guBeyC\":\"Paiement complet\",\"C8HNV2\":\"Paiement complet\",\"qqWcBV\":\"Complété\",\"DwF9eH\":\"Code composant\",\"7VpPHA\":\"Confirmer\",\"ZaEJZM\":\"Confirmer le changement d'e-mail\",\"yjkELF\":\"Confirmer le nouveau mot de passe\",\"xnWESi\":\"Confirmez le mot de passe\",\"p2/GCq\":\"Confirmez le mot de passe\",\"wnDgGj\":\"Confirmation de l'adresse e-mail...\",\"DnLC08\":\"Congratulation on creating an event!\",\"pbAk7a\":\"Connecter la bande\",\"UMGQOh\":\"Connectez-vous avec Stripe\",\"QKLP1W\":\"Connectez votre compte Stripe pour commencer à recevoir des paiements.\",\"5lcVkL\":\"Détails de connexion\",\"i3p844\":\"Contact email\",\"yAej59\":\"Couleur d'arrière-plan du contenu\",\"xGVfLh\":\"Continuer\",\"X++RMT\":\"Texte du bouton Continuer\",\"AfNRFG\":\"Texte du bouton Continuer\",\"lIbwvN\":\"Continuer la configuration de l'événement\",\"HB22j9\":\"Continuer la configuration\",\"bZEa4H\":\"Continuer la configuration de Stripe Connect\",\"RGVUUI\":\"Continuer vers le paiement\",\"6V3Ea3\":\"Copié\",\"T5rdis\":\"copié dans le presse-papier\",\"he3ygx\":\"Copie\",\"r2B2P8\":\"Copier l'URL de pointage\",\"8+cOrS\":\"Copier les détails à tous les participants\",\"ENCIQz\":\"Copier le lien\",\"E6nRW7\":\"Copier le lien\",\"JNCzPW\":\"Pays\",\"IF7RiR\":\"Couverture\",\"P0rbCt\":\"Cover Image\",\"hYgDIe\":\"Create\",\"b9XOHo\":[\"Créer \",[\"0\"]],\"6kdXbW\":\"Créer un code promotionnel\",\"n5pRtF\":\"Créer un billet\",\"X6sRve\":[\"Créez un compte ou <0>\",[\"0\"],\" pour commencer\"],\"nx+rqg\":\"créer un organisateur\",\"ipP6Ue\":\"Créer un participant\",\"VwdqVy\":\"Créer une Affectation de Capacité\",\"WVbTwK\":\"Créer une liste de pointage\",\"uN355O\":\"Créer un évènement\",\"BOqY23\":\"Créer un nouveau\",\"kpJAeS\":\"Créer un organisateur\",\"sYpiZP\":\"Créer un code promotionnel\",\"a6YrKg\":\"Create promo codes\",\"n6H6AO\":\"Create promo codes to offer discounts to your attendees.\",\"B3Mkdt\":\"Créer une question\",\"UKfi21\":\"Créer une taxe ou des frais\",\"Tg323g\":\"Créer un ticket\",\"agZ87r\":\"Créez des billets pour votre événement, fixez les prix et gérez la quantité disponible.\",\"d+F6q9\":\"Créé\",\"Q2lUR2\":\"Devise\",\"DCKkhU\":\"Mot de passe actuel\",\"uIElGP\":\"URL des cartes personnalisées\",\"876pfE\":\"Client\",\"QOg2Sf\":\"Personnaliser les paramètres de courrier électronique et de notification pour cet événement\",\"Lu75d1\":\"Customize the email settings for this event\",\"RaxMyF\":\"Customize the event homepage and checkout experience\",\"Y9Z/vP\":\"Personnalisez la page d'accueil de l'événement et la messagerie de paiement\",\"2E2O5H\":\"Personnaliser les divers paramètres de cet événement\",\"iJhSxe\":\"Personnalisez les paramètres SEO pour cet événement\",\"KIhhpi\":\"Personnalisez votre page d'événement\",\"nrGWUv\":\"Personnalisez votre page d'événement en fonction de votre marque et de votre style.\",\"Zz6Cxn\":\"Zone dangereuse\",\"ZQKLI1\":\"Zone de Danger\",\"7p5kLi\":\"Tableau de bord\",\"mYGY3B\":\"Date\",\"JvUngl\":\"Date et heure\",\"JJhRbH\":\"Capacité du premier jour\",\"PqrqgF\":\"Liste de pointage du premier jour\",\"RiXc4g\":\"Deactivate user\",\"cnGeoo\":\"Supprimer\",\"jRJZxD\":\"Supprimer la Capacité\",\"Qrc8RZ\":\"Supprimer la liste de pointage\",\"WHf154\":\"Supprimer le code\",\"heJllm\":\"Supprimer la couverture\",\"KWa0gi\":\"Supprimer l'image\",\"IatsLx\":\"Supprimer la question\",\"GnyEfA\":\"Supprimer le billet\",\"E33LRn\":\"Delete user\",\"Nu4oKW\":\"Description\",\"YC3oXa\":\"Description pour le personnel de pointage\",\"s9iD5d\":\"Description should be less than 50,000 characters\",\"URmyfc\":\"Détails\",\"x8uDKb\":\"Disable code\",\"Tgg8XQ\":\"Désactivez cette capacité pour suivre la capacité sans arrêter la vente de billets\",\"H6Ma8Z\":\"Rabais\",\"ypJ62C\":\"Rabais %\",\"3LtiBI\":[\"Remise en \",[\"0\"]],\"C8JLas\":\"Type de remise\",\"1QfxQT\":\"Rejeter\",\"cVq+ga\":\"Vous n'avez pas de compte ? <0>Inscrivez-vous\",\"4+aC/x\":\"Donation / Billet à tarif préférentiel\",\"++S5i/\":\"Donation amount\",\"OO7MG7\":\"Donation Ticket\",\"0pEVi2\":\"Download Tickets PDF\",\"uABpqP\":\"Glisser-déposer ou cliquer\",\"3z2ium\":\"Faites glisser pour trier\",\"6skwyH\":\"Drop an image, or click here to replace the Cover Image\",\"S37RRV\":\"Drop an image, or click here to upload the Cover Image\",\"CfKofC\":\"Sélection déroulante\",\"JzLDvy\":\"Duplicate Capacity Assignments\",\"ulMxl+\":\"Duplicate Check-In Lists\",\"vi8Q/5\":\"Dupliquer l'événement\",\"3ogkAk\":\"Dupliquer l'événement\",\"Yu6m6X\":\"Duplicate Event Cover Image\",\"+fA4C7\":\"Duplicate Options\",\"57ALrd\":\"Dupliquer les codes promo\",\"83Hu4O\":\"Dupliquer les questions\",\"20144c\":\"Dupliquer les paramètres\",\"Wt9eV8\":\"Dupliquer les billets\",\"7Cx5It\":\"Lève tôt\",\"ePK91l\":\"Modifier\",\"N6j2JH\":[\"Modifier \",[\"0\"]],\"kNGp1D\":\"Modifier un participant\",\"t2bbp8\":\"Modifier le participant\",\"kBkYSa\":\"Modifier la Capacité\",\"oHE9JT\":\"Modifier l'Affectation de Capacité\",\"FU1gvP\":\"Modifier la liste de pointage\",\"iFgaVN\":\"Modifier le code\",\"jrBSO1\":\"Modifier l'organisateur\",\"9BdS63\":\"Modifier le code promotionnel\",\"O0CE67\":\"Modifier la question\",\"EzwCw7\":\"Modifier la question\",\"d+nnyk\":\"Modifier le billet\",\"poTr35\":\"Modifier l'utilisateur\",\"GTOcxw\":\"Modifier l'utilisateur\",\"pqFrv2\":\"par exemple. 2,50 pour 2,50$\",\"3yiej1\":\"par exemple. 23,5 pour 23,5%\",\"O3oNi5\":\"E-mail\",\"VxYKoK\":\"Paramètres de courrier électronique et de notification\",\"ATGYL1\":\"Adresse e-mail\",\"hzKQCy\":\"Adresse e-mail\",\"HqP6Qf\":\"Changement d'e-mail annulé avec succès\",\"mISwW1\":\"Changement d'e-mail en attente\",\"WiKda6\":\"Email Configuration\",\"APuxIE\":\"E-mail de confirmation renvoyé\",\"YaCgdO\":\"E-mail de confirmation renvoyé avec succès\",\"jyt+cx\":\"Message de pied de page de l'e-mail\",\"I6F3cp\":\"E-mail non vérifié\",\"G5zNMX\":\"Email Settings\",\"NTZ/NX\":\"Code intégré\",\"4rnJq4\":\"Intégrer le script\",\"nA31FG\":\"Activez cette capacité pour arrêter la vente de billets lorsque la limite est atteinte\",\"VFv2ZC\":\"Date de fin\",\"237hSL\":\"Terminé\",\"nt4UkP\":\"Événements terminés\",\"lYGfRP\":\"Anglais\",\"MhVoma\":\"Saisissez un montant hors taxes et frais.\",\"3Z223G\":\"Erreur lors de la confirmation de l'adresse e-mail\",\"a6gga1\":\"Erreur lors de la confirmation du changement d'adresse e-mail\",\"5/63nR\":\"EUR\",\"0pC/y6\":\"Événement\",\"nuoP/j\":\"Event created successfully\",\"CFLUfD\":\"Événement créé avec succès 🎉\",\"0Zptey\":\"Valeurs par défaut des événements\",\"6fuA9p\":\"Événement dupliqué avec succès\",\"Xe3XMd\":\"L'événement n'est pas visible au public\",\"4pKXJS\":\"L'événement est visible au public\",\"ClwUUD\":\"Lieu de l'événement et détails du lieu\",\"OopDbA\":\"Page de l'événement\",\"JyD0LH\":\"Event Settings\",\"4/If97\":\"La mise à jour du statut de l'événement a échoué. Veuillez réessayer plus tard\",\"btxLWj\":\"Statut de l'événement mis à jour\",\"tst44n\":\"Événements\",\"sZg7s1\":\"Date d'expiration\",\"KnN1Tu\":\"Expire\",\"uaSvqt\":\"Date d'expiration\",\"GS+Mus\":\"Exporter\",\"9xAp/j\":\"Échec de l'annulation du participant\",\"ZpieFv\":\"Échec de l'annulation de la commande\",\"z6tdjE\":\"Échec de la suppression du message. Veuillez réessayer.\",\"9zSt4h\":\"Échec de l'exportation des participants. Veuillez réessayer.\",\"2uGNuE\":\"Échec de l'exportation des commandes. Veuillez réessayer.\",\"d+KKMz\":\"Échec du chargement de la liste de pointage\",\"ZQ15eN\":\"Échec du renvoi de l'e-mail du ticket\",\"PLUB/s\":\"Frais\",\"YirHq7\":\"Retour\",\"/mfICu\":\"Frais\",\"V1EGGU\":\"Prénom\",\"kODvZJ\":\"Prénom\",\"S+tm06\":\"Le prénom doit comporter entre 1 et 50 caractères\",\"1g0dC4\":\"Le prénom, le nom et l'adresse e-mail sont des questions par défaut et sont toujours inclus dans le processus de paiement.\",\"QWa3Sk\":\"First Name, Last Name, and Email Address are default questions that are always included in the checkout process.\",\"TpqW74\":\"Fixé\",\"irpUxR\":\"Montant fixé\",\"TF9opW\":\"Flash n'est pas disponible sur cet appareil\",\"UNMVei\":\"Mot de passe oublié?\",\"2POOFK\":\"Gratuit\",\"/4rQr+\":\"Billet gratuit\",\"01my8x\":\"Billet gratuit, aucune information de paiement requise\",\"nLC6tu\":\"Français\",\"ejVYRQ\":\"From\",\"DDcvSo\":\"Allemand\",\"u6FPxT\":\"Get Tickets\",\"4GLxhy\":\"Commencer\",\"4D3rRj\":\"Revenir au profil\",\"cQPKZt\":\"Go to Dashboard\",\"9LCqFI\":\"Aller à la page d'accueil de l'événement\",\"RUz8o/\":\"ventes brutes\",\"IgcAGN\":\"Ventes brutes\",\"yRg26W\":\"Ventes brutes\",\"R4r4XO\":\"Invités\",\"26pGvx\":\"Avez vous un code de réduction?\",\"V7yhws\":\"bonjour@awesome-events.com\",\"GNJ1kd\":\"Aide et Support\",\"6K/IHl\":\"Voici un exemple de la façon dont vous pouvez utiliser le composant dans votre application.\",\"Y1SSqh\":\"Voici le composant React que vous pouvez utiliser pour intégrer le widget dans votre application.\",\"Ow9Hz5\":[\"Conférence Hi.Events \",[\"0\"]],\"verBst\":\"Centre de conférence Hi.Events\",\"6eMEQO\":\"logo hi.events\",\"C4qOW8\":\"Caché à la vue du public\",\"gt3Xw9\":\"question cachée\",\"g3rqFe\":\"questions cachées\",\"k3dfFD\":\"Les questions masquées ne sont visibles que par l'organisateur de l'événement et non par le client.\",\"EeNE0j\":\"Hidden will not be shown to customers.\",\"vLyv1R\":\"Cacher\",\"Mkkvfd\":\"Masquer la page de démarrage\",\"mFn5Xz\":\"Masquer les questions cachées\",\"SCimta\":\"Masquer la page de démarrage de la barre latérale\",\"Da29Y6\":\"Cacher cette question\",\"fsi6fC\":\"Masquer ce ticket aux clients\",\"fvDQhr\":\"Masquer ce niveau aux utilisateurs\",\"Fhzoa8\":\"Masquer le billet après la date de fin de vente\",\"yhm3J/\":\"Masquer le billet avant la date de début de la vente\",\"k7/oGT\":\"Masquer le billet sauf si l'utilisateur dispose du code promotionnel applicable\",\"L0ZOiu\":\"Masquer le billet lorsqu'il est épuisé\",\"uno73L\":\"Masquer un ticket empêchera les utilisateurs de le voir sur la page de l’événement.\",\"tj6Gob\":\"Homepage & Checkout\",\"m07jN3\":\"Homepage & Checkout Settings\",\"ZOBwQn\":\"Conception de la page d'accueil\",\"PRuBTd\":\"Concepteur de page d'accueil\",\"YjVNGZ\":\"Aperçu de la page d'accueil\",\"c3E/kw\":\"Homère\",\"id+NIk\":\"How many minutes the customer has to complete their order\",\"8k8Njd\":\"De combien de minutes le client dispose pour finaliser sa commande. Nous recommandons au moins 15 minutes\",\"ySxKZe\":\"Combien de fois ce code peut-il être utilisé ?\",\"dZsDbK\":[\"Limite de caractères HTML dépassé: \",[\"htmlLength\"],\"/\",[\"maxLength\"]],\"fYyXCd\":\"https://exemple-maps-service.com/...\",\"uOXLV3\":\"J'accepte les <0>termes et conditions\",\"sIxFk5\":\"I agree to the terms and conditions\",\"Crwwhn\":[\"If a new tab did not open, please <0>\",[\"0\"],\".\"],\"93DUnd\":[\"Si aucun nouvel onglet ne s'ouvre, veuillez <0><1>\",[\"0\"],\".\"],\"9gtsTP\":\"Si vide, l'adresse sera utilisée pour générer un lien Google map\",\"muXhGi\":\"Si activé, l'organisateur recevra une notification par e-mail lorsqu'une nouvelle commande sera passée\",\"6fLyj/\":\"Si vous n'avez pas demandé ce changement, veuillez immédiatement modifier votre mot de passe.\",\"n/ZDCz\":\"Image supprimée avec succès\",\"Gyl1h8\":\"Image dimensions must be at least 600px by 300px\",\"TiGacZ\":\"Image dimensions must be at least 900px by 450px\",\"UnTvkH\":\"Les dimensions de l'image doivent être comprises entre 3 000 et 2 000 px. Avec une hauteur maximale de 2 000 px et une largeur maximale de 3 000 px\",\"Mfbc2v\":\"Image dimensions must be between 4000px by 4000px. With a max height of 4000px and max width of 4000px\",\"uPEIvq\":\"L'image doit faire moins de 5 Mo\",\"AGZmwV\":\"Image téléchargée avec succès\",\"ibi52/\":\"La largeur de l'image doit être d'au moins 900 px et la hauteur d'au moins 50 px.\",\"NoNwIX\":\"Inactif\",\"T0K0yl\":\"Les utilisateurs inactifs ne peuvent pas se connecter.\",\"OFAmKP\":\"Include connection details for your online event\",\"BfPBBG\":\"Include connection details for your online event. These details will be after successful registration.\",\"6+pAOx\":\"Include connection details for your online event. These details will be shown after successful registration.\",\"evpD4c\":\"Incluez les détails de connexion pour votre événement en ligne. Ces détails seront affichés sur la page récapitulative de la commande et sur la page des billets des participants.\",\"FlQKnG\":\"Inclure les taxes et les frais dans le prix\",\"AXTNr8\":[\"Inclut \",[\"0\"],\" billets\"],\"7/Rzoe\":\"Inclut 1 billet\",\"nbfdhU\":\"Intégrations\",\"OyLdaz\":\"Invitation renvoyée !\",\"HE6KcK\":\"Invitation révoquée !\",\"SQKPvQ\":\"Inviter un utilisateur\",\"PgdQrx\":\"Émettre un remboursement\",\"KFXip/\":\"John\",\"XcgRvb\":\"Johnson\",\"1IWWYX\":[\"KittenTech Conference \",[\"0\"]],\"ZgJEMX\":\"KittenTech Conference Center\",\"87a/t/\":\"Étiquette\",\"vXIe7J\":\"Langue\",\"I3yitW\":\"Dernière connexion\",\"1ZaQUH\":\"Nom de famille\",\"UXBCwc\":\"Nom de famille\",\"CKcupn\":\"Latest Orders\",\"tITjB1\":\"En savoir plus sur Stripe\",\"c+gAXc\":\"Let's get started by creating your first event\",\"vR92Yn\":\"Commençons par créer votre premier organisateur\",\"QfrKvi\":\"Link color\",\"wJijgU\":\"Emplacement\",\"sQia9P\":\"Se connecter\",\"zUDyah\":\"Se connecter\",\"z0t9bb\":\"Se connecter\",\"nOhz3x\":\"Se déconnecter\",\"F2jAFv\":\"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Nom placerat elementum...\",\"XkhEf9\":\"Lorem ipsum...\",\"MU3ijv\":\"Rendre cette question obligatoire\",\"wckWOP\":\"Gérer\",\"8mmINh\":\"Manage billing information and view invoices\",\"jWIznR\":\"Manage default settings for new events\",\"n4SpU5\":\"Gérer l'événement\",\"wqyqaF\":\"Manage general account settings\",\"cQrNR3\":\"Gérer le profil\",\"f92Qak\":\"Manage taxes and fees which can be applied to tickets\",\"PlTcVr\":\"Gérez les taxes et les frais qui peuvent être appliqués à vos billets\",\"ophZVW\":\"Gérer les billets\",\"Wsx7Iu\":\"Manage users and their permissions\",\"DdHfeW\":\"Gérez les détails de votre compte et les paramètres par défaut\",\"QHcjP+\":\"Manage your billing and payment details\",\"S+UjNL\":\"Gérez vos informations de paiement Stripe\",\"BfucwY\":\"Gérez vos utilisateurs et leurs autorisations\",\"1m+YT2\":\"Il faut répondre aux questions obligatoires avant que le client puisse passer à la caisse.\",\"Dim4LO\":\"Ajouter manuellement un participant\",\"e4KdjJ\":\"Ajouter manuellement un participant\",\"lzcrX3\":\"L’ajout manuel d’un participant ajustera la quantité de billets.\",\"g9dPPQ\":\"Maximum par commande\",\"l5OcwO\":\"Message au participant\",\"Gv5AMu\":\"Message aux participants\",\"1jRD0v\":\"Envoyez des messages aux participants avec des billets spécifiques\",\"Lvi+gV\":\"Message à l'acheteur\",\"tNZzFb\":\"Contenu du message\",\"lYDV/s\":\"Envoyer un message à des participants individuels\",\"V7DYWd\":\"Message envoyé\",\"t7TeQU\":\"messages\",\"xFRMlO\":\"Minimum par commande\",\"QYcUEf\":\"Prix minimum\",\"mYLhkl\":\"Paramètres divers\",\"KYveV8\":\"Zone de texte multiligne\",\"SVuGaP\":\"Multiple price options, users can choose which to pay\",\"6wbTro\":\"Plusieurs options de prix. Parfait pour les billets lève-tôt, etc.\",\"/bhMdO\":\"Mon incroyable description d'événement...\",\"vX8/tc\":\"Mon incroyable titre d'événement...\",\"hKtWk2\":\"Mon profil\",\"pRjx4L\":\"Nom placerat elementum...\",\"6YtxFj\":\"Nom\",\"hVuv90\":\"Le nom doit comporter moins de 150 caractères\",\"AIUkyF\":\"Accédez au participant\",\"qqeAJM\":\"Jamais\",\"7vhWI8\":\"nouveau mot de passe\",\"m920rF\":\"New York\",\"1UzENP\":\"Non\",\"LNWHXb\":\"Aucun événement archivé à afficher.\",\"Wjz5KP\":\"Aucun participant à afficher\",\"Razen5\":\"Aucun participant ne pourra s'enregistrer avant cette date en utilisant cette liste\",\"XUfgCI\":\"Aucune Affectation de Capacité\",\"a/gMx2\":\"Pas de listes de pointage\",\"fFeCKc\":\"Pas de rabais\",\"HFucK5\":\"Aucun événement terminé à afficher.\",\"Z6ILSe\":\"Aucun événement pour cet organisateur\",\"yAlJXG\":\"Aucun événement à afficher\",\"KPWxKD\":\"Aucun message à afficher\",\"J2LkP8\":\"Aucune commande à afficher\",\"+Y976X\":\"Aucun code promotionnel à afficher\",\"Ev2r9A\":\"Aucun résultat\",\"RHyZUL\":\"Aucun résultat trouvé.\",\"cU1op4\":\"No Taxes or Fees have been added yet.\",\"RY2eP1\":\"Aucune taxe ou frais n'a été ajouté.\",\"uR2eFu\":\"No tickets available\",\"b7JZFg\":\"Aucun billet à montrer\",\"EdQY6l\":\"Aucun\",\"OJx3wK\":\"Pas disponible\",\"x5+Lcz\":\"Non enregistré\",\"Scbrsn\":\"Pas en vente\",\"hFwWnI\":\"Paramètres de notification\",\"xXqEPO\":\"Informer l'acheteur du remboursement\",\"YpN29s\":\"Informer l'organisateur des nouvelles commandes\",\"qeQhNj\":\"Créons maintenant votre premier événement\",\"2NPDz1\":\"En soldes\",\"Ldu/RI\":\"En soldes\",\"Ug4SfW\":\"Une fois que vous avez créé un événement, vous le verrez ici.\",\"+P/tII\":\"Une fois que vous êtes prêt, diffusez votre événement en direct et commencez à vendre des billets.\",\"J6n7sl\":\"En cours\",\"z+nuVJ\":\"Événement en ligne\",\"WKHW0N\":\"Détails de l'événement en ligne\",\"/xkmKX\":\"Seuls les e-mails importants, directement liés à cet événement, doivent être envoyés via ce formulaire.\\nToute utilisation abusive, y compris l'envoi d'e-mails promotionnels, entraînera un bannissement immédiat du compte.\",\"Qqqrwa\":\"Ouvrir la page de pointage\",\"OdnLE4\":\"Ouvrir la barre latérale\",\"ZZEYpT\":[\"Option \",[\"i\"]],\"0zpgxV\":\"Possibilités\",\"BzEFor\":\"ou\",\"UYUgdb\":\"Commande\",\"mm+eaX\":\"Commande #\",\"B3gPuX\":\"Commande annulée\",\"SIbded\":\"Commande terminée\",\"q/CcwE\":\"Date de commande\",\"Tol4BF\":\"détails de la commande\",\"L4kzeZ\":[\"Détails de la commande \",[\"0\"]],\"WbImlQ\":\"La commande a été annulée et le propriétaire de la commande a été informé.\",\"VCOi7U\":\"Questions de commande\",\"wg9MPp\":\"Order questions are asked once per order. By default, people are asked for their first name, last name, and email address.\",\"+KNVxX\":\"Order questions are asked once per order. By default, we ask for the first name, last name, and email address.\",\"TPoYsF\":\"Référence de l'achat\",\"GX6dZv\":\"Récapitulatif de la commande\",\"tDTq0D\":\"Délai d'expiration de la commande\",\"1h+RBg\":\"Ordres\",\"mz+c33\":\"Commandes créées\",\"G5RhpL\":\"Organisateur\",\"m/ebSk\":\"Organizer Details\",\"mYygCM\":\"Un organisateur est requis\",\"Pa6G7v\":\"Nom de l'organisateur\",\"J2cXxX\":\"Les organisateurs ne peuvent gérer que les événements et les billets. Ils ne peuvent pas gérer les utilisateurs, les paramètres de compte ou les informations de facturation.\",\"fdjq4c\":\"Rembourrage\",\"ErggF8\":\"Couleur d’arrière-plan de la page\",\"8F1i42\":\"Page non trouvée\",\"QbrUIo\":\"Pages vues\",\"6D8ePg\":\"page.\",\"IkGIz8\":\"payé\",\"2w/FiJ\":\"Billet payant\",\"8ZsakT\":\"Mot de passe\",\"TUJAyx\":\"Le mot de passe doit contenir au minimum 8 caractères\",\"vwGkYB\":\"Mot de passe doit être d'au moins 8 caractères\",\"BLTZ42\":\"Le mot de passe a été réinitialisé avec succès. Veuillez vous connecter avec votre nouveau mot de passe.\",\"f7SUun\":\"les mots de passe ne sont pas les mêmes\",\"aEDp5C\":\"Collez-le à l'endroit où vous souhaitez que le widget apparaisse.\",\"+23bI/\":\"Patrick\",\"iAS9f2\":\"patrick@acme.com\",\"iq5IUr\":\"Pause Ticket\",\"621rYf\":\"Paiement\",\"JhtZAK\":\"Paiement échoué\",\"xgav5v\":\"Paiement réussi !\",\"CcK+Ft\":\"PDF\",\"att1Hj\":\"percent\",\"/roQKz\":\"Pourcentage\",\"vPJ1FI\":\"Montant en pourcentage\",\"xdA9ud\":\"Placez-le dans le de votre site Web.\",\"blK94r\":\"Veuillez ajouter au moins une option\",\"FJ9Yat\":\"Veuillez vérifier que les informations fournies sont correctes\",\"TkQVup\":\"Veuillez vérifier votre e-mail et votre mot de passe et réessayer\",\"sMiGXD\":\"Veuillez vérifier que votre email est valide\",\"Ajavq0\":\"Veuillez vérifier votre courrier électronique pour confirmer votre adresse e-mail\",\"MdfrBE\":\"Veuillez remplir le formulaire ci-dessous pour accepter votre invitation\",\"b1Jvg+\":\"Veuillez continuer dans le nouvel onglet\",\"q40YFl\":\"Please continue your order in the new tab\",\"cdR8d6\":\"Veuillez créer un billet\",\"ZJG4Di\":\"Please ensure you only send emails directly related to the order. Promotional emails\\nshould not be sent using this form.\",\"o+HaYe\":\"Please enter a valid promo code\",\"HnNept\":\"Veuillez entrer votre nouveau mot de passe\",\"5FSIzj\":\"Veuillez noter\",\"MA04r/\":\"Veuillez supprimer les filtres et définir le tri sur \\\"Ordre de la page d'accueil\\\" pour activer le tri.\",\"pJLvdS\":\"Veuillez sélectionner\",\"yygcoG\":\"Veuillez sélectionner au moins un billet\",\"igBrCH\":\"Veuillez vérifier votre adresse e-mail pour accéder à toutes les fonctionnalités\",\"MOERNx\":\"Portugais\",\"R7+D0/\":\"Portugais (Brésil)\",\"qCJyMx\":\"Message après le paiement\",\"g2UNkE\":\"Alimenté par\",\"Qs7yI0\":\"Powered By\",\"lqAWKB\":\"Powered by <0>Hi.Events 👋\",\"3n47kV\":\"Powered By Hi.Events\",\"ddi4j4\":\"Propulsé par Stripe\",\"Rs7IQv\":\"Message de pré-commande\",\"rdUucN\":\"Aperçu\",\"a7u1N9\":\"Prix\",\"CmoB9j\":\"Mode d'affichage des prix\",\"Q8PWaJ\":\"Niveaux de prix\",\"a5jvSX\":\"Price Tiers\",\"6RmHKN\":\"Couleur primaire\",\"G/ZwV1\":\"Couleur primaire\",\"8cBtvm\":\"Couleur du texte principal\",\"BZz12Q\":\"Imprimer\",\"MT7dxz\":\"Imprimer tous les billets\",\"vERlcd\":\"Profil\",\"kUlL8W\":\"Mise à jour du profil réussie\",\"cl5WYc\":[\"Code promotionnel \",[\"promo_code\"],\" appliqué\"],\"ZXpm3a\":[\"Promo \",[\"promoCode\"],\" code applied\"],\"yKWfjC\":\"Page des codes promotionnels\",\"RVb8Fo\":\"Code de promo\",\"BZ9GWa\":\"Les codes promotionnels peuvent être utilisés pour offrir des réductions, un accès en prévente ou fournir un accès spécial à votre événement.\",\"4kyDD5\":\"Fournissez un contexte ou des instructions supplémentaires pour cette question. Utilisez ce champ pour ajouter des termes et conditions, des directives ou toute information importante que les participants doivent connaître avant de répondre.\",\"812gwg\":\"Licence d'achat\",\"LkMOWF\":\"Quantité disponible\",\"XKJuAX\":\"Question supprimée\",\"avf0gk\":\"Description de la question\",\"oQvMPn\":\"titre de question\",\"enzGAL\":\"Des questions\",\"K885Eq\":\"Questions triées avec succès\",\"OMJ035\":\"Option radio\",\"C4TjpG\":\"Lire moins\",\"I3QpvQ\":\"Destinataire\",\"N2C89m\":\"Référence\",\"gxFu7d\":[\"Montant du remboursement (\",[\"0\"],\")\"],\"n10yGu\":\"Commande de remboursement\",\"zPH6gp\":\"Commande de remboursement\",\"/BI0y9\":\"Remboursé\",\"fgLNSM\":\"Registre\",\"tasfos\":\"retirer\",\"t/YqKh\":\"Retirer\",\"RloWNu\":\"Reply to email\",\"EGm34e\":\"Renvoyer un courriel de confirmation\",\"lnrkNz\":\"Renvoyer l'e-mail de confirmation\",\"wIa8Qe\":\"Renvoyer l'invitation\",\"VeKsnD\":\"Renvoyer l'e-mail de commande\",\"dFuEhO\":\"Renvoyer l'e-mail du ticket\",\"o6+Y6d\":\"Renvoi...\",\"RfwZxd\":\"Réinitialiser le mot de passe\",\"KbS2K9\":\"réinitialiser le mot de passe\",\"e99fHm\":\"Restaurer l'événement\",\"vtc20Z\":\"Retour à la page de l'événement\",\"8YBH95\":\"Revenu\",\"PO/sOY\":\"Révoquer l'invitation\",\"GDvlUT\":\"Rôle\",\"ELa4O9\":\"Date de fin de vente\",\"5uo5eP\":\"Vente terminée\",\"Qm5XkZ\":\"Date de début de la vente\",\"hVF4dJ\":\"Sale starts\",\"hBsw5C\":\"Ventes terminées\",\"kpAzPe\":\"Début des ventes\",\"P/wEOX\":\"San Francisco\",\"tfDRzk\":\"Sauvegarder\",\"IUwGEM\":\"Sauvegarder les modifications\",\"U65fiW\":\"Enregistrer l'organisateur\",\"UGT5vp\":\"Enregistrer les paramètres\",\"ovB7m2\":\"Scanner le code QR\",\"lBAlVv\":\"Recherchez par nom, numéro de commande, numéro de participant ou e-mail...\",\"W4kWXJ\":\"Recherchez par nom de participant, e-mail ou numéro de commande...\",\"ulAuWO\":\"Search by event name or description...\",\"+pr/FY\":\"Rechercher par nom d'événement...\",\"NQSiYb\":\"Search by name or description...\",\"3zRbWw\":\"Recherchez par nom, e-mail ou numéro de commande...\",\"BiYOdA\":\"Rechercher par nom...\",\"B1bB1j\":\"Search by order #, name or email...\",\"jA4hXE\":\"Search by subject or body...\",\"YEjitp\":\"Recherche par sujet ou contenu...\",\"HYnGee\":\"Rechercher par nom de billet...\",\"Pjsch9\":\"Rechercher des affectations de capacité...\",\"r9M1hc\":\"Rechercher des listes de pointage...\",\"YIix5Y\":\"Recherche...\",\"OeW+DS\":\"Couleur secondaire\",\"DnXcDK\":\"Couleur secondaire\",\"cZF6em\":\"Couleur du texte secondaire\",\"ZIgYeg\":\"Couleur du texte secondaire\",\"QuNKRX\":\"Sélectionnez la caméra\",\"kWI/37\":\"Sélectionnez l'organisateur\",\"hAjDQy\":\"Sélectionnez le statut\",\"QYARw/\":\"Sélectionnez un billet\",\"XH5juP\":\"Sélectionnez le niveau de billet\",\"OMX4tH\":\"Sélectionner des billets\",\"nuWxSr\":\"Select Tickets\",\"O/7I0o\":\"Sélectionner...\",\"JlFcis\":\"Envoyer\",\"qKWv5N\":[\"Envoyer une copie à <0>\",[\"0\"],\"\"],\"RktTWf\":\"Envoyer un message\",\"/mQ/tD\":\"Envoyer comme test. Cela enverra le message à votre adresse e-mail au lieu des destinataires.\",\"471O/e\":\"Send confirmation email\",\"M/WIer\":\"Envoyer un Message\",\"D7ZemV\":\"Envoyer la confirmation de commande et l'e-mail du ticket\",\"v1rRtW\":\"Envoyer le test\",\"j1VfcT\":\"Descriptif SEO\",\"/SIY6o\":\"Mots-clés SEO\",\"GfWoKv\":\"Paramètres de référencement\",\"rXngLf\":\"Titre SEO\",\"/jZOZa\":\"Frais de service\",\"vu4F0h\":\"Set a minimum price and let users donate more\",\"Bj/QGQ\":\"Fixer un prix minimum et laisser les utilisateurs payer plus s'ils le souhaitent\",\"nYNT+5\":\"Organisez votre événement\",\"A8iqfq\":\"Mettez votre événement en direct\",\"Tz0i8g\":\"Paramètres\",\"Z8lGw6\":\"Partager\",\"FFbYHm\":[\"Should this \",[\"type\"],\" be applied to all new tickets?\"],\"8vETh9\":\"Montrer\",\"smd87r\":\"Afficher la quantité de billets disponibles\",\"qDsmzu\":\"Afficher les questions masquées\",\"fMPkxb\":\"Montre plus\",\"izwOOD\":\"Afficher les taxes et les frais séparément\",\"j3b+OW\":\"Présenté au client après son paiement, sur la page récapitulative de la commande\",\"YfHZv0\":\"Montré au client avant son paiement\",\"CBBcly\":\"Affiche les champs d'adresse courants, y compris le pays\",\"yTnnYg\":\"Simpson\",\"TNaCfq\":\"Zone de texte sur une seule ligne\",\"+P0Cn2\":\"Passer cette étape\",\"YSEnLE\":\"Forgeron\",\"lgFfeO\":\"Épuisé\",\"Mi1rVn\":\"Épuisé\",\"nwtY4N\":\"Quelque chose s'est mal passé\",\"GRChTw\":\"Une erreur s'est produite lors de la suppression de la taxe ou des frais\",\"YHFrbe\":\"Quelque chose s'est mal passé ! Veuillez réessayer\",\"kf83Ld\":\"Quelque chose s'est mal passé.\",\"fWsBTs\":\"Quelque chose s'est mal passé. Veuillez réessayer.\",\"F6YahU\":\"Désolé, quelque chose s'est mal passé. Veuillez redémarrer le processus de paiement.\",\"KWgppI\":\"Désolé, une erreur s'est produite lors du chargement de cette page.\",\"/TCOIK\":\"Désolé, cette commande n'existe plus.\",\"DvCwYF\":\"Sorry, this promo code is invalid'\",\"6a/UJE\":\"Désolé, ce code promo n'est pas reconnu\",\"9rRZZ+\":\"Désolé, votre commande a expiré. Veuillez démarrer une nouvelle commande.\",\"a4SyEE\":\"Le tri est désactivé pendant que les filtres et le tri sont appliqués\",\"65A04M\":\"Espagnol\",\"4nG1lG\":\"Billet standard à prix fixe\",\"D3iCkb\":\"Date de début\",\"RS0o7b\":\"State\",\"/2by1f\":\"État ou région\",\"uAQUqI\":\"Statut\",\"UJmAAK\":\"Sujet\",\"X2rrlw\":\"Total\",\"b0HJ45\":[\"Succès! \",[\"0\"],\" recevra un e-mail sous peu.\"],\"BJIEiF\":[[\"0\"],\" participant a réussi\"],\"Ih8kN0\":[\"Successfully $\",[\"0\"],\" attendee\"],\"xHl17l\":[\"Vérification réussie <0>\",[\"0\"],\" \",[\"1\"],\" \",[\"2\"]],\"OtgNFx\":\"Adresse e-mail confirmée avec succès\",\"IKwyaF\":\"Changement d'e-mail confirmé avec succès\",\"zLmvhE\":\"Participant créé avec succès\",\"9mZEgt\":\"Code promotionnel créé avec succès\",\"aIA9C4\":\"Question créée avec succès\",\"onFQYs\":\"Ticket créé avec succès\",\"Hgj/mB\":\"Successfully deleted ticket\",\"J3RJSZ\":\"Participant mis à jour avec succès\",\"3suLF0\":\"Affectation de Capacité mise à jour avec succès\",\"Z+rnth\":\"Liste de pointage mise à jour avec succès\",\"vzJenu\":\"Paramètres de messagerie mis à jour avec succès\",\"7kOMfV\":\"Événement mis à jour avec succès\",\"G0KW+e\":\"Conception de la page d'accueil mise à jour avec succès\",\"k9m6/E\":\"Paramètres de la page d'accueil mis à jour avec succès\",\"y/NR6s\":\"Emplacement mis à jour avec succès\",\"73nxDO\":\"Paramètres divers mis à jour avec succès\",\"70dYC8\":\"Code promotionnel mis à jour avec succès\",\"F+pJnL\":\"Paramètres de référencement mis à jour avec succès\",\"g2lRrH\":\"Billet mis à jour avec succès\",\"DXZRk5\":\"Suite 100\",\"GNcfRk\":\"E-mail d'assistance\",\"JpohL9\":\"Impôt\",\"geUFpZ\":\"Taxes et frais\",\"0RXCDo\":\"Taxe ou frais supprimés avec succès\",\"ZowkxF\":\"Impôts\",\"EEZnW+\":\"Taxes & Fees\",\"qu6/03\":\"Taxes et frais\",\"gVjSFp\":\"Taxes and Fees can be associated with tickets and will be added to the ticket price.\",\"e0ZSh4\":\"Text Colour\",\"gypigA\":\"Ce code promotionnel n'est pas valide\",\"0ozSQu\":\"The background color for the event homepage\",\"LbHWgW\":\"The background color for the ticket widget on the event homepage\",\"75Xclv\":\"The basic details of your event\",\"5ShqeM\":\"La liste de pointage que vous recherchez n'existe pas.\",\"UNqHnV\":\"The color of the buttons on the event homepage\",\"0amhbL\":\"The color of the links on the event homepage\",\"QXlz+n\":\"La devise par défaut de vos événements.\",\"mnafgQ\":\"Le fuseau horaire par défaut pour vos événements.\",\"o7s5FA\":\"La langue dans laquelle le participant recevra ses courriels.\",\"NlfnUd\":\"Le lien sur lequel vous avez cliqué n'est pas valide.\",\"FqjKfd\":\"The location of your event\",\"kIXEVN\":[\"Le nombre maximum de billets pour \",[\"0\"],\" est \",[\"1\"]],\"FeAfXO\":[\"Le nombre maximum de billets pour les généraux est de \",[\"0\"],\".\"],\"POEqXB\":\"The organizer details of your event\",\"TSAiPM\":\"La page que vous recherchez n'existe pas\",\"MSmKHn\":\"Le prix affiché au client comprendra les taxes et frais.\",\"6zQOg1\":\"Le prix affiché au client ne comprendra pas les taxes et frais. Ils seront présentés séparément\",\"ne/9Ur\":\"Les paramètres de style que vous choisissez s'appliquent uniquement au code HTML copié et ne seront pas stockés.\",\"TJZByZ\":\"The tax and fee to apply to this ticket. You can create new taxes and fees on the\",\"OJYwh9\":\"Les taxes et frais à appliquer sur ce billet. Vous pouvez créer de nouvelles taxes et frais sur le\",\"6BpBfZ\":\"The text color for the event homepage\",\"rljHp7\":\"The text color for the ticket widget on the event homepage\",\"s4di40\":\"The text to display in the 'Continue' button. Defaults to 'Continue'\",\"esY5SG\":\"Le titre de l'événement qui sera affiché dans les résultats des moteurs de recherche et lors du partage sur les réseaux sociaux. Par défaut, le titre de l'événement sera utilisé\",\"wgAiDb\":\"The user must login to change their email.\",\"jvxN9/\":\"Il n'y a pas de billets disponibles pour cet événement\",\"rMcHYt\":\"Un remboursement est en attente. Veuillez attendre qu'il soit terminé avant de demander un autre remboursement.\",\"hjLUr+\":\"There was an error loading this content. Please refresh the page and try again.\",\"68Axnm\":\"Il y a eu une erreur lors du traitement de votre demande. Veuillez réessayer.\",\"mVKOW6\":\"Une erreur est survenue lors de l'envoi de votre message\",\"Um/adz\":\"These allow multiple selections\",\"vWeHWp\":\"These colors are not saved in our system.\",\"7qzHGS\":\"These colors are not saved in our system. They are only used to generate the widget.\",\"xxv3BZ\":\"Cette liste de pointage a expiré\",\"Sa7w7S\":\"Cette liste de pointage a expiré et n'est plus disponible pour les enregistrements.\",\"Uicx2U\":\"Cette liste de pointage est active\",\"1k0Mp4\":\"Cette liste de pointage n'est pas encore active\",\"K6fmBI\":\"Cette liste de pointage n'est pas encore active et n'est pas disponible pour les enregistrements.\",\"t/ePFj\":\"Cette description sera affichée au personnel de pointage\",\"MLTkH7\":\"Cet email n'est pas promotionnel et est directement lié à l'événement.\",\"2eIpBM\":\"Cet événement n'est pas disponible pour le moment. Veuillez revenir plus tard.\",\"Z6LdQU\":\"Cet événement n'est pas disponible.\",\"CNk/ro\":\"Ceci est un événement en ligne\",\"GabtCa\":\"This is the email address that will be used as the reply-to address for all emails sent from this event\",\"FwXnJd\":\"Cette liste ne sera plus disponible pour les enregistrements après cette date\",\"CKkb5E\":\"This message is how below the\",\"cHO4ec\":\"Ce message sera inclus dans le pied de page de tous les e-mails envoyés à partir de cet événement\",\"RjwlZt\":\"Cette commande a déjà été payée.\",\"axERYu\":\"This order has already been paid. <0>View order details\",\"wY+HO9\":\"This order has already been processed.\",\"5K8REg\":\"Cette commande a déjà été remboursée.\",\"OiQMhP\":\"Cette commande a été annulée\",\"YyEJij\":\"Cette commande a été annulée.\",\"D44cEI\":\"This order has been completed.\",\"HILpDX\":\"Cette commande est en attente de paiement\",\"0vRWbB\":\"This order is awaiting payment.\",\"BdYtn9\":\"Cette commande est terminée\",\"e3uMJH\":\"Cette commande est terminée.\",\"YNKXOK\":\"Cette commande est en cours de traitement.\",\"LIjb4v\":\"This order is processing. TODO - a nice image and poll the API\",\"yPZN4i\":\"Cette page de commande n'est plus disponible.\",\"5189cf\":\"Cela remplace tous les paramètres de visibilité et masquera le ticket à tous les clients.\",\"4vwjho\":\"This page has expired. <0>View order details\",\"Qt7RBu\":\"Cette question n'est visible que par l'organisateur de l'événement\",\"os29v1\":\"Ce lien de réinitialisation du mot de passe est invalide ou a expiré.\",\"WJqBqd\":\"Ce ticket ne peut pas être supprimé car il est\\nassocié à une commande. Vous pouvez le cacher à la place.\",\"ma6qdu\":\"Ce ticket est masqué à la vue du public\",\"xJ8nzj\":\"Ce ticket est masqué sauf s'il est ciblé par un code promotionnel\",\"IV9xTT\":\"Cet utilisateur n'est pas actif car il n'a pas accepté son invitation.\",\"5AnPaO\":\"billet\",\"kjAL4v\":\"Billet\",\"KosivG\":\"Billet supprimé avec succès\",\"dtGC3q\":\"L'e-mail du ticket a été renvoyé au participant\",\"USk+Mn\":\"Ticket page message\",\"mRM6XH\":\"La vente de billets\",\"NirIiz\":\"Niveau de billet\",\"8jLPgH\":\"Type de billet\",\"jqWDf9\":\"Ticket widget background color\",\"UrMVAz\":\"Aperçu du widget de billet\",\"ngtDy7\":\"Ticket widget text color\",\"N+YYpo\":\"Des billets)\",\"6GQNLE\":\"Des billets\",\"54q0zp\":\"Billets pour\",\"ikA//P\":\"billets vendus\",\"i+idBz\":\"Billets vendus\",\"AGRilS\":\"Billets vendus\",\"56Qw2C\":\"Billets triés avec succès\",\"4f8A8M\":\"Tickets to which the promo code applies (Applies to all by default)\",\"xN9AhL\":[\"Niveau \",[\"0\"]],\"oYaHuq\":\"Billet à plusieurs niveaux\",\"XZrhpz\":\"Tiered Ticket - Coming Soon\",\"4M150e\":\"Les billets à plusieurs niveaux vous permettent de proposer plusieurs options de prix pour le même billet.\\nC'est parfait pour les billets anticipés ou pour offrir des prix différents.\\noptions pour différents groupes de personnes.\",\"jQoYTX\":\"Tiered tickets allow you to offer multiple price options for the same ticket. This is perfect for early bird tickets or offering different price options for different groups of people.\",\"s/0RpH\":\"Temps utilisés\",\"40Gx0U\":\"Fuseau horaire\",\"oDGm7V\":\"CONSEIL\",\"MHrjPM\":\"Titre\",\"xdA/+p\":\"Outils\",\"72c5Qo\":\"Total\",\"BxsfMK\":\"Total des frais\",\"mpB/d9\":\"Montant total de la commande\",\"m3FM1g\":\"Total remboursé\",\"GBBIy+\":\"Total restant\",\"/SgoNA\":\"Taxe total\",\"+zy2Nq\":\"Taper\",\"mLGbAS\":[\"Impossible d'accéder à \",[\"0\"],\" participant\"],\"FMdMfZ\":\"Impossible d'enregistrer le participant\",\"bPWBLL\":\"Impossible de sortir le participant\",\"/cSMqv\":\"Impossible de créer une question. Veuillez vérifier vos coordonnées\",\"nNdxt9\":\"Impossible de créer un ticket. Veuillez vérifier vos coordonnées\",\"MH/lj8\":\"Impossible de mettre à jour la question. Veuillez vérifier vos coordonnées\",\"Mqy/Zy\":\"États-Unis\",\"NIuIk1\":\"Illimité\",\"oMcLhS\":\"Unlimited ticket quantity available\",\"E0q9qH\":\"Utilisations illimitées autorisées\",\"ia8YsC\":\"A venir\",\"TlEeFv\":\"Événements à venir\",\"L/gNNk\":[\"Mettre à jour \",[\"0\"]],\"+qqX74\":\"Mettre à jour le nom, la description et les dates de l'événement\",\"vXPSuB\":\"Mettre à jour le profil\",\"gsehpV\":\"Upload an image to be displayed on the event page\",\"BNBfrU\":\"Télécharger la couverture\",\"UtDm3q\":\"URL copié dans le presse-papiers\",\"e5lF64\":\"Exemple d'utilisation\",\"sGEOe4\":\"Utilisez une version floue de l'image de couverture comme arrière-plan\",\"OadMRm\":\"Utiliser l'image de couverture\",\"7PzzBU\":\"Utilisateur\",\"yDOdwQ\":\"Gestion des utilisateurs\",\"Sxm8rQ\":\"Utilisateurs\",\"VEsDvU\":\"Les utilisateurs peuvent modifier leur adresse e-mail dans <0>Paramètres du profil.\",\"vgwVkd\":\"UTC\",\"khBZkl\":\"T.V.A.\",\"E/9LUk\":\"nom de la place\",\"AM+zF3\":\"Afficher le participant\",\"e4mhwd\":\"Afficher la page d'accueil de l'événement\",\"/5PEQz\":\"Voir la page de l'événement\",\"fFornT\":\"Afficher le message complet\",\"YIsEhQ\":\"Voir la carte\",\"Ep3VfY\":\"Afficher sur Google Maps\",\"AMkkeL\":\"Voir l'ordre\",\"Y8s4f6\":\"Voir d'autres détails\",\"QIWCnW\":\"Liste de pointage VIP\",\"tF+VVr\":\"Billet VIP\",\"2q/Q7x\":\"Visibilité\",\"vmOFL/\":\"Nous n'avons pas pu traiter votre paiement. Veuillez réessayer ou contacter l'assistance.\",\"1E0vyy\":\"Nous n'avons pas pu charger les données. Veuillez réessayer.\",\"VGioT0\":\"Nous recommandons des dimensions de 2 160 px sur 1 080 px et une taille de fichier maximale de 5 Mo.\",\"b9UB/w\":\"Nous utilisons Stripe pour traiter les paiements. Connectez votre compte Stripe pour commencer à recevoir des paiements.\",\"01WH0a\":\"Nous n'avons pas pu confirmer votre paiement. Veuillez réessayer ou contacter l'assistance.\",\"Gspam9\":\"Nous traitons votre commande. S'il vous plaît, attendez...\",\"LuY52w\":\"Bienvenue à bord! Merci de vous connecter pour continuer.\",\"dVxpp5\":[\"Bon retour\",[\"0\"],\" 👋\"],\"NxOVCl\":[\"Bienvenue sur Hi.Events, \",[\"0\"],\" 👋\"],\"wjqPqF\":\"Que sont les billets à plusieurs niveaux ?\",\"f1jUC0\":\"À quelle date cette liste de pointage doit-elle devenir active ?\",\"5iXvHA\":\"What is a Tiered Ticketing?\",\"MhhnvW\":\"À quels billets ce code s'applique-t-il ? (S'applique à tous par défaut)\",\"dCil3h\":\"À quels billets cette question doit-elle s'appliquer ?\",\"Rb0XUE\":\"A quelle heure arriverez-vous ?\",\"5N4wLD\":\"De quel type de question s'agit-il ?\",\"D7C6XV\":\"Quand cette liste de pointage doit-elle expirer ?\",\"FVetkT\":\"Quels billets doivent être associés à cette liste de pointage ?\",\"S+OdxP\":\"Qui organise cet événement ?\",\"LINr2M\":\"A qui s'adresse ce message ?\",\"nWhye/\":\"À qui faut-il poser cette question ?\",\"vVGiM4\":\"Who type of question is this?\",\"onLsWS\":\"Whoops! something went wrong. Please try again or contact support if the problem persists.\",\"AHXN2z\":\"Widget\",\"AU/8QR\":\"Widget Configuration\",\"VxFvXQ\":\"Intégrer le widget\",\"v1P7Gm\":\"Paramètres des widgets\",\"b4itZn\":\"Fonctionnement\",\"hqmXmc\":\"Fonctionnement...\",\"l75CjT\":\"Oui\",\"QcwyCh\":\"Oui, supprime-les\",\"ySeBKv\":\"Vous avez déjà scanné ce billet\",\"P+Sty0\":[\"Vous changez votre adresse e-mail en <0>\",[\"0\"],\".\"],\"gGhBmF\":\"Vous êtes hors ligne\",\"4ysd6z\":\"You can connecting using this Zoom link...\",\"9HGdDw\":\"Vous pouvez créer un code promo qui cible ce billet sur le\",\"KRhIxT\":\"Vous pouvez désormais commencer à recevoir des paiements via Stripe.\",\"UqVaVO\":\"Vous ne pouvez pas modifier le type de ticket car des participants sont associés à ce ticket.\",\"zQ8idk\":\"You cannot change the ticket type because there are already tickets sold for this ticket.\",\"3vRX5A\":\"Vous ne pouvez pas supprimer ce niveau tarifaire car des billets sont déjà vendus pour ce niveau. Vous pouvez le cacher à la place.\",\"RCC09s\":\"You cannot edit a default question\",\"tFbRKJ\":\"Vous ne pouvez pas modifier le rôle ou le statut du propriétaire du compte.\",\"fHfiEo\":\"Vous ne pouvez pas rembourser une commande créée manuellement.\",\"hK9c7R\":\"Vous avez créé une question masquée mais avez désactivé l'option permettant d'afficher les questions masquées. Il a été activé.\",\"NOaWRX\":\"Vous n'avez pas la permission d'accéder à cette page\",\"BRArmD\":\"Vous avez accès à plusieurs comptes. Veuillez en choisir un pour continuer.\",\"Z6q0Vl\":\"Vous avez déjà accepté cette invitation. Merci de vous connecter pour continuer.\",\"rdk1xK\":\"Vous avez connecté votre compte Stripe\",\"ofEncr\":\"Vous n'avez aucune question de participant.\",\"XoeazJ\":\"You have no attendee questions. Attendee questions are asked once per attendee.\",\"CoZHDB\":\"Vous n'avez aucune question de commande.\",\"FZKDIe\":\"You have no order questions. Order questions are asked once per order.\",\"15qAvl\":\"Vous n’avez aucun changement d’e-mail en attente.\",\"n81Qk8\":\"Vous n'avez pas terminé votre configuration Stripe Connect\",\"jxsiqJ\":\"Vous n'avez pas connecté votre compte Stripe\",\"183zcL\":\"Des taxes et des frais sont ajoutés à un billet gratuit. Souhaitez-vous les supprimer ou les masquer ?\",\"2v5MI1\":\"Vous n'avez pas encore envoyé de messages. Vous pouvez envoyer des messages à tous les participants ou à des détenteurs de billets spécifiques.\",\"R6i9o9\":\"Vous devez reconnaître que cet e-mail n'est pas promotionnel\",\"3ZI8IL\":\"Vous devez accepter les termes et conditions\",\"dMd3Uf\":\"Vous devez confirmer votre adresse e-mail avant que votre événement puisse être mis en ligne.\",\"H35u3n\":\"Vous devez créer un ticket avant de pouvoir ajouter manuellement un participant.\",\"jE4Z8R\":\"Vous devez avoir au moins un niveau de prix\",\"LRguuL\":\"You must have at least one tier\",\"8/eLoa\":\"Vous devez vérifier votre compte avant de pouvoir envoyer des messages.\",\"L/+xOk\":\"Vous aurez besoin d'un billet avant de pouvoir créer une liste de pointage.\",\"8QNzin\":\"Vous aurez besoin d'un billet avant de pouvoir créer une affectation de capacité.\",\"WHXRMI\":\"Vous aurez besoin d'au moins un ticket pour commencer. Gratuit, payant ou laissez l'utilisateur décider quoi payer.\",\"bdg03s\":\"Your account email in outgoing emails.\",\"ROR8QD\":\"Le nom de votre compte est utilisé sur les pages d'événements et dans les e-mails.\",\"veessc\":\"Vos participants apparaîtront ici une fois qu’ils se seront inscrits à votre événement. Vous pouvez également ajouter manuellement des participants.\",\"Eh5Wrd\":\"Votre superbe site internet 🎉\",\"lkMK2r\":\"Vos détails\",\"3ENYTQ\":[\"Votre demande de modification par e-mail en <0>\",[\"0\"],\" est en attente. S'il vous plaît vérifier votre e-mail pour confirmer\"],\"yZfBoy\":\"Votre message a été envoyé\",\"la26JS\":\"Your order is in progress\",\"7YJdgG\":\"Vos commandes apparaîtront ici une fois qu’elles commenceront à arriver.\",\"9TO8nT\":\"Votre mot de passe\",\"P8hBau\":\"Votre paiement est en cours de traitement.\",\"UdY1lL\":\"Votre paiement n'a pas abouti, veuillez réessayer.\",\"fzuM26\":\"Votre paiement a échoué. Veuillez réessayer.\",\"cJ4Y4R\":\"Votre remboursement est en cours de traitement.\",\"IFHV2p\":\"Votre billet pour\",\"3k7HDY\":\"Zip\",\"BM/KQm\":\"Code Postal\",\"VftCuk\":\"Zoom link, Google Meet link, etc.\"}")}; \ No newline at end of file +/*eslint-disable*/module.exports={messages:JSON.parse("{\"1bpx9A\":\"...\",\"f8qS7T\":\"\\\"Il n'y a rien à montrer pour l'instant\\\"\",\"4zldrf\":[[\"0\",\"plural\",{\"one\":[\"#\",\" hidden question\"],\"other\":[\"#\",\" hidden questions\"]}]],\"J/hVSQ\":[[\"0\"]],\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"Jv22kr\":[[\"0\"],\" <0>enregistré avec succès\"],\"yxhYRZ\":[[\"0\"],\" <0>sorti avec succès\"],\"KMgp2+\":[[\"0\"],\" disponible\"],\"tmew5X\":[[\"0\"],\" s'est enregistré\"],\"Pmr5xp\":[[\"0\"],\" créé avec succès\"],\"FImCSc\":[[\"0\"],\" mis à jour avec succès\"],\"KOr9b4\":[\"Les événements de \",[\"0\"]],\"qSiUsc\":[[\"0\"],[\"1\"]],\"cU8MWb\":[[\"0\"],\"/\",[\"1\"],\" enregistré\"],\"Vjij1k\":[[\"days\"],\" jours, \",[\"hours\"],\" heures, \",[\"minutes\"],\" minutes, et \",[\"seconds\"],\" secondes\"],\"f3RdEk\":[[\"hours\"],\" heures, \",[\"minutes\"],\" minutes, et \",[\"seconds\"],\" secondes\"],\"wapGcj\":[[\"message\"]],\"fyE7Au\":[[\"minutes\"],\" minutes et \",[\"secondes\"],\" secondes\"],\"NlQ0cx\":[\"Premier événement de \",[\"organizerName\"]],\"Ul6IgC\":\"<0>Les affectations de capacité vous permettent de gérer la capacité des billets ou d'un événement entier. Idéal pour les événements de plusieurs jours, les ateliers et plus encore, où le contrôle de l'assistance est crucial.<1>Par exemple, vous pouvez associer une affectation de capacité avec un billet <2>Jour Un et <3>Tous les Jours. Une fois la capacité atteinte, les deux billets ne seront plus disponibles à la vente.\",\"Exjbj7\":\"<0>Les listes de pointage aident à gérer l'entrée des participants à votre événement. Vous pouvez associer plusieurs billets à une liste de pointage et vous assurer que seuls ceux avec des billets valides peuvent entrer.\",\"OXku3b\":\"<0>https://votre-siteweb.com\",\"qnSLLW\":\"<0>Veuillez entrer le prix hors taxes et frais.<1>Les taxes et frais peuvent être ajoutés ci-dessous.\",\"0940VN\":\"<0>Le nombre de billets disponibles pour ce billet<1>Cette valeur peut être remplacée s'il y a des <2>Limites de Capacité associées à ce billet.\",\"E15xs8\":\"⚡️ Organisez votre événement\",\"FL6OwU\":\"✉️ Confirmez votre adresse email\",\"y1NShf\":\"🎉 Congratulation on creating an event!\",\"BN0OQd\":\"🎉 Félicitations pour la création d'un événement !\",\"fAv9QG\":\"🎟️ Ajouter des billets\",\"4WT5tD\":\"🎨 Personnalisez votre page d'événement\",\"3VPPdS\":\"💳 Connectez-vous avec Stripe\",\"s4Tgn6\":\"📢 Promote your event\",\"cjdktw\":\"🚀 Mettez votre événement en direct\",\"rmelwV\":\"0 minute et 0 seconde\",\"UQ7pBY\":\"0.50 for $0.50\",\"i1+xzD\":\"1.75 for 1.75%\",\"i0puaE\":\"10h00\",\"W9+fkZ\":\"10001\",\"qdfdgM\":\"123, rue Principale\",\"IoRZzD\":\"20\",\"+H1RMb\":\"2024-01-01 10:00\",\"Q/T49U\":\"2024-01-01 18:00\",\"hMT8+2\":\"94103\",\"efAM7X\":\"Un champ de date. Parfait pour demander une date de naissance, etc.\",\"d9El7Q\":[\"Un \",[\"type\"],\" par défaut est automatiquement appliqué à tous les nouveaux tickets. Vous pouvez remplacer cela par ticket.\"],\"SMUbbQ\":\"Une entrée déroulante ne permet qu'une seule sélection\",\"qv4bfj\":\"Des frais, comme des frais de réservation ou des frais de service\",\"Pgaiuj\":\"Un montant fixe par billet. Par exemple, 0,50 $ par billet\",\"f4vJgj\":\"Une saisie de texte sur plusieurs lignes\",\"ySO/4f\":\"Un pourcentage du prix du billet. Par exemple, 3,5 % du prix du billet\",\"WXeXGB\":\"Un code promotionnel sans réduction peut être utilisé pour révéler des billets cachés.\",\"GMhWB5\":\"A Radio option allows has multiple options but only one can be selected.\",\"CBt3s7\":\"A Radio Option allows only one selection\",\"AG/qmQ\":\"Une option Radio comporte plusieurs options, mais une seule peut être sélectionnée.\",\"7g61G9\":\"A short description of Awesome Events Ltd.\",\"h179TP\":\"Une brève description de l'événement qui sera affichée dans les résultats des moteurs de recherche et lors du partage sur les réseaux sociaux. Par défaut, la description de l'événement sera utilisée\",\"WKMnh4\":\"Une saisie de texte sur une seule ligne\",\"zCk10D\":\"Une seule question par participant. Par exemple, quel est votre repas préféré ?\",\"ap3v36\":\"Une seule question par commande. Par exemple, quel est le nom de votre entreprise ?\",\"RlJmQg\":\"Une taxe standard, comme la TVA ou la TPS\",\"pDwHGk\":\"About hi.events\",\"uIKNjo\":\"À propos de l'événement\",\"bfXQ+N\":\"Accepter l'invitation\",\"iwyhk4\":\"Access to the VIP area...\",\"AeXO77\":\"Compte\",\"0b79Xf\":\"Account Email\",\"lkNdiH\":\"Nom du compte\",\"Puv7+X\":\"Paramètres du compte\",\"OmylXO\":\"Compte mis à jour avec succès\",\"7L01XJ\":\"Actions\",\"FQBaXG\":\"Activer\",\"5T2HxQ\":\"Date d'activation\",\"F6pfE9\":\"Actif\",\"m16xKo\":\"Ajouter\",\"LKNynS\":\"Add a cover image, description, and more to make your event stand out.\",\"/PN1DA\":\"Ajouter une description pour cette liste de pointage\",\"PGPGsL\":\"Ajouter une description\",\"gMK0ps\":\"Ajoutez des détails sur l'événement et gérez les paramètres de l'événement.\",\"Fb+SDI\":\"Ajouter plus de billets\",\"ApsD9J\":\"Ajouter un nouveau\",\"TZxnm8\":\"Ajouter une option\",\"Cw27zP\":\"Ajouter une question\",\"yWiPh+\":\"Ajouter une taxe ou des frais\",\"BGD9Yt\":\"Ajouter des billets\",\"goOKRY\":\"Ajouter un niveau\",\"p59pEv\":\"Additional Details\",\"Y8DIQy\":\"Options additionelles\",\"Du6bPw\":\"Adresse\",\"NY/x1b\":\"Adresse Ligne 1\",\"POdIrN\":\"Adresse Ligne 1\",\"cormHa\":\"Adresse Ligne 2\",\"gwk5gg\":\"Adresse Ligne 2\",\"U3pytU\":\"Administrateur\",\"HLDaLi\":\"Les utilisateurs administrateurs ont un accès complet aux événements et aux paramètres du compte.\",\"CPXP5Z\":\"Affiliés\",\"W7AfhC\":\"Tous les participants à cet événement\",\"QsYjci\":\"Tous les évènements\",\"/twVAS\":\"Tous les billets\",\"ipYKgM\":\"Autoriser l'indexation des moteurs de recherche\",\"LRbt6D\":\"Autoriser les moteurs de recherche à indexer cet événement\",\"+MHcJD\":\"Presque là! Nous attendons juste que votre paiement soit traité. Cela ne devrait prendre que quelques secondes.\",\"8wYDMp\":\"Already have an account?\",\"ApOYO8\":\"Incroyable, Événement, Mots-clés...\",\"hehnjM\":\"Montant\",\"TRYjHa\":[\"amount in \",[\"0\"]],\"R2O9Rg\":[\"Montant payé (\",[\"0\"],\")\"],\"tLjOgo\":[\"Amount paid $\",[\"0\"]],\"V7MwOy\":\"Une erreur s'est produite lors du chargement de la page\",\"Q7UCEH\":\"Une erreur s'est produite lors du tri des questions. Veuillez réessayer ou actualiser la page\",\"er3d/4\":\"Une erreur s'est produite lors du tri des tickets. Veuillez réessayer ou actualiser la page\",\"hhvESd\":\"An event is the actual event you are hosting\",\"jD/OCQ\":\"Un événement est l’événement réel que vous organisez. Vous pourrez ajouter plus de détails ultérieurement.\",\"oBkF+i\":\"Un organisateur est l'entreprise ou la personne qui organise l'événement\",\"W5A0Ly\":\"Une erreur inattendue est apparue.\",\"byKna+\":\"Une erreur inattendue est apparue. Veuillez réessayer.\",\"j4DliD\":\"Toutes les questions des détenteurs de billets seront envoyées à cette adresse e-mail. Cette adresse sera également utilisée comme adresse de « réponse » pour tous les e-mails envoyés à partir de cet événement.\",\"aAIQg2\":\"Apparence\",\"Ym1gnK\":\"appliqué\",\"epTbAK\":[\"S'applique à \",[\"0\"],\" billets\"],\"6MkQ2P\":\"S'applique à 1 billet\",\"DB8zMK\":\"Apply\",\"GctSSm\":\"Appliquer le code promotionnel\",\"jcnZEw\":[\"Appliquez ce \",[\"type\"],\" à tous les nouveaux tickets\"],\"S0ctOE\":\"Archiver l'événement\",\"TdfEV7\":\"Archivé\",\"A6AtLP\":\"Événements archivés\",\"q7TRd7\":\"Êtes-vous sûr de vouloir activer ce participant ?\",\"TvkW9+\":\"Êtes-vous sûr de vouloir archiver cet événement ?\",\"/CV2x+\":\"Êtes-vous sûr de vouloir annuler ce participant ? Cela annulera leur billet\",\"YgRSEE\":\"Etes-vous sûr de vouloir supprimer ce code promo ?\",\"iU234U\":\"Êtes-vous sûr de vouloir supprimer cette question ?\",\"CMyVEK\":\"Êtes-vous sûr de vouloir créer un brouillon pour cet événement ? Cela rendra l'événement invisible au public\",\"mEHQ8I\":\"Êtes-vous sûr de vouloir rendre cet événement public ? Cela rendra l'événement visible au public\",\"s4JozW\":\"Êtes-vous sûr de vouloir restaurer cet événement ? Il sera restauré en tant que brouillon.\",\"vJuISq\":\"Êtes-vous sûr de vouloir supprimer cette Affectation de Capacité?\",\"baHeCz\":\"Êtes-vous sûr de vouloir supprimer cette liste de pointage ?\",\"2xEpch\":\"Demander une fois par participant\",\"LBLOqH\":\"Demander une fois par commande\",\"ss9PbX\":\"Participant\",\"m0CFV2\":\"Détails des participants\",\"lXcSD2\":\"Questions des participants\",\"VvYqMB\":\"Attendee questions are asked once per attendee. By default, people are asked for their first name, last name, and email address.\",\"spxPEv\":\"Attendee questions are asked once per attendee. By default, we ask for the attendee's first name, last name, and email address.\",\"9SZT4E\":\"Participants\",\"5UbY+B\":\"Participants avec un ticket spécifique\",\"IMJ6rh\":\"Redimensionnement automatique\",\"vZ5qKF\":\"Redimensionnez automatiquement la hauteur du widget en fonction du contenu. Lorsqu'il est désactivé, le widget remplira la hauteur du conteneur.\",\"lXkUEV\":\"Availability\",\"ioG+xt\":\"En attente de paiement\",\"3PmQfI\":\"Événement génial\",\"kNmmvE\":\"Awesome Events Ltd.\",\"Yrbm6T\":\"Organisateur génial Ltd.\",\"9002sI\":\"Retour à tous les événements\",\"0TGkYM\":\"Back to event homepage\",\"A302fe\":\"Retour à la page de l'événement\",\"VCoEm+\":\"Retour connexion\",\"MLZyiY\":\"Background color\",\"k1bLf+\":\"Couleur de l'arrière plan\",\"I7xjqg\":\"Type d'arrière-plan\",\"EOUool\":\"Détails de base\",\"7EGQKA\":\"Because you are the account owner, you cannot change your role or status.\",\"1mwMl+\":\"Avant d'envoyer !\",\"wVfiR2\":\"Before you're event can go live, there's a few thing to do.\",\"/yeZ20\":\"Avant que votre événement puisse être mis en ligne, vous devez faire certaines choses.\",\"1xAcxY\":\"Commencez à vendre des billets en quelques minutes\",\"R+w/Va\":\"Billing\",\"rp/zaT\":\"Portugais brésilien\",\"Ptp9MF\":\"Button color\",\"whqocw\":\"En vous inscrivant, vous acceptez nos <0>Conditions d'utilisation et notre <1>Politique de confidentialité.\",\"bcCn6r\":\"Type de calcul\",\"+8bmSu\":\"Californie\",\"iStTQt\":\"L'autorisation de la caméra a été refusée. <0>Demander l'autorisation à nouveau, ou si cela ne fonctionne pas, vous devrez <1>accorder à cette page l'accès à votre caméra dans les paramètres de votre navigateur.\",\"Jzn1qy\":\"Can't load events\",\"dEgA5A\":\"Annuler\",\"Gjt/py\":\"Annuler le changement d'e-mail\",\"tVJk4q\":\"Annuler la commande\",\"Os6n2a\":\"annuler la commande\",\"Mz7Ygx\":[\"Annuler la commande \",[\"0\"]],\"Ud7zwq\":\"L'annulation annulera tous les billets associés à cette commande et remettra les billets dans le pool disponible.\",\"vv7kpg\":\"Annulé\",\"QyjCeq\":\"Capacité\",\"V6Q5RZ\":\"Affectation de Capacité créée avec succès\",\"k5p8dz\":\"Affectation de Capacité supprimée avec succès\",\"nDBs04\":\"Gestion de la Capacité\",\"77/YgG\":\"Changer de couverture\",\"GptGxg\":\"Changer le mot de passe\",\"QndF4b\":\"enregistrement\",\"xMDm+I\":\"Enregistrement\",\"9FVFym\":\"vérifier\",\"/Ta1d4\":\"Sortir\",\"gXcPxc\":\"Enregistrement\",\"Y3FYXy\":\"Enregistrement\",\"fVUbUy\":\"Liste de pointage créée avec succès\",\"+CeSxK\":\"Liste de pointage supprimée avec succès\",\"+hBhWk\":\"La liste de pointage a expiré\",\"mBsBHq\":\"La liste de pointage n'est pas active\",\"vPqpQG\":\"Liste de pointage non trouvée\",\"tejfAy\":\"Listes de pointage\",\"hD1ocH\":\"URL de pointage copiée dans le presse-papiers\",\"CNafaC\":\"Les options de case à cocher permettent plusieurs sélections\",\"SpabVf\":\"Cases à cocher\",\"CRu4lK\":\"Enregistré\",\"rfeicl\":\"Enregistré avec succès\",\"/ydvvl\":\"Checkout Messaging\",\"1WnhCL\":\"Paramètres de paiement\",\"h1IXFK\":\"Chinois\",\"6imsQS\":\"Chinois simplifié\",\"JjkX4+\":\"Choisissez une couleur pour votre arrière-plan\",\"/Jizh9\":\"Choisissez un compte\",\"jJGoVv\":\"Choose what notifications you want to receive\",\"3wV73y\":\"Ville\",\"FG98gC\":\"Effacer le texte de recherche\",\"EYeuMv\":\"Cliquez ici\",\"sby+1/\":\"Cliquez pour copier\",\"yz7wBu\":\"Fermer\",\"62Ciis\":\"Fermer la barre latérale\",\"EWPtMO\":\"Code\",\"ercTDX\":\"Le code doit comporter entre 3 et 50 caractères\",\"jZlrte\":\"Couleur\",\"Vd+LC3\":\"La couleur doit être un code couleur hexadécimal valide. Exemple : #ffffff\",\"1HfW/F\":\"Couleurs\",\"VZeG/A\":\"À venir\",\"yPI7n9\":\"Mots-clés séparés par des virgules qui décrivent l'événement. Ceux-ci seront utilisés par les moteurs de recherche pour aider à catégoriser et indexer l'événement.\",\"NPZqBL\":\"Complétez la commande\",\"guBeyC\":\"Paiement complet\",\"C8HNV2\":\"Paiement complet\",\"qqWcBV\":\"Complété\",\"DwF9eH\":\"Code composant\",\"7VpPHA\":\"Confirmer\",\"ZaEJZM\":\"Confirmer le changement d'e-mail\",\"yjkELF\":\"Confirmer le nouveau mot de passe\",\"xnWESi\":\"Confirmez le mot de passe\",\"p2/GCq\":\"Confirmez le mot de passe\",\"wnDgGj\":\"Confirmation de l'adresse e-mail...\",\"DnLC08\":\"Congratulation on creating an event!\",\"pbAk7a\":\"Connecter la bande\",\"UMGQOh\":\"Connectez-vous avec Stripe\",\"QKLP1W\":\"Connectez votre compte Stripe pour commencer à recevoir des paiements.\",\"5lcVkL\":\"Détails de connexion\",\"i3p844\":\"Contact email\",\"yAej59\":\"Couleur d'arrière-plan du contenu\",\"xGVfLh\":\"Continuer\",\"X++RMT\":\"Texte du bouton Continuer\",\"AfNRFG\":\"Texte du bouton Continuer\",\"lIbwvN\":\"Continuer la configuration de l'événement\",\"HB22j9\":\"Continuer la configuration\",\"bZEa4H\":\"Continuer la configuration de Stripe Connect\",\"RGVUUI\":\"Continuer vers le paiement\",\"6V3Ea3\":\"Copié\",\"T5rdis\":\"copié dans le presse-papier\",\"he3ygx\":\"Copie\",\"r2B2P8\":\"Copier l'URL de pointage\",\"8+cOrS\":\"Copier les détails à tous les participants\",\"ENCIQz\":\"Copier le lien\",\"E6nRW7\":\"Copier le lien\",\"JNCzPW\":\"Pays\",\"IF7RiR\":\"Couverture\",\"P0rbCt\":\"Cover Image\",\"hYgDIe\":\"Create\",\"b9XOHo\":[\"Créer \",[\"0\"]],\"6kdXbW\":\"Créer un code promotionnel\",\"n5pRtF\":\"Créer un billet\",\"X6sRve\":[\"Créez un compte ou <0>\",[\"0\"],\" pour commencer\"],\"nx+rqg\":\"créer un organisateur\",\"ipP6Ue\":\"Créer un participant\",\"VwdqVy\":\"Créer une Affectation de Capacité\",\"WVbTwK\":\"Créer une liste de pointage\",\"uN355O\":\"Créer un évènement\",\"BOqY23\":\"Créer un nouveau\",\"kpJAeS\":\"Créer un organisateur\",\"a0EjD+\":\"Create Product\",\"sYpiZP\":\"Créer un code promotionnel\",\"a6YrKg\":\"Create promo codes\",\"n6H6AO\":\"Create promo codes to offer discounts to your attendees.\",\"B3Mkdt\":\"Créer une question\",\"UKfi21\":\"Créer une taxe ou des frais\",\"Tg323g\":\"Créer un ticket\",\"agZ87r\":\"Créez des billets pour votre événement, fixez les prix et gérez la quantité disponible.\",\"d+F6q9\":\"Créé\",\"Q2lUR2\":\"Devise\",\"DCKkhU\":\"Mot de passe actuel\",\"uIElGP\":\"URL des cartes personnalisées\",\"876pfE\":\"Client\",\"QOg2Sf\":\"Personnaliser les paramètres de courrier électronique et de notification pour cet événement\",\"Lu75d1\":\"Customize the email settings for this event\",\"RaxMyF\":\"Customize the event homepage and checkout experience\",\"Y9Z/vP\":\"Personnalisez la page d'accueil de l'événement et la messagerie de paiement\",\"2E2O5H\":\"Personnaliser les divers paramètres de cet événement\",\"iJhSxe\":\"Personnalisez les paramètres SEO pour cet événement\",\"KIhhpi\":\"Personnalisez votre page d'événement\",\"nrGWUv\":\"Personnalisez votre page d'événement en fonction de votre marque et de votre style.\",\"Zz6Cxn\":\"Zone dangereuse\",\"ZQKLI1\":\"Zone de Danger\",\"7p5kLi\":\"Tableau de bord\",\"mYGY3B\":\"Date\",\"JvUngl\":\"Date et heure\",\"JJhRbH\":\"Capacité du premier jour\",\"PqrqgF\":\"Liste de pointage du premier jour\",\"RiXc4g\":\"Deactivate user\",\"cnGeoo\":\"Supprimer\",\"jRJZxD\":\"Supprimer la Capacité\",\"Qrc8RZ\":\"Supprimer la liste de pointage\",\"WHf154\":\"Supprimer le code\",\"heJllm\":\"Supprimer la couverture\",\"KWa0gi\":\"Supprimer l'image\",\"IatsLx\":\"Supprimer la question\",\"GnyEfA\":\"Supprimer le billet\",\"E33LRn\":\"Delete user\",\"Nu4oKW\":\"Description\",\"YC3oXa\":\"Description pour le personnel de pointage\",\"s9iD5d\":\"Description should be less than 50,000 characters\",\"URmyfc\":\"Détails\",\"x8uDKb\":\"Disable code\",\"Tgg8XQ\":\"Désactivez cette capacité pour suivre la capacité sans arrêter la vente de billets\",\"H6Ma8Z\":\"Rabais\",\"ypJ62C\":\"Rabais %\",\"3LtiBI\":[\"Remise en \",[\"0\"]],\"C8JLas\":\"Type de remise\",\"1QfxQT\":\"Rejeter\",\"cVq+ga\":\"Vous n'avez pas de compte ? <0>Inscrivez-vous\",\"4+aC/x\":\"Donation / Billet à tarif préférentiel\",\"++S5i/\":\"Donation amount\",\"OO7MG7\":\"Donation Ticket\",\"0pEVi2\":\"Download Tickets PDF\",\"uABpqP\":\"Glisser-déposer ou cliquer\",\"3z2ium\":\"Faites glisser pour trier\",\"6skwyH\":\"Drop an image, or click here to replace the Cover Image\",\"S37RRV\":\"Drop an image, or click here to upload the Cover Image\",\"CfKofC\":\"Sélection déroulante\",\"JzLDvy\":\"Duplicate Capacity Assignments\",\"ulMxl+\":\"Duplicate Check-In Lists\",\"vi8Q/5\":\"Dupliquer l'événement\",\"3ogkAk\":\"Dupliquer l'événement\",\"Yu6m6X\":\"Duplicate Event Cover Image\",\"+fA4C7\":\"Duplicate Options\",\"57ALrd\":\"Dupliquer les codes promo\",\"83Hu4O\":\"Dupliquer les questions\",\"20144c\":\"Dupliquer les paramètres\",\"Wt9eV8\":\"Dupliquer les billets\",\"7Cx5It\":\"Lève tôt\",\"ePK91l\":\"Modifier\",\"N6j2JH\":[\"Modifier \",[\"0\"]],\"kNGp1D\":\"Modifier un participant\",\"t2bbp8\":\"Modifier le participant\",\"kBkYSa\":\"Modifier la Capacité\",\"oHE9JT\":\"Modifier l'Affectation de Capacité\",\"FU1gvP\":\"Modifier la liste de pointage\",\"iFgaVN\":\"Modifier le code\",\"jrBSO1\":\"Modifier l'organisateur\",\"9BdS63\":\"Modifier le code promotionnel\",\"O0CE67\":\"Modifier la question\",\"EzwCw7\":\"Modifier la question\",\"d+nnyk\":\"Modifier le billet\",\"poTr35\":\"Modifier l'utilisateur\",\"GTOcxw\":\"Modifier l'utilisateur\",\"pqFrv2\":\"par exemple. 2,50 pour 2,50$\",\"3yiej1\":\"par exemple. 23,5 pour 23,5%\",\"O3oNi5\":\"E-mail\",\"VxYKoK\":\"Paramètres de courrier électronique et de notification\",\"ATGYL1\":\"Adresse e-mail\",\"hzKQCy\":\"Adresse e-mail\",\"HqP6Qf\":\"Changement d'e-mail annulé avec succès\",\"mISwW1\":\"Changement d'e-mail en attente\",\"WiKda6\":\"Email Configuration\",\"APuxIE\":\"E-mail de confirmation renvoyé\",\"YaCgdO\":\"E-mail de confirmation renvoyé avec succès\",\"jyt+cx\":\"Message de pied de page de l'e-mail\",\"I6F3cp\":\"E-mail non vérifié\",\"G5zNMX\":\"Email Settings\",\"NTZ/NX\":\"Code intégré\",\"4rnJq4\":\"Intégrer le script\",\"nA31FG\":\"Activez cette capacité pour arrêter la vente de billets lorsque la limite est atteinte\",\"VFv2ZC\":\"Date de fin\",\"237hSL\":\"Terminé\",\"nt4UkP\":\"Événements terminés\",\"lYGfRP\":\"Anglais\",\"MhVoma\":\"Saisissez un montant hors taxes et frais.\",\"3Z223G\":\"Erreur lors de la confirmation de l'adresse e-mail\",\"a6gga1\":\"Erreur lors de la confirmation du changement d'adresse e-mail\",\"5/63nR\":\"EUR\",\"0pC/y6\":\"Événement\",\"nuoP/j\":\"Event created successfully\",\"CFLUfD\":\"Événement créé avec succès 🎉\",\"0Zptey\":\"Valeurs par défaut des événements\",\"6fuA9p\":\"Événement dupliqué avec succès\",\"Xe3XMd\":\"L'événement n'est pas visible au public\",\"4pKXJS\":\"L'événement est visible au public\",\"ClwUUD\":\"Lieu de l'événement et détails du lieu\",\"OopDbA\":\"Page de l'événement\",\"JyD0LH\":\"Event Settings\",\"4/If97\":\"La mise à jour du statut de l'événement a échoué. Veuillez réessayer plus tard\",\"btxLWj\":\"Statut de l'événement mis à jour\",\"tst44n\":\"Événements\",\"sZg7s1\":\"Date d'expiration\",\"KnN1Tu\":\"Expire\",\"uaSvqt\":\"Date d'expiration\",\"GS+Mus\":\"Exporter\",\"9xAp/j\":\"Échec de l'annulation du participant\",\"ZpieFv\":\"Échec de l'annulation de la commande\",\"z6tdjE\":\"Échec de la suppression du message. Veuillez réessayer.\",\"9zSt4h\":\"Échec de l'exportation des participants. Veuillez réessayer.\",\"2uGNuE\":\"Échec de l'exportation des commandes. Veuillez réessayer.\",\"d+KKMz\":\"Échec du chargement de la liste de pointage\",\"ZQ15eN\":\"Échec du renvoi de l'e-mail du ticket\",\"PLUB/s\":\"Frais\",\"YirHq7\":\"Retour\",\"/mfICu\":\"Frais\",\"V1EGGU\":\"Prénom\",\"kODvZJ\":\"Prénom\",\"S+tm06\":\"Le prénom doit comporter entre 1 et 50 caractères\",\"1g0dC4\":\"Le prénom, le nom et l'adresse e-mail sont des questions par défaut et sont toujours inclus dans le processus de paiement.\",\"QWa3Sk\":\"First Name, Last Name, and Email Address are default questions that are always included in the checkout process.\",\"TpqW74\":\"Fixé\",\"irpUxR\":\"Montant fixé\",\"TF9opW\":\"Flash n'est pas disponible sur cet appareil\",\"UNMVei\":\"Mot de passe oublié?\",\"2POOFK\":\"Gratuit\",\"/4rQr+\":\"Billet gratuit\",\"01my8x\":\"Billet gratuit, aucune information de paiement requise\",\"nLC6tu\":\"Français\",\"ejVYRQ\":\"From\",\"DDcvSo\":\"Allemand\",\"u6FPxT\":\"Get Tickets\",\"4GLxhy\":\"Commencer\",\"4D3rRj\":\"Revenir au profil\",\"cQPKZt\":\"Go to Dashboard\",\"9LCqFI\":\"Aller à la page d'accueil de l'événement\",\"RUz8o/\":\"ventes brutes\",\"IgcAGN\":\"Ventes brutes\",\"yRg26W\":\"Ventes brutes\",\"R4r4XO\":\"Invités\",\"26pGvx\":\"Avez vous un code de réduction?\",\"V7yhws\":\"bonjour@awesome-events.com\",\"GNJ1kd\":\"Aide et Support\",\"6K/IHl\":\"Voici un exemple de la façon dont vous pouvez utiliser le composant dans votre application.\",\"Y1SSqh\":\"Voici le composant React que vous pouvez utiliser pour intégrer le widget dans votre application.\",\"Ow9Hz5\":[\"Conférence Hi.Events \",[\"0\"]],\"verBst\":\"Centre de conférence Hi.Events\",\"6eMEQO\":\"logo hi.events\",\"C4qOW8\":\"Caché à la vue du public\",\"gt3Xw9\":\"question cachée\",\"g3rqFe\":\"questions cachées\",\"k3dfFD\":\"Les questions masquées ne sont visibles que par l'organisateur de l'événement et non par le client.\",\"EeNE0j\":\"Hidden will not be shown to customers.\",\"vLyv1R\":\"Cacher\",\"Mkkvfd\":\"Masquer la page de démarrage\",\"mFn5Xz\":\"Masquer les questions cachées\",\"SCimta\":\"Masquer la page de démarrage de la barre latérale\",\"Da29Y6\":\"Cacher cette question\",\"fsi6fC\":\"Masquer ce ticket aux clients\",\"fvDQhr\":\"Masquer ce niveau aux utilisateurs\",\"Fhzoa8\":\"Masquer le billet après la date de fin de vente\",\"yhm3J/\":\"Masquer le billet avant la date de début de la vente\",\"k7/oGT\":\"Masquer le billet sauf si l'utilisateur dispose du code promotionnel applicable\",\"L0ZOiu\":\"Masquer le billet lorsqu'il est épuisé\",\"uno73L\":\"Masquer un ticket empêchera les utilisateurs de le voir sur la page de l’événement.\",\"tj6Gob\":\"Homepage & Checkout\",\"m07jN3\":\"Homepage & Checkout Settings\",\"ZOBwQn\":\"Conception de la page d'accueil\",\"PRuBTd\":\"Concepteur de page d'accueil\",\"YjVNGZ\":\"Aperçu de la page d'accueil\",\"c3E/kw\":\"Homère\",\"id+NIk\":\"How many minutes the customer has to complete their order\",\"8k8Njd\":\"De combien de minutes le client dispose pour finaliser sa commande. Nous recommandons au moins 15 minutes\",\"ySxKZe\":\"Combien de fois ce code peut-il être utilisé ?\",\"dZsDbK\":[\"Limite de caractères HTML dépassé: \",[\"htmlLength\"],\"/\",[\"maxLength\"]],\"fYyXCd\":\"https://exemple-maps-service.com/...\",\"uOXLV3\":\"J'accepte les <0>termes et conditions\",\"sIxFk5\":\"I agree to the terms and conditions\",\"Crwwhn\":[\"If a new tab did not open, please <0>\",[\"0\"],\".\"],\"93DUnd\":[\"Si aucun nouvel onglet ne s'ouvre, veuillez <0><1>\",[\"0\"],\".\"],\"9gtsTP\":\"Si vide, l'adresse sera utilisée pour générer un lien Google map\",\"muXhGi\":\"Si activé, l'organisateur recevra une notification par e-mail lorsqu'une nouvelle commande sera passée\",\"6fLyj/\":\"Si vous n'avez pas demandé ce changement, veuillez immédiatement modifier votre mot de passe.\",\"n/ZDCz\":\"Image supprimée avec succès\",\"Gyl1h8\":\"Image dimensions must be at least 600px by 300px\",\"TiGacZ\":\"Image dimensions must be at least 900px by 450px\",\"UnTvkH\":\"Les dimensions de l'image doivent être comprises entre 3 000 et 2 000 px. Avec une hauteur maximale de 2 000 px et une largeur maximale de 3 000 px\",\"Mfbc2v\":\"Image dimensions must be between 4000px by 4000px. With a max height of 4000px and max width of 4000px\",\"uPEIvq\":\"L'image doit faire moins de 5 Mo\",\"AGZmwV\":\"Image téléchargée avec succès\",\"ibi52/\":\"La largeur de l'image doit être d'au moins 900 px et la hauteur d'au moins 50 px.\",\"NoNwIX\":\"Inactif\",\"T0K0yl\":\"Les utilisateurs inactifs ne peuvent pas se connecter.\",\"OFAmKP\":\"Include connection details for your online event\",\"BfPBBG\":\"Include connection details for your online event. These details will be after successful registration.\",\"6+pAOx\":\"Include connection details for your online event. These details will be shown after successful registration.\",\"evpD4c\":\"Incluez les détails de connexion pour votre événement en ligne. Ces détails seront affichés sur la page récapitulative de la commande et sur la page des billets des participants.\",\"FlQKnG\":\"Inclure les taxes et les frais dans le prix\",\"AXTNr8\":[\"Inclut \",[\"0\"],\" billets\"],\"7/Rzoe\":\"Inclut 1 billet\",\"nbfdhU\":\"Intégrations\",\"OyLdaz\":\"Invitation renvoyée !\",\"HE6KcK\":\"Invitation révoquée !\",\"SQKPvQ\":\"Inviter un utilisateur\",\"PgdQrx\":\"Émettre un remboursement\",\"KFXip/\":\"John\",\"XcgRvb\":\"Johnson\",\"1IWWYX\":[\"KittenTech Conference \",[\"0\"]],\"ZgJEMX\":\"KittenTech Conference Center\",\"87a/t/\":\"Étiquette\",\"vXIe7J\":\"Langue\",\"I3yitW\":\"Dernière connexion\",\"1ZaQUH\":\"Nom de famille\",\"UXBCwc\":\"Nom de famille\",\"CKcupn\":\"Latest Orders\",\"tITjB1\":\"En savoir plus sur Stripe\",\"c+gAXc\":\"Let's get started by creating your first event\",\"vR92Yn\":\"Commençons par créer votre premier organisateur\",\"QfrKvi\":\"Link color\",\"wJijgU\":\"Emplacement\",\"sQia9P\":\"Se connecter\",\"zUDyah\":\"Se connecter\",\"z0t9bb\":\"Se connecter\",\"nOhz3x\":\"Se déconnecter\",\"F2jAFv\":\"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Nom placerat elementum...\",\"XkhEf9\":\"Lorem ipsum...\",\"MU3ijv\":\"Rendre cette question obligatoire\",\"wckWOP\":\"Gérer\",\"8mmINh\":\"Manage billing information and view invoices\",\"jWIznR\":\"Manage default settings for new events\",\"n4SpU5\":\"Gérer l'événement\",\"wqyqaF\":\"Manage general account settings\",\"cQrNR3\":\"Gérer le profil\",\"f92Qak\":\"Manage taxes and fees which can be applied to tickets\",\"PlTcVr\":\"Gérez les taxes et les frais qui peuvent être appliqués à vos billets\",\"ophZVW\":\"Gérer les billets\",\"Wsx7Iu\":\"Manage users and their permissions\",\"DdHfeW\":\"Gérez les détails de votre compte et les paramètres par défaut\",\"QHcjP+\":\"Manage your billing and payment details\",\"S+UjNL\":\"Gérez vos informations de paiement Stripe\",\"BfucwY\":\"Gérez vos utilisateurs et leurs autorisations\",\"1m+YT2\":\"Il faut répondre aux questions obligatoires avant que le client puisse passer à la caisse.\",\"Dim4LO\":\"Ajouter manuellement un participant\",\"e4KdjJ\":\"Ajouter manuellement un participant\",\"lzcrX3\":\"L’ajout manuel d’un participant ajustera la quantité de billets.\",\"g9dPPQ\":\"Maximum par commande\",\"l5OcwO\":\"Message au participant\",\"Gv5AMu\":\"Message aux participants\",\"1jRD0v\":\"Envoyez des messages aux participants avec des billets spécifiques\",\"Lvi+gV\":\"Message à l'acheteur\",\"tNZzFb\":\"Contenu du message\",\"lYDV/s\":\"Envoyer un message à des participants individuels\",\"V7DYWd\":\"Message envoyé\",\"t7TeQU\":\"messages\",\"xFRMlO\":\"Minimum par commande\",\"QYcUEf\":\"Prix minimum\",\"mYLhkl\":\"Paramètres divers\",\"KYveV8\":\"Zone de texte multiligne\",\"SVuGaP\":\"Multiple price options, users can choose which to pay\",\"6wbTro\":\"Plusieurs options de prix. Parfait pour les billets lève-tôt, etc.\",\"/bhMdO\":\"Mon incroyable description d'événement...\",\"vX8/tc\":\"Mon incroyable titre d'événement...\",\"hKtWk2\":\"Mon profil\",\"pRjx4L\":\"Nom placerat elementum...\",\"6YtxFj\":\"Nom\",\"hVuv90\":\"Le nom doit comporter moins de 150 caractères\",\"AIUkyF\":\"Accédez au participant\",\"qqeAJM\":\"Jamais\",\"7vhWI8\":\"nouveau mot de passe\",\"m920rF\":\"New York\",\"1UzENP\":\"Non\",\"LNWHXb\":\"Aucun événement archivé à afficher.\",\"Wjz5KP\":\"Aucun participant à afficher\",\"Razen5\":\"Aucun participant ne pourra s'enregistrer avant cette date en utilisant cette liste\",\"XUfgCI\":\"Aucune Affectation de Capacité\",\"a/gMx2\":\"Pas de listes de pointage\",\"fFeCKc\":\"Pas de rabais\",\"HFucK5\":\"Aucun événement terminé à afficher.\",\"Z6ILSe\":\"Aucun événement pour cet organisateur\",\"yAlJXG\":\"Aucun événement à afficher\",\"KPWxKD\":\"Aucun message à afficher\",\"J2LkP8\":\"Aucune commande à afficher\",\"+Y976X\":\"Aucun code promotionnel à afficher\",\"Ev2r9A\":\"Aucun résultat\",\"RHyZUL\":\"Aucun résultat trouvé.\",\"cU1op4\":\"No Taxes or Fees have been added yet.\",\"RY2eP1\":\"Aucune taxe ou frais n'a été ajouté.\",\"uR2eFu\":\"No tickets available\",\"b7JZFg\":\"Aucun billet à montrer\",\"EdQY6l\":\"Aucun\",\"OJx3wK\":\"Pas disponible\",\"x5+Lcz\":\"Non enregistré\",\"Scbrsn\":\"Pas en vente\",\"hFwWnI\":\"Paramètres de notification\",\"xXqEPO\":\"Informer l'acheteur du remboursement\",\"YpN29s\":\"Informer l'organisateur des nouvelles commandes\",\"qeQhNj\":\"Créons maintenant votre premier événement\",\"2NPDz1\":\"En soldes\",\"Ldu/RI\":\"En soldes\",\"Ug4SfW\":\"Une fois que vous avez créé un événement, vous le verrez ici.\",\"+P/tII\":\"Une fois que vous êtes prêt, diffusez votre événement en direct et commencez à vendre des billets.\",\"J6n7sl\":\"En cours\",\"z+nuVJ\":\"Événement en ligne\",\"WKHW0N\":\"Détails de l'événement en ligne\",\"/xkmKX\":\"Seuls les e-mails importants, directement liés à cet événement, doivent être envoyés via ce formulaire.\\nToute utilisation abusive, y compris l'envoi d'e-mails promotionnels, entraînera un bannissement immédiat du compte.\",\"Qqqrwa\":\"Ouvrir la page de pointage\",\"OdnLE4\":\"Ouvrir la barre latérale\",\"ZZEYpT\":[\"Option \",[\"i\"]],\"0zpgxV\":\"Possibilités\",\"BzEFor\":\"ou\",\"UYUgdb\":\"Commande\",\"mm+eaX\":\"Commande #\",\"B3gPuX\":\"Commande annulée\",\"SIbded\":\"Commande terminée\",\"q/CcwE\":\"Date de commande\",\"Tol4BF\":\"détails de la commande\",\"L4kzeZ\":[\"Détails de la commande \",[\"0\"]],\"WbImlQ\":\"La commande a été annulée et le propriétaire de la commande a été informé.\",\"VCOi7U\":\"Questions de commande\",\"wg9MPp\":\"Order questions are asked once per order. By default, people are asked for their first name, last name, and email address.\",\"+KNVxX\":\"Order questions are asked once per order. By default, we ask for the first name, last name, and email address.\",\"TPoYsF\":\"Référence de l'achat\",\"GX6dZv\":\"Récapitulatif de la commande\",\"tDTq0D\":\"Délai d'expiration de la commande\",\"1h+RBg\":\"Ordres\",\"mz+c33\":\"Commandes créées\",\"G5RhpL\":\"Organisateur\",\"m/ebSk\":\"Organizer Details\",\"mYygCM\":\"Un organisateur est requis\",\"Pa6G7v\":\"Nom de l'organisateur\",\"J2cXxX\":\"Les organisateurs ne peuvent gérer que les événements et les billets. Ils ne peuvent pas gérer les utilisateurs, les paramètres de compte ou les informations de facturation.\",\"fdjq4c\":\"Rembourrage\",\"ErggF8\":\"Couleur d’arrière-plan de la page\",\"8F1i42\":\"Page non trouvée\",\"QbrUIo\":\"Pages vues\",\"6D8ePg\":\"page.\",\"IkGIz8\":\"payé\",\"2w/FiJ\":\"Billet payant\",\"8ZsakT\":\"Mot de passe\",\"TUJAyx\":\"Le mot de passe doit contenir au minimum 8 caractères\",\"vwGkYB\":\"Mot de passe doit être d'au moins 8 caractères\",\"BLTZ42\":\"Le mot de passe a été réinitialisé avec succès. Veuillez vous connecter avec votre nouveau mot de passe.\",\"f7SUun\":\"les mots de passe ne sont pas les mêmes\",\"aEDp5C\":\"Collez-le à l'endroit où vous souhaitez que le widget apparaisse.\",\"+23bI/\":\"Patrick\",\"iAS9f2\":\"patrick@acme.com\",\"iq5IUr\":\"Pause Ticket\",\"621rYf\":\"Paiement\",\"JhtZAK\":\"Paiement échoué\",\"xgav5v\":\"Paiement réussi !\",\"CcK+Ft\":\"PDF\",\"att1Hj\":\"percent\",\"/roQKz\":\"Pourcentage\",\"vPJ1FI\":\"Montant en pourcentage\",\"xdA9ud\":\"Placez-le dans le de votre site Web.\",\"blK94r\":\"Veuillez ajouter au moins une option\",\"FJ9Yat\":\"Veuillez vérifier que les informations fournies sont correctes\",\"TkQVup\":\"Veuillez vérifier votre e-mail et votre mot de passe et réessayer\",\"sMiGXD\":\"Veuillez vérifier que votre email est valide\",\"Ajavq0\":\"Veuillez vérifier votre courrier électronique pour confirmer votre adresse e-mail\",\"MdfrBE\":\"Veuillez remplir le formulaire ci-dessous pour accepter votre invitation\",\"b1Jvg+\":\"Veuillez continuer dans le nouvel onglet\",\"q40YFl\":\"Please continue your order in the new tab\",\"cdR8d6\":\"Veuillez créer un billet\",\"ZJG4Di\":\"Please ensure you only send emails directly related to the order. Promotional emails\\nshould not be sent using this form.\",\"o+HaYe\":\"Please enter a valid promo code\",\"HnNept\":\"Veuillez entrer votre nouveau mot de passe\",\"5FSIzj\":\"Veuillez noter\",\"MA04r/\":\"Veuillez supprimer les filtres et définir le tri sur \\\"Ordre de la page d'accueil\\\" pour activer le tri.\",\"pJLvdS\":\"Veuillez sélectionner\",\"yygcoG\":\"Veuillez sélectionner au moins un billet\",\"igBrCH\":\"Veuillez vérifier votre adresse e-mail pour accéder à toutes les fonctionnalités\",\"MOERNx\":\"Portugais\",\"R7+D0/\":\"Portugais (Brésil)\",\"qCJyMx\":\"Message après le paiement\",\"g2UNkE\":\"Alimenté par\",\"Qs7yI0\":\"Powered By\",\"lqAWKB\":\"Powered by <0>Hi.Events 👋\",\"3n47kV\":\"Powered By Hi.Events\",\"ddi4j4\":\"Propulsé par Stripe\",\"Rs7IQv\":\"Message de pré-commande\",\"rdUucN\":\"Aperçu\",\"a7u1N9\":\"Prix\",\"CmoB9j\":\"Mode d'affichage des prix\",\"Q8PWaJ\":\"Niveaux de prix\",\"a5jvSX\":\"Price Tiers\",\"6RmHKN\":\"Couleur primaire\",\"G/ZwV1\":\"Couleur primaire\",\"8cBtvm\":\"Couleur du texte principal\",\"BZz12Q\":\"Imprimer\",\"MT7dxz\":\"Imprimer tous les billets\",\"N0qXpE\":\"Products\",\"vERlcd\":\"Profil\",\"kUlL8W\":\"Mise à jour du profil réussie\",\"cl5WYc\":[\"Code promotionnel \",[\"promo_code\"],\" appliqué\"],\"ZXpm3a\":[\"Promo \",[\"promoCode\"],\" code applied\"],\"yKWfjC\":\"Page des codes promotionnels\",\"RVb8Fo\":\"Code de promo\",\"BZ9GWa\":\"Les codes promotionnels peuvent être utilisés pour offrir des réductions, un accès en prévente ou fournir un accès spécial à votre événement.\",\"4kyDD5\":\"Fournissez un contexte ou des instructions supplémentaires pour cette question. Utilisez ce champ pour ajouter des termes et conditions, des directives ou toute information importante que les participants doivent connaître avant de répondre.\",\"812gwg\":\"Licence d'achat\",\"LkMOWF\":\"Quantité disponible\",\"XKJuAX\":\"Question supprimée\",\"avf0gk\":\"Description de la question\",\"oQvMPn\":\"titre de question\",\"enzGAL\":\"Des questions\",\"K885Eq\":\"Questions triées avec succès\",\"OMJ035\":\"Option radio\",\"C4TjpG\":\"Lire moins\",\"I3QpvQ\":\"Destinataire\",\"N2C89m\":\"Référence\",\"gxFu7d\":[\"Montant du remboursement (\",[\"0\"],\")\"],\"n10yGu\":\"Commande de remboursement\",\"zPH6gp\":\"Commande de remboursement\",\"/BI0y9\":\"Remboursé\",\"fgLNSM\":\"Registre\",\"tasfos\":\"retirer\",\"t/YqKh\":\"Retirer\",\"RloWNu\":\"Reply to email\",\"EGm34e\":\"Renvoyer un courriel de confirmation\",\"lnrkNz\":\"Renvoyer l'e-mail de confirmation\",\"wIa8Qe\":\"Renvoyer l'invitation\",\"VeKsnD\":\"Renvoyer l'e-mail de commande\",\"dFuEhO\":\"Renvoyer l'e-mail du ticket\",\"o6+Y6d\":\"Renvoi...\",\"RfwZxd\":\"Réinitialiser le mot de passe\",\"KbS2K9\":\"réinitialiser le mot de passe\",\"e99fHm\":\"Restaurer l'événement\",\"vtc20Z\":\"Retour à la page de l'événement\",\"8YBH95\":\"Revenu\",\"PO/sOY\":\"Révoquer l'invitation\",\"GDvlUT\":\"Rôle\",\"ELa4O9\":\"Date de fin de vente\",\"5uo5eP\":\"Vente terminée\",\"Qm5XkZ\":\"Date de début de la vente\",\"hVF4dJ\":\"Sale starts\",\"hBsw5C\":\"Ventes terminées\",\"kpAzPe\":\"Début des ventes\",\"P/wEOX\":\"San Francisco\",\"tfDRzk\":\"Sauvegarder\",\"IUwGEM\":\"Sauvegarder les modifications\",\"U65fiW\":\"Enregistrer l'organisateur\",\"UGT5vp\":\"Enregistrer les paramètres\",\"ovB7m2\":\"Scanner le code QR\",\"lBAlVv\":\"Recherchez par nom, numéro de commande, numéro de participant ou e-mail...\",\"W4kWXJ\":\"Recherchez par nom de participant, e-mail ou numéro de commande...\",\"ulAuWO\":\"Search by event name or description...\",\"+pr/FY\":\"Rechercher par nom d'événement...\",\"NQSiYb\":\"Search by name or description...\",\"3zRbWw\":\"Recherchez par nom, e-mail ou numéro de commande...\",\"BiYOdA\":\"Rechercher par nom...\",\"B1bB1j\":\"Search by order #, name or email...\",\"KZpERn\":\"Search by product name...\",\"jA4hXE\":\"Search by subject or body...\",\"YEjitp\":\"Recherche par sujet ou contenu...\",\"HYnGee\":\"Rechercher par nom de billet...\",\"Pjsch9\":\"Rechercher des affectations de capacité...\",\"r9M1hc\":\"Rechercher des listes de pointage...\",\"YIix5Y\":\"Recherche...\",\"OeW+DS\":\"Couleur secondaire\",\"DnXcDK\":\"Couleur secondaire\",\"cZF6em\":\"Couleur du texte secondaire\",\"ZIgYeg\":\"Couleur du texte secondaire\",\"QuNKRX\":\"Sélectionnez la caméra\",\"kWI/37\":\"Sélectionnez l'organisateur\",\"hAjDQy\":\"Sélectionnez le statut\",\"QYARw/\":\"Sélectionnez un billet\",\"XH5juP\":\"Sélectionnez le niveau de billet\",\"OMX4tH\":\"Sélectionner des billets\",\"nuWxSr\":\"Select Tickets\",\"O/7I0o\":\"Sélectionner...\",\"JlFcis\":\"Envoyer\",\"qKWv5N\":[\"Envoyer une copie à <0>\",[\"0\"],\"\"],\"RktTWf\":\"Envoyer un message\",\"/mQ/tD\":\"Envoyer comme test. Cela enverra le message à votre adresse e-mail au lieu des destinataires.\",\"471O/e\":\"Send confirmation email\",\"M/WIer\":\"Envoyer un Message\",\"D7ZemV\":\"Envoyer la confirmation de commande et l'e-mail du ticket\",\"v1rRtW\":\"Envoyer le test\",\"j1VfcT\":\"Descriptif SEO\",\"/SIY6o\":\"Mots-clés SEO\",\"GfWoKv\":\"Paramètres de référencement\",\"rXngLf\":\"Titre SEO\",\"/jZOZa\":\"Frais de service\",\"vu4F0h\":\"Set a minimum price and let users donate more\",\"Bj/QGQ\":\"Fixer un prix minimum et laisser les utilisateurs payer plus s'ils le souhaitent\",\"nYNT+5\":\"Organisez votre événement\",\"A8iqfq\":\"Mettez votre événement en direct\",\"Tz0i8g\":\"Paramètres\",\"Z8lGw6\":\"Partager\",\"FFbYHm\":[\"Should this \",[\"type\"],\" be applied to all new tickets?\"],\"8vETh9\":\"Montrer\",\"smd87r\":\"Afficher la quantité de billets disponibles\",\"qDsmzu\":\"Afficher les questions masquées\",\"fMPkxb\":\"Montre plus\",\"izwOOD\":\"Afficher les taxes et les frais séparément\",\"j3b+OW\":\"Présenté au client après son paiement, sur la page récapitulative de la commande\",\"YfHZv0\":\"Montré au client avant son paiement\",\"CBBcly\":\"Affiche les champs d'adresse courants, y compris le pays\",\"yTnnYg\":\"Simpson\",\"TNaCfq\":\"Zone de texte sur une seule ligne\",\"+P0Cn2\":\"Passer cette étape\",\"YSEnLE\":\"Forgeron\",\"lgFfeO\":\"Épuisé\",\"Mi1rVn\":\"Épuisé\",\"nwtY4N\":\"Quelque chose s'est mal passé\",\"GRChTw\":\"Une erreur s'est produite lors de la suppression de la taxe ou des frais\",\"YHFrbe\":\"Quelque chose s'est mal passé ! Veuillez réessayer\",\"kf83Ld\":\"Quelque chose s'est mal passé.\",\"fWsBTs\":\"Quelque chose s'est mal passé. Veuillez réessayer.\",\"F6YahU\":\"Désolé, quelque chose s'est mal passé. Veuillez redémarrer le processus de paiement.\",\"KWgppI\":\"Désolé, une erreur s'est produite lors du chargement de cette page.\",\"/TCOIK\":\"Désolé, cette commande n'existe plus.\",\"DvCwYF\":\"Sorry, this promo code is invalid'\",\"6a/UJE\":\"Désolé, ce code promo n'est pas reconnu\",\"9rRZZ+\":\"Désolé, votre commande a expiré. Veuillez démarrer une nouvelle commande.\",\"a4SyEE\":\"Le tri est désactivé pendant que les filtres et le tri sont appliqués\",\"65A04M\":\"Espagnol\",\"4nG1lG\":\"Billet standard à prix fixe\",\"D3iCkb\":\"Date de début\",\"RS0o7b\":\"State\",\"/2by1f\":\"État ou région\",\"uAQUqI\":\"Statut\",\"UJmAAK\":\"Sujet\",\"X2rrlw\":\"Total\",\"b0HJ45\":[\"Succès! \",[\"0\"],\" recevra un e-mail sous peu.\"],\"BJIEiF\":[[\"0\"],\" participant a réussi\"],\"Ih8kN0\":[\"Successfully $\",[\"0\"],\" attendee\"],\"xHl17l\":[\"Vérification réussie <0>\",[\"0\"],\" \",[\"1\"],\" \",[\"2\"]],\"OtgNFx\":\"Adresse e-mail confirmée avec succès\",\"IKwyaF\":\"Changement d'e-mail confirmé avec succès\",\"zLmvhE\":\"Participant créé avec succès\",\"9mZEgt\":\"Code promotionnel créé avec succès\",\"aIA9C4\":\"Question créée avec succès\",\"onFQYs\":\"Ticket créé avec succès\",\"Hgj/mB\":\"Successfully deleted ticket\",\"J3RJSZ\":\"Participant mis à jour avec succès\",\"3suLF0\":\"Affectation de Capacité mise à jour avec succès\",\"Z+rnth\":\"Liste de pointage mise à jour avec succès\",\"vzJenu\":\"Paramètres de messagerie mis à jour avec succès\",\"7kOMfV\":\"Événement mis à jour avec succès\",\"G0KW+e\":\"Conception de la page d'accueil mise à jour avec succès\",\"k9m6/E\":\"Paramètres de la page d'accueil mis à jour avec succès\",\"y/NR6s\":\"Emplacement mis à jour avec succès\",\"73nxDO\":\"Paramètres divers mis à jour avec succès\",\"70dYC8\":\"Code promotionnel mis à jour avec succès\",\"F+pJnL\":\"Paramètres de référencement mis à jour avec succès\",\"g2lRrH\":\"Billet mis à jour avec succès\",\"DXZRk5\":\"Suite 100\",\"GNcfRk\":\"E-mail d'assistance\",\"JpohL9\":\"Impôt\",\"geUFpZ\":\"Taxes et frais\",\"0RXCDo\":\"Taxe ou frais supprimés avec succès\",\"ZowkxF\":\"Impôts\",\"EEZnW+\":\"Taxes & Fees\",\"qu6/03\":\"Taxes et frais\",\"gVjSFp\":\"Taxes and Fees can be associated with tickets and will be added to the ticket price.\",\"e0ZSh4\":\"Text Colour\",\"gypigA\":\"Ce code promotionnel n'est pas valide\",\"0ozSQu\":\"The background color for the event homepage\",\"LbHWgW\":\"The background color for the ticket widget on the event homepage\",\"75Xclv\":\"The basic details of your event\",\"5ShqeM\":\"La liste de pointage que vous recherchez n'existe pas.\",\"UNqHnV\":\"The color of the buttons on the event homepage\",\"0amhbL\":\"The color of the links on the event homepage\",\"QXlz+n\":\"La devise par défaut de vos événements.\",\"mnafgQ\":\"Le fuseau horaire par défaut pour vos événements.\",\"o7s5FA\":\"La langue dans laquelle le participant recevra ses courriels.\",\"NlfnUd\":\"Le lien sur lequel vous avez cliqué n'est pas valide.\",\"FqjKfd\":\"The location of your event\",\"kIXEVN\":[\"Le nombre maximum de billets pour \",[\"0\"],\" est \",[\"1\"]],\"FeAfXO\":[\"Le nombre maximum de billets pour les généraux est de \",[\"0\"],\".\"],\"POEqXB\":\"The organizer details of your event\",\"TSAiPM\":\"La page que vous recherchez n'existe pas\",\"MSmKHn\":\"Le prix affiché au client comprendra les taxes et frais.\",\"6zQOg1\":\"Le prix affiché au client ne comprendra pas les taxes et frais. Ils seront présentés séparément\",\"ne/9Ur\":\"Les paramètres de style que vous choisissez s'appliquent uniquement au code HTML copié et ne seront pas stockés.\",\"TJZByZ\":\"The tax and fee to apply to this ticket. You can create new taxes and fees on the\",\"OJYwh9\":\"Les taxes et frais à appliquer sur ce billet. Vous pouvez créer de nouvelles taxes et frais sur le\",\"6BpBfZ\":\"The text color for the event homepage\",\"rljHp7\":\"The text color for the ticket widget on the event homepage\",\"s4di40\":\"The text to display in the 'Continue' button. Defaults to 'Continue'\",\"esY5SG\":\"Le titre de l'événement qui sera affiché dans les résultats des moteurs de recherche et lors du partage sur les réseaux sociaux. Par défaut, le titre de l'événement sera utilisé\",\"wgAiDb\":\"The user must login to change their email.\",\"jvxN9/\":\"Il n'y a pas de billets disponibles pour cet événement\",\"rMcHYt\":\"Un remboursement est en attente. Veuillez attendre qu'il soit terminé avant de demander un autre remboursement.\",\"hjLUr+\":\"There was an error loading this content. Please refresh the page and try again.\",\"68Axnm\":\"Il y a eu une erreur lors du traitement de votre demande. Veuillez réessayer.\",\"mVKOW6\":\"Une erreur est survenue lors de l'envoi de votre message\",\"Um/adz\":\"These allow multiple selections\",\"vWeHWp\":\"These colors are not saved in our system.\",\"7qzHGS\":\"These colors are not saved in our system. They are only used to generate the widget.\",\"xxv3BZ\":\"Cette liste de pointage a expiré\",\"Sa7w7S\":\"Cette liste de pointage a expiré et n'est plus disponible pour les enregistrements.\",\"Uicx2U\":\"Cette liste de pointage est active\",\"1k0Mp4\":\"Cette liste de pointage n'est pas encore active\",\"K6fmBI\":\"Cette liste de pointage n'est pas encore active et n'est pas disponible pour les enregistrements.\",\"t/ePFj\":\"Cette description sera affichée au personnel de pointage\",\"MLTkH7\":\"Cet email n'est pas promotionnel et est directement lié à l'événement.\",\"2eIpBM\":\"Cet événement n'est pas disponible pour le moment. Veuillez revenir plus tard.\",\"Z6LdQU\":\"Cet événement n'est pas disponible.\",\"CNk/ro\":\"Ceci est un événement en ligne\",\"GabtCa\":\"This is the email address that will be used as the reply-to address for all emails sent from this event\",\"FwXnJd\":\"Cette liste ne sera plus disponible pour les enregistrements après cette date\",\"CKkb5E\":\"This message is how below the\",\"cHO4ec\":\"Ce message sera inclus dans le pied de page de tous les e-mails envoyés à partir de cet événement\",\"RjwlZt\":\"Cette commande a déjà été payée.\",\"axERYu\":\"This order has already been paid. <0>View order details\",\"wY+HO9\":\"This order has already been processed.\",\"5K8REg\":\"Cette commande a déjà été remboursée.\",\"OiQMhP\":\"Cette commande a été annulée\",\"YyEJij\":\"Cette commande a été annulée.\",\"D44cEI\":\"This order has been completed.\",\"HILpDX\":\"Cette commande est en attente de paiement\",\"0vRWbB\":\"This order is awaiting payment.\",\"BdYtn9\":\"Cette commande est terminée\",\"e3uMJH\":\"Cette commande est terminée.\",\"YNKXOK\":\"Cette commande est en cours de traitement.\",\"LIjb4v\":\"This order is processing. TODO - a nice image and poll the API\",\"yPZN4i\":\"Cette page de commande n'est plus disponible.\",\"5189cf\":\"Cela remplace tous les paramètres de visibilité et masquera le ticket à tous les clients.\",\"4vwjho\":\"This page has expired. <0>View order details\",\"Qt7RBu\":\"Cette question n'est visible que par l'organisateur de l'événement\",\"os29v1\":\"Ce lien de réinitialisation du mot de passe est invalide ou a expiré.\",\"WJqBqd\":\"Ce ticket ne peut pas être supprimé car il est\\nassocié à une commande. Vous pouvez le cacher à la place.\",\"ma6qdu\":\"Ce ticket est masqué à la vue du public\",\"xJ8nzj\":\"Ce ticket est masqué sauf s'il est ciblé par un code promotionnel\",\"IV9xTT\":\"Cet utilisateur n'est pas actif car il n'a pas accepté son invitation.\",\"5AnPaO\":\"billet\",\"kjAL4v\":\"Billet\",\"KosivG\":\"Billet supprimé avec succès\",\"dtGC3q\":\"L'e-mail du ticket a été renvoyé au participant\",\"USk+Mn\":\"Ticket page message\",\"mRM6XH\":\"La vente de billets\",\"NirIiz\":\"Niveau de billet\",\"8jLPgH\":\"Type de billet\",\"jqWDf9\":\"Ticket widget background color\",\"UrMVAz\":\"Aperçu du widget de billet\",\"ngtDy7\":\"Ticket widget text color\",\"N+YYpo\":\"Des billets)\",\"6GQNLE\":\"Des billets\",\"54q0zp\":\"Billets pour\",\"ikA//P\":\"billets vendus\",\"i+idBz\":\"Billets vendus\",\"AGRilS\":\"Billets vendus\",\"56Qw2C\":\"Billets triés avec succès\",\"4f8A8M\":\"Tickets to which the promo code applies (Applies to all by default)\",\"xN9AhL\":[\"Niveau \",[\"0\"]],\"oYaHuq\":\"Billet à plusieurs niveaux\",\"XZrhpz\":\"Tiered Ticket - Coming Soon\",\"4M150e\":\"Les billets à plusieurs niveaux vous permettent de proposer plusieurs options de prix pour le même billet.\\nC'est parfait pour les billets anticipés ou pour offrir des prix différents.\\noptions pour différents groupes de personnes.\",\"jQoYTX\":\"Tiered tickets allow you to offer multiple price options for the same ticket. This is perfect for early bird tickets or offering different price options for different groups of people.\",\"s/0RpH\":\"Temps utilisés\",\"40Gx0U\":\"Fuseau horaire\",\"oDGm7V\":\"CONSEIL\",\"MHrjPM\":\"Titre\",\"xdA/+p\":\"Outils\",\"72c5Qo\":\"Total\",\"BxsfMK\":\"Total des frais\",\"mpB/d9\":\"Montant total de la commande\",\"m3FM1g\":\"Total remboursé\",\"GBBIy+\":\"Total restant\",\"/SgoNA\":\"Taxe total\",\"+zy2Nq\":\"Taper\",\"mLGbAS\":[\"Impossible d'accéder à \",[\"0\"],\" participant\"],\"FMdMfZ\":\"Impossible d'enregistrer le participant\",\"bPWBLL\":\"Impossible de sortir le participant\",\"/cSMqv\":\"Impossible de créer une question. Veuillez vérifier vos coordonnées\",\"nNdxt9\":\"Impossible de créer un ticket. Veuillez vérifier vos coordonnées\",\"MH/lj8\":\"Impossible de mettre à jour la question. Veuillez vérifier vos coordonnées\",\"Mqy/Zy\":\"États-Unis\",\"NIuIk1\":\"Illimité\",\"/p9Fhq\":\"Disponible illimité\",\"oMcLhS\":\"Unlimited ticket quantity available\",\"E0q9qH\":\"Utilisations illimitées autorisées\",\"ia8YsC\":\"A venir\",\"TlEeFv\":\"Événements à venir\",\"L/gNNk\":[\"Mettre à jour \",[\"0\"]],\"+qqX74\":\"Mettre à jour le nom, la description et les dates de l'événement\",\"vXPSuB\":\"Mettre à jour le profil\",\"gsehpV\":\"Upload an image to be displayed on the event page\",\"BNBfrU\":\"Télécharger la couverture\",\"UtDm3q\":\"URL copié dans le presse-papiers\",\"e5lF64\":\"Exemple d'utilisation\",\"sGEOe4\":\"Utilisez une version floue de l'image de couverture comme arrière-plan\",\"OadMRm\":\"Utiliser l'image de couverture\",\"7PzzBU\":\"Utilisateur\",\"yDOdwQ\":\"Gestion des utilisateurs\",\"Sxm8rQ\":\"Utilisateurs\",\"VEsDvU\":\"Les utilisateurs peuvent modifier leur adresse e-mail dans <0>Paramètres du profil.\",\"vgwVkd\":\"UTC\",\"khBZkl\":\"T.V.A.\",\"E/9LUk\":\"nom de la place\",\"AM+zF3\":\"Afficher le participant\",\"e4mhwd\":\"Afficher la page d'accueil de l'événement\",\"/5PEQz\":\"Voir la page de l'événement\",\"fFornT\":\"Afficher le message complet\",\"YIsEhQ\":\"Voir la carte\",\"Ep3VfY\":\"Afficher sur Google Maps\",\"AMkkeL\":\"Voir l'ordre\",\"Y8s4f6\":\"Voir d'autres détails\",\"QIWCnW\":\"Liste de pointage VIP\",\"tF+VVr\":\"Billet VIP\",\"2q/Q7x\":\"Visibilité\",\"vmOFL/\":\"Nous n'avons pas pu traiter votre paiement. Veuillez réessayer ou contacter l'assistance.\",\"1E0vyy\":\"Nous n'avons pas pu charger les données. Veuillez réessayer.\",\"VGioT0\":\"Nous recommandons des dimensions de 2 160 px sur 1 080 px et une taille de fichier maximale de 5 Mo.\",\"b9UB/w\":\"Nous utilisons Stripe pour traiter les paiements. Connectez votre compte Stripe pour commencer à recevoir des paiements.\",\"01WH0a\":\"Nous n'avons pas pu confirmer votre paiement. Veuillez réessayer ou contacter l'assistance.\",\"Gspam9\":\"Nous traitons votre commande. S'il vous plaît, attendez...\",\"LuY52w\":\"Bienvenue à bord! Merci de vous connecter pour continuer.\",\"dVxpp5\":[\"Bon retour\",[\"0\"],\" 👋\"],\"NxOVCl\":[\"Bienvenue sur Hi.Events, \",[\"0\"],\" 👋\"],\"wjqPqF\":\"Que sont les billets à plusieurs niveaux ?\",\"f1jUC0\":\"À quelle date cette liste de pointage doit-elle devenir active ?\",\"5iXvHA\":\"What is a Tiered Ticketing?\",\"MhhnvW\":\"À quels billets ce code s'applique-t-il ? (S'applique à tous par défaut)\",\"dCil3h\":\"À quels billets cette question doit-elle s'appliquer ?\",\"Rb0XUE\":\"A quelle heure arriverez-vous ?\",\"5N4wLD\":\"De quel type de question s'agit-il ?\",\"D7C6XV\":\"Quand cette liste de pointage doit-elle expirer ?\",\"FVetkT\":\"Quels billets doivent être associés à cette liste de pointage ?\",\"S+OdxP\":\"Qui organise cet événement ?\",\"LINr2M\":\"A qui s'adresse ce message ?\",\"nWhye/\":\"À qui faut-il poser cette question ?\",\"vVGiM4\":\"Who type of question is this?\",\"onLsWS\":\"Whoops! something went wrong. Please try again or contact support if the problem persists.\",\"AHXN2z\":\"Widget\",\"AU/8QR\":\"Widget Configuration\",\"VxFvXQ\":\"Intégrer le widget\",\"v1P7Gm\":\"Paramètres des widgets\",\"b4itZn\":\"Fonctionnement\",\"hqmXmc\":\"Fonctionnement...\",\"l75CjT\":\"Oui\",\"QcwyCh\":\"Oui, supprime-les\",\"ySeBKv\":\"Vous avez déjà scanné ce billet\",\"P+Sty0\":[\"Vous changez votre adresse e-mail en <0>\",[\"0\"],\".\"],\"gGhBmF\":\"Vous êtes hors ligne\",\"4ysd6z\":\"You can connecting using this Zoom link...\",\"9HGdDw\":\"Vous pouvez créer un code promo qui cible ce billet sur le\",\"KRhIxT\":\"Vous pouvez désormais commencer à recevoir des paiements via Stripe.\",\"UqVaVO\":\"Vous ne pouvez pas modifier le type de ticket car des participants sont associés à ce ticket.\",\"zQ8idk\":\"You cannot change the ticket type because there are already tickets sold for this ticket.\",\"3vRX5A\":\"Vous ne pouvez pas supprimer ce niveau tarifaire car des billets sont déjà vendus pour ce niveau. Vous pouvez le cacher à la place.\",\"RCC09s\":\"You cannot edit a default question\",\"tFbRKJ\":\"Vous ne pouvez pas modifier le rôle ou le statut du propriétaire du compte.\",\"fHfiEo\":\"Vous ne pouvez pas rembourser une commande créée manuellement.\",\"hK9c7R\":\"Vous avez créé une question masquée mais avez désactivé l'option permettant d'afficher les questions masquées. Il a été activé.\",\"NOaWRX\":\"Vous n'avez pas la permission d'accéder à cette page\",\"BRArmD\":\"Vous avez accès à plusieurs comptes. Veuillez en choisir un pour continuer.\",\"Z6q0Vl\":\"Vous avez déjà accepté cette invitation. Merci de vous connecter pour continuer.\",\"rdk1xK\":\"Vous avez connecté votre compte Stripe\",\"ofEncr\":\"Vous n'avez aucune question de participant.\",\"XoeazJ\":\"You have no attendee questions. Attendee questions are asked once per attendee.\",\"CoZHDB\":\"Vous n'avez aucune question de commande.\",\"FZKDIe\":\"You have no order questions. Order questions are asked once per order.\",\"15qAvl\":\"Vous n’avez aucun changement d’e-mail en attente.\",\"n81Qk8\":\"Vous n'avez pas terminé votre configuration Stripe Connect\",\"jxsiqJ\":\"Vous n'avez pas connecté votre compte Stripe\",\"183zcL\":\"Des taxes et des frais sont ajoutés à un billet gratuit. Souhaitez-vous les supprimer ou les masquer ?\",\"2v5MI1\":\"Vous n'avez pas encore envoyé de messages. Vous pouvez envoyer des messages à tous les participants ou à des détenteurs de billets spécifiques.\",\"R6i9o9\":\"Vous devez reconnaître que cet e-mail n'est pas promotionnel\",\"3ZI8IL\":\"Vous devez accepter les termes et conditions\",\"dMd3Uf\":\"Vous devez confirmer votre adresse e-mail avant que votre événement puisse être mis en ligne.\",\"H35u3n\":\"Vous devez créer un ticket avant de pouvoir ajouter manuellement un participant.\",\"jE4Z8R\":\"Vous devez avoir au moins un niveau de prix\",\"LRguuL\":\"You must have at least one tier\",\"8/eLoa\":\"Vous devez vérifier votre compte avant de pouvoir envoyer des messages.\",\"L/+xOk\":\"Vous aurez besoin d'un billet avant de pouvoir créer une liste de pointage.\",\"8QNzin\":\"Vous aurez besoin d'un billet avant de pouvoir créer une affectation de capacité.\",\"WHXRMI\":\"Vous aurez besoin d'au moins un ticket pour commencer. Gratuit, payant ou laissez l'utilisateur décider quoi payer.\",\"bdg03s\":\"Your account email in outgoing emails.\",\"ROR8QD\":\"Le nom de votre compte est utilisé sur les pages d'événements et dans les e-mails.\",\"veessc\":\"Vos participants apparaîtront ici une fois qu’ils se seront inscrits à votre événement. Vous pouvez également ajouter manuellement des participants.\",\"Eh5Wrd\":\"Votre superbe site internet 🎉\",\"lkMK2r\":\"Vos détails\",\"3ENYTQ\":[\"Votre demande de modification par e-mail en <0>\",[\"0\"],\" est en attente. S'il vous plaît vérifier votre e-mail pour confirmer\"],\"yZfBoy\":\"Votre message a été envoyé\",\"la26JS\":\"Your order is in progress\",\"7YJdgG\":\"Vos commandes apparaîtront ici une fois qu’elles commenceront à arriver.\",\"9TO8nT\":\"Votre mot de passe\",\"P8hBau\":\"Votre paiement est en cours de traitement.\",\"UdY1lL\":\"Votre paiement n'a pas abouti, veuillez réessayer.\",\"fzuM26\":\"Votre paiement a échoué. Veuillez réessayer.\",\"cJ4Y4R\":\"Votre remboursement est en cours de traitement.\",\"IFHV2p\":\"Votre billet pour\",\"3k7HDY\":\"Zip\",\"BM/KQm\":\"Code Postal\",\"VftCuk\":\"Zoom link, Google Meet link, etc.\"}")}; \ No newline at end of file diff --git a/frontend/src/locales/fr.po b/frontend/src/locales/fr.po index 8ea4723b..2eb9223d 100644 --- a/frontend/src/locales/fr.po +++ b/frontend/src/locales/fr.po @@ -29,7 +29,7 @@ msgstr "{0} <0>enregistré avec succès" msgid "{0} <0>checked out successfully" msgstr "{0} <0>sorti avec succès" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:298 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:305 msgid "{0} available" msgstr "{0} disponible" @@ -218,7 +218,7 @@ msgstr "Compte" msgid "Account Name" msgstr "Nom du compte" -#: src/components/common/GlobalMenu/index.tsx:24 +#: src/components/common/GlobalMenu/index.tsx:32 #: src/components/routes/account/ManageAccount/index.tsx:19 msgid "Account Settings" msgstr "Paramètres du compte" @@ -361,7 +361,7 @@ msgstr "Incroyable, Événement, Mots-clés..." #: src/components/common/OrdersTable/index.tsx:152 #: src/components/forms/TaxAndFeeForm/index.tsx:71 -#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:35 +#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:36 msgid "Amount" msgstr "Montant" @@ -405,7 +405,7 @@ msgstr "Toutes les questions des détenteurs de billets seront envoyées à cett msgid "Appearance" msgstr "Apparence" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:367 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:377 msgid "applied" msgstr "appliqué" @@ -417,7 +417,7 @@ msgstr "S'applique à {0} billets" msgid "Applies to 1 ticket" msgstr "S'applique à 1 billet" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:395 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:405 msgid "Apply Promo Code" msgstr "Appliquer le code promotionnel" @@ -745,7 +745,7 @@ msgstr "Ville" msgid "Clear Search Text" msgstr "Effacer le texte de recherche" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:265 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:266 msgid "click here" msgstr "Cliquez ici" @@ -863,7 +863,7 @@ msgstr "Couleur d'arrière-plan du contenu" #: src/components/common/WidgetEditor/index.tsx:31 #: src/components/common/WidgetEditor/index.tsx:217 #: src/components/layouts/Checkout/CheckoutFooter/index.tsx:36 -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:353 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:363 msgid "Continue" msgstr "Continuer" @@ -986,6 +986,10 @@ msgstr "Créer un nouveau" msgid "Create Organizer" msgstr "Créer un organisateur" +#: src/components/routes/event/products.tsx:50 +msgid "Create Product" +msgstr "" + #: src/components/modals/CreatePromoCodeModal/index.tsx:51 #: src/components/modals/CreatePromoCodeModal/index.tsx:56 msgid "Create Promo Code" @@ -1160,7 +1164,7 @@ msgstr "Remise en {0}" msgid "Discount Type" msgstr "Type de remise" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:274 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:275 msgid "Dismiss" msgstr "Rejeter" @@ -1576,7 +1580,7 @@ msgstr "Mot de passe oublié?" #: src/components/common/OrderSummary/index.tsx:99 #: src/components/common/TicketsTable/SortableTicket/index.tsx:88 #: src/components/common/TicketsTable/SortableTicket/index.tsx:102 -#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:51 +#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:52 msgid "Free" msgstr "Gratuit" @@ -1625,7 +1629,7 @@ msgstr "Ventes brutes" msgid "Guests" msgstr "Invités" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:362 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:372 msgid "Have a promo code?" msgstr "Avez vous un code de réduction?" @@ -1676,7 +1680,7 @@ msgid "Hidden questions are only visible to the event organizer and not to the c msgstr "Les questions masquées ne sont visibles que par l'organisateur de l'événement et non par le client." #: src/components/forms/TicketForm/index.tsx:289 -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:332 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:342 msgid "Hide" msgstr "Cacher" @@ -1760,7 +1764,7 @@ msgstr "https://exemple-maps-service.com/..." msgid "I agree to the <0>terms and conditions" msgstr "J'accepte les <0>termes et conditions" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:261 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:262 msgid "If a new tab did not open, please <0><1>{0}." msgstr "Si aucun nouvel onglet ne s'ouvre, veuillez <0><1>{0}." @@ -1914,7 +1918,7 @@ msgstr "Se connecter" msgid "Login" msgstr "Se connecter" -#: src/components/common/GlobalMenu/index.tsx:29 +#: src/components/common/GlobalMenu/index.tsx:47 msgid "Logout" msgstr "Se déconnecter" @@ -2047,7 +2051,7 @@ msgstr "Mon incroyable description d'événement..." msgid "My amazing event title..." msgstr "Mon incroyable titre d'événement..." -#: src/components/common/GlobalMenu/index.tsx:19 +#: src/components/common/GlobalMenu/index.tsx:27 msgid "My Profile" msgstr "Mon profil" @@ -2444,7 +2448,7 @@ msgstr "Veuillez vérifier votre courrier électronique pour confirmer votre adr msgid "Please complete the form below to accept your invitation" msgstr "Veuillez remplir le formulaire ci-dessous pour accepter votre invitation" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:259 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:260 msgid "Please continue in the new tab" msgstr "Veuillez continuer dans le nouvel onglet" @@ -2469,7 +2473,7 @@ msgstr "Veuillez supprimer les filtres et définir le tri sur \"Ordre de la page msgid "Please select" msgstr "Veuillez sélectionner" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:216 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:217 msgid "Please select at least one ticket" msgstr "Veuillez sélectionner au moins un billet" @@ -2540,6 +2544,10 @@ msgstr "Imprimer" msgid "Print All Tickets" msgstr "Imprimer tous les billets" +#: src/components/routes/event/products.tsx:39 +msgid "Products" +msgstr "" + #: src/components/routes/profile/ManageProfile/index.tsx:106 msgid "Profile" msgstr "Profil" @@ -2548,7 +2556,7 @@ msgstr "Profil" msgid "Profile updated successfully" msgstr "Mise à jour du profil réussie" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:160 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:161 msgid "Promo {promo_code} code applied" msgstr "Code promotionnel {promo_code} appliqué" @@ -2639,11 +2647,11 @@ msgstr "Remboursé" msgid "Register" msgstr "Registre" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:371 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:381 msgid "remove" msgstr "retirer" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:372 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:382 msgid "Remove" msgstr "Retirer" @@ -2779,6 +2787,10 @@ msgstr "Recherchez par nom, e-mail ou numéro de commande..." msgid "Search by name..." msgstr "Rechercher par nom..." +#: src/components/routes/event/products.tsx:43 +msgid "Search by product name..." +msgstr "" + #: src/components/routes/event/messages.tsx:34 msgid "Search by subject or content..." msgstr "Recherche par sujet ou contenu..." @@ -2927,7 +2939,7 @@ msgstr "Afficher la quantité de billets disponibles" msgid "Show hidden questions" msgstr "Afficher les questions masquées" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:332 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:342 msgid "Show more" msgstr "Montre plus" @@ -3007,7 +3019,7 @@ msgstr "Désolé, une erreur s'est produite lors du chargement de cette page." msgid "Sorry, this order no longer exists." msgstr "Désolé, cette commande n'existe plus." -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:225 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:226 msgid "Sorry, this promo code is not recognized" msgstr "Désolé, ce code promo n'est pas reconnu" @@ -3181,8 +3193,8 @@ msgstr "Impôts" msgid "Taxes and Fees" msgstr "Taxes et frais" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:120 -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:168 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:121 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:169 msgid "That promo code is invalid" msgstr "Ce code promotionnel n'est pas valide" @@ -3208,7 +3220,7 @@ msgstr "La langue dans laquelle le participant recevra ses courriels." msgid "The link you clicked is invalid." msgstr "Le lien sur lequel vous avez cliqué n'est pas valide." -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:318 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:328 msgid "The maximum numbers number of tickets for {0}is {1}" msgstr "Le nombre maximum de billets pour {0} est {1}" @@ -3240,7 +3252,7 @@ msgstr "Les taxes et frais à appliquer sur ce billet. Vous pouvez créer de nou msgid "The title of the event that will be displayed in search engine results and when sharing on social media. By default, the event title will be used" msgstr "Le titre de l'événement qui sera affiché dans les résultats des moteurs de recherche et lors du partage sur les réseaux sociaux. Par défaut, le titre de l'événement sera utilisé" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:249 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:250 msgid "There are no tickets available for this event" msgstr "Il n'y a pas de billets disponibles pour cet événement" @@ -3533,7 +3545,7 @@ msgid "Unable to create question. Please check the your details" msgstr "Impossible de créer une question. Veuillez vérifier vos coordonnées" #: src/components/modals/CreateTicketModal/index.tsx:64 -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:105 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:106 msgid "Unable to create ticket. Please check the your details" msgstr "Impossible de créer un ticket. Veuillez vérifier vos coordonnées" @@ -3552,6 +3564,10 @@ msgstr "États-Unis" msgid "Unlimited" msgstr "Illimité" +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:300 +msgid "Unlimited available" +msgstr "Disponible illimité" + #: src/components/common/PromoCodeTable/index.tsx:125 msgid "Unlimited usages allowed" msgstr "Utilisations illimitées autorisées" diff --git a/frontend/src/locales/pt-br.js b/frontend/src/locales/pt-br.js index 6aae5dd0..78c84aeb 100644 --- a/frontend/src/locales/pt-br.js +++ b/frontend/src/locales/pt-br.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"1bpx9A\":\"...\",\"f8qS7T\":\"'Ainda não há nada para mostrar'\",\"4zldrf\":[[\"0\",\"plural\",{\"one\":[\"#\",\" hidden question\"],\"other\":[\"#\",\" hidden questions\"]}]],\"J/hVSQ\":[[\"0\"]],\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"Jv22kr\":[[\"0\"],\" <0>registrado com sucesso\"],\"yxhYRZ\":[[\"0\"],\" <0>desmarcado com sucesso\"],\"KMgp2+\":[[\"0\"],\" disponível\"],\"tmew5X\":[[\"0\"],\" registrado\"],\"Pmr5xp\":[[\"0\"],\" criado com sucesso\"],\"FImCSc\":[[\"0\"],\" atualizado com sucesso\"],\"KOr9b4\":[\"Eventos de \",[\"0\"]],\"qSiUsc\":[[\"0\"],[\"1\"]],\"cU8MWb\":[[\"0\"],\"/\",[\"1\"],\" registrado\"],\"Vjij1k\":[[\"days\"],\" dias, \",[\"hours\"],\" horas, \",[\"minutes\"],\" minutos e \",[\"seconds\"],\" segundos\"],\"f3RdEk\":[[\"hours\"],\" horas, \",[\"minutes\"],\" minutos e \",[\"seconds\"],\" segundos\"],\"wapGcj\":[[\"message\"]],\"fyE7Au\":[[\"minutos\"],\" minutos e \",[\"segundos\"],\" segundos\"],\"NlQ0cx\":[\"Primeiro evento de \",[\"organizerName\"]],\"Ul6IgC\":\"<0>As atribuições de capacidade permitem que você gerencie a capacidade entre ingressos ou um evento inteiro. Ideal para eventos de vários dias, workshops e mais, onde o controle de presença é crucial.<1>Por exemplo, você pode associar uma atribuição de capacidade ao ingresso de <2>Dia Um e <3>Todos os Dias. Uma vez que a capacidade é atingida, ambos os ingressos pararão automaticamente de estar disponíveis para venda.\",\"Exjbj7\":\"<0>As listas de registro ajudam a gerenciar a entrada dos participantes no seu evento. Você pode associar vários ingressos a uma lista de registro e garantir que apenas aqueles com ingressos válidos possam entrar.\",\"OXku3b\":\"<0>https://your-website.com\",\"qnSLLW\":\"<0>Por favor, insira o preço sem incluir impostos e taxas.<1>Impostos e taxas podem ser adicionados abaixo.\",\"0940VN\":\"<0>O número de ingressos disponíveis para este ingresso<1>Este valor pode ser substituído se houver <2>Limites de Capacidade associados a este ingresso.\",\"E15xs8\":\"⚡️ Prepare seu evento\",\"FL6OwU\":\"✉️ Confirme seu endereço de e-mail\",\"y1NShf\":\"🎉 Congratulation on creating an event!\",\"BN0OQd\":\"Parabéns por criar um evento!\",\"fAv9QG\":\"🎟️ Adicionar tíquetes\",\"4WT5tD\":\"Personalize a página do seu evento\",\"3VPPdS\":\"Conecte-se com o Stripe\",\"s4Tgn6\":\"📢 Promote your event\",\"cjdktw\":\"Configure seu evento ao vivo\",\"rmelwV\":\"0 minutos e 0 segundos\",\"UQ7pBY\":\"0.50 for $0.50\",\"i1+xzD\":\"1.75 for 1.75%\",\"i0puaE\":\"10.00\",\"W9+fkZ\":\"10001\",\"qdfdgM\":\"123 Main Street\",\"IoRZzD\":\"20\",\"+H1RMb\":\"2024-01-01 10:00\",\"Q/T49U\":\"2024-01-01 18:00\",\"hMT8+2\":\"94103\",\"efAM7X\":\"Um campo de data. Perfeito para pedir uma data de nascimento, etc.\",\"d9El7Q\":[\"Um \",[\"type\"],\" padrão é aplicado automaticamente a todos os novos tíquetes. Você pode substituir isso por ticket.\"],\"SMUbbQ\":\"Um input do tipo Dropdown permite apenas uma seleção\",\"qv4bfj\":\"Uma taxa, como uma taxa de reserva ou uma taxa de serviço\",\"Pgaiuj\":\"Um valor fixo por tíquete. Por exemplo, US$ 0,50 por tíquete\",\"f4vJgj\":\"Uma entrada de texto com várias linhas\",\"ySO/4f\":\"Uma porcentagem do preço do ingresso. Por exemplo, 3,5% do preço do ingresso\",\"WXeXGB\":\"Um código promocional sem desconto pode ser usado para revelar ingressos ocultos.\",\"GMhWB5\":\"A Radio option allows has multiple options but only one can be selected.\",\"CBt3s7\":\"A Radio Option allows only one selection\",\"AG/qmQ\":\"Uma opção de rádio tem várias opções, mas somente uma pode ser selecionada.\",\"7g61G9\":\"A short description of Awesome Events Ltd.\",\"h179TP\":\"Uma breve descrição do evento que será exibida nos resultados dos mecanismos de pesquisa e ao compartilhar nas mídias sociais. Por padrão, a descrição do evento será usada\",\"WKMnh4\":\"Uma entrada de texto de linha única\",\"zCk10D\":\"Uma única pergunta por participante. Por exemplo, qual é a sua refeição preferida?\",\"ap3v36\":\"Uma única pergunta por pedido. Por exemplo, Qual é o nome de sua empresa?\",\"RlJmQg\":\"Um imposto padrão, como IVA ou GST\",\"pDwHGk\":\"About hi.events\",\"uIKNjo\":\"Sobre o evento\",\"bfXQ+N\":\"Aceitar convite\",\"iwyhk4\":\"Access to the VIP area...\",\"AeXO77\":\"Conta\",\"0b79Xf\":\"Account Email\",\"lkNdiH\":\"Nome da conta\",\"Puv7+X\":\"Configurações da conta\",\"OmylXO\":\"Conta atualizada com sucesso\",\"7L01XJ\":\"Ações\",\"FQBaXG\":\"Ativar\",\"5T2HxQ\":\"Data de ativação\",\"F6pfE9\":\"Ativo\",\"m16xKo\":\"Adicionar\",\"LKNynS\":\"Add a cover image, description, and more to make your event stand out.\",\"/PN1DA\":\"Adicione uma descrição para esta lista de registro\",\"PGPGsL\":\"Adicionar descrição\",\"gMK0ps\":\"Adicione detalhes do evento e gerencie as configurações do evento.\",\"Fb+SDI\":\"Adicionar mais ingressos\",\"ApsD9J\":\"Adicionar novo\",\"TZxnm8\":\"Adicionar opção\",\"Cw27zP\":\"Adicionar pergunta\",\"yWiPh+\":\"Adicionar imposto ou taxa\",\"BGD9Yt\":\"Adicionar ingressos\",\"goOKRY\":\"Adicionar nível\",\"p59pEv\":\"Additional Details\",\"Y8DIQy\":\"Opções adicionais\",\"Du6bPw\":\"Endereço\",\"NY/x1b\":\"Linha de endereço 1\",\"POdIrN\":\"Linha de endereço 1\",\"cormHa\":\"Linha de endereço 2\",\"gwk5gg\":\"Linha de endereço 2\",\"U3pytU\":\"Administrador\",\"HLDaLi\":\"Os usuários administradores têm acesso total a eventos e configurações de conta.\",\"CPXP5Z\":\"Afiliados\",\"W7AfhC\":\"Todos os participantes deste evento\",\"QsYjci\":\"Todos os eventos\",\"/twVAS\":\"Todos os ingressos\",\"ipYKgM\":\"Permitir a indexação do mecanismo de pesquisa\",\"LRbt6D\":\"Permitir que os mecanismos de pesquisa indexem esse evento\",\"+MHcJD\":\"Quase lá! Estamos apenas aguardando o processamento do seu pagamento. Isso deve levar apenas alguns segundos...\",\"8wYDMp\":\"Already have an account?\",\"ApOYO8\":\"Incrível, Evento, Palavras-chave...\",\"hehnjM\":\"Valor\",\"TRYjHa\":[\"amount in \",[\"0\"]],\"R2O9Rg\":[\"Valor pago (\",[\"0\"],\")\"],\"tLjOgo\":[\"Amount paid $\",[\"0\"]],\"V7MwOy\":\"Ocorreu um erro ao carregar a página\",\"Q7UCEH\":\"Ocorreu um erro ao classificar as perguntas. Tente novamente ou atualize a página\",\"er3d/4\":\"Ocorreu um erro ao classificar os tíquetes. Tente novamente ou atualize a página\",\"hhvESd\":\"An event is the actual event you are hosting\",\"jD/OCQ\":\"Um evento é o evento real que você está organizando. Você pode adicionar mais detalhes posteriormente.\",\"oBkF+i\":\"Um organizador é a empresa ou pessoa que está organizando o evento\",\"W5A0Ly\":\"Ocorreu um erro inesperado.\",\"byKna+\":\"Ocorreu um erro inesperado. Por favor, tente novamente.\",\"j4DliD\":\"Todas as dúvidas dos portadores de ingressos serão enviadas para esse endereço de e-mail. Ele também será usado como o endereço \\\"reply-to\\\" para todos os e-mails enviados deste evento\",\"aAIQg2\":\"Aparência\",\"Ym1gnK\":\"aplicado\",\"epTbAK\":[\"Aplica-se a \",[\"0\"],\" ingressos\"],\"6MkQ2P\":\"Aplica-se a 1 ingresso\",\"DB8zMK\":\"Apply\",\"GctSSm\":\"Aplicar código promocional\",\"jcnZEw\":[\"Aplique esse \",[\"tipo\"],\" a todos os novos tíquetes\"],\"S0ctOE\":\"Arquivar evento\",\"TdfEV7\":\"Arquivado\",\"A6AtLP\":\"Eventos arquivados\",\"q7TRd7\":\"Tem certeza de que deseja ativar esse participante?\",\"TvkW9+\":\"Você tem certeza de que deseja arquivar este evento?\",\"/CV2x+\":\"Tem certeza de que deseja cancelar esse participante? Isso anulará seu ingresso\",\"YgRSEE\":\"Tem certeza de que deseja excluir esse código promocional?\",\"iU234U\":\"Tem certeza de que deseja excluir esta pergunta?\",\"CMyVEK\":\"Tem certeza de que deseja tornar este evento um rascunho? Isso tornará o evento invisível para o público\",\"mEHQ8I\":\"Tem certeza de que deseja tornar este evento público? Isso tornará o evento visível para o público\",\"s4JozW\":\"Você tem certeza de que deseja restaurar este evento? Ele será restaurado como um evento rascunho.\",\"vJuISq\":\"Tem certeza de que deseja excluir esta Atribuição de Capacidade?\",\"baHeCz\":\"Tem certeza de que deseja excluir esta lista de registro?\",\"2xEpch\":\"Pergunte uma vez por participante\",\"LBLOqH\":\"Pergunte uma vez por pedido\",\"ss9PbX\":\"Participante\",\"m0CFV2\":\"Detalhes do participante\",\"lXcSD2\":\"Perguntas dos participantes\",\"VvYqMB\":\"Attendee questions are asked once per attendee. By default, people are asked for their first name, last name, and email address.\",\"spxPEv\":\"Attendee questions are asked once per attendee. By default, we ask for the attendee's first name, last name, and email address.\",\"9SZT4E\":\"Participantes\",\"5UbY+B\":\"Participantes com um tíquete específico\",\"IMJ6rh\":\"Redimensionamento automático\",\"vZ5qKF\":\"Redimensiona automaticamente a altura do widget com base no conteúdo. Quando desativado, o widget preencherá a altura do contêiner.\",\"lXkUEV\":\"Availability\",\"ioG+xt\":\"Aguardando pagamento\",\"3PmQfI\":\"Evento incrível\",\"kNmmvE\":\"Awesome Events Ltd.\",\"Yrbm6T\":\"Awesome Organizer Ltd.\",\"9002sI\":\"Voltar para todos os eventos\",\"0TGkYM\":\"Back to event homepage\",\"A302fe\":\"Voltar à página do evento\",\"VCoEm+\":\"Voltar ao login\",\"MLZyiY\":\"Background color\",\"k1bLf+\":\"Cor de fundo\",\"I7xjqg\":\"Tipo de plano de fundo\",\"EOUool\":\"Detalhes básicos\",\"7EGQKA\":\"Because you are the account owner, you cannot change your role or status.\",\"1mwMl+\":\"Antes de enviar!\",\"wVfiR2\":\"Before you're event can go live, there's a few thing to do.\",\"/yeZ20\":\"Antes que seu evento possa ir ao ar, há algumas coisas que você precisa fazer.\",\"1xAcxY\":\"Comece a vender ingressos em minutos\",\"R+w/Va\":\"Billing\",\"rp/zaT\":\"Português brasileiro\",\"Ptp9MF\":\"Button color\",\"whqocw\":\"Ao se registrar, você concorda com nossos <0>Termos de Serviço e <1>Política de Privacidade.\",\"bcCn6r\":\"Tipo de cálculo\",\"+8bmSu\":\"Califórnia\",\"iStTQt\":\"A permissão da câmera foi negada. <0>Solicite a permissão novamente ou, se isso não funcionar, será necessário <1>conceder a esta página acesso à sua câmera nas configurações do navegador.\",\"Jzn1qy\":\"Can't load events\",\"dEgA5A\":\"Cancelar\",\"Gjt/py\":\"Cancelar alteração de e-mail\",\"tVJk4q\":\"Cancelar pedido\",\"Os6n2a\":\"Cancelar pedido\",\"Mz7Ygx\":[\"Cancelar pedido \",[\"0\"]],\"Ud7zwq\":\"O cancelamento cancelará todos os tickets associados a esse pedido e liberará os tickets de volta para o pool disponível.\",\"vv7kpg\":\"Cancelado\",\"QyjCeq\":\"Capacidade\",\"V6Q5RZ\":\"Atribuição de Capacidade criada com sucesso\",\"k5p8dz\":\"Atribuição de Capacidade excluída com sucesso\",\"nDBs04\":\"Gestão de Capacidade\",\"77/YgG\":\"Mudar a capa\",\"GptGxg\":\"Alterar senha\",\"QndF4b\":\"fazer o check-in\",\"xMDm+I\":\"Check-in\",\"9FVFym\":\"confira\",\"/Ta1d4\":\"Desmarcar\",\"gXcPxc\":\"Check-in\",\"Y3FYXy\":\"Check-in\",\"fVUbUy\":\"Lista de registro criada com sucesso\",\"+CeSxK\":\"Lista de registro excluída com sucesso\",\"+hBhWk\":\"A lista de registro expirou\",\"mBsBHq\":\"A lista de registro não está ativa\",\"vPqpQG\":\"Lista de check-in não encontrada\",\"tejfAy\":\"Listas de Registro\",\"hD1ocH\":\"URL de check-in copiada para a área de transferência\",\"CNafaC\":\"As opções de caixa de seleção permitem várias seleções\",\"SpabVf\":\"Caixas de seleção\",\"CRu4lK\":\"Registro de entrada\",\"rfeicl\":\"Registrado com sucesso\",\"/ydvvl\":\"Checkout Messaging\",\"1WnhCL\":\"Configurações de checkout\",\"h1IXFK\":\"Chinês\",\"6imsQS\":\"Chinês simplificado\",\"JjkX4+\":\"Escolha uma cor para seu plano de fundo\",\"/Jizh9\":\"Escolha uma conta\",\"jJGoVv\":\"Choose what notifications you want to receive\",\"3wV73y\":\"Cidade\",\"FG98gC\":\"Limpar texto de pesquisa\",\"EYeuMv\":\"clique aqui\",\"sby+1/\":\"Clique para copiar\",\"yz7wBu\":\"Fechar\",\"62Ciis\":\"Fechar a barra lateral\",\"EWPtMO\":\"Código\",\"ercTDX\":\"O código deve ter entre 3 e 50 caracteres\",\"jZlrte\":\"Cor\",\"Vd+LC3\":\"A cor deve ser um código de cor hexadecimal válido. Exemplo: #ffffff\",\"1HfW/F\":\"Cores\",\"VZeG/A\":\"Em breve\",\"yPI7n9\":\"Palavras-chave separadas por vírgulas que descrevem o evento. Elas serão usadas pelos mecanismos de pesquisa para ajudar a categorizar e indexar o evento\",\"NPZqBL\":\"Pedido completo\",\"guBeyC\":\"Pagamento completo\",\"C8HNV2\":\"Pagamento completo\",\"qqWcBV\":\"Concluído\",\"DwF9eH\":\"Código do componente\",\"7VpPHA\":\"Confirmar\",\"ZaEJZM\":\"Confirmar alteração de e-mail\",\"yjkELF\":\"Confirmar nova senha\",\"xnWESi\":\"Confirmar senha\",\"p2/GCq\":\"Confirmar senha\",\"wnDgGj\":\"Confirmação do endereço de e-mail...\",\"DnLC08\":\"Congratulation on creating an event!\",\"pbAk7a\":\"Conectar faixa\",\"UMGQOh\":\"Conecte-se com o Stripe\",\"QKLP1W\":\"Conecte sua conta Stripe para começar a receber pagamentos.\",\"5lcVkL\":\"Detalhes da conexão\",\"i3p844\":\"Contact email\",\"yAej59\":\"Cor de fundo do conteúdo\",\"xGVfLh\":\"Continuar\",\"X++RMT\":\"Texto do botão Continuar\",\"AfNRFG\":\"Texto do botão Continuar\",\"lIbwvN\":\"Continuar a configuração do evento\",\"HB22j9\":\"Continuar a configuração\",\"bZEa4H\":\"Continuar a configuração do Stripe Connect\",\"RGVUUI\":\"Continuar para o pagamento\",\"6V3Ea3\":\"Copiado\",\"T5rdis\":\"copiado para a área de transferência\",\"he3ygx\":\"Cópia\",\"r2B2P8\":\"Copiar URL de check-in\",\"8+cOrS\":\"Copie os detalhes para todos os participantes\",\"ENCIQz\":\"Copiar link\",\"E6nRW7\":\"Copiar URL\",\"JNCzPW\":\"País\",\"IF7RiR\":\"Capa\",\"P0rbCt\":\"Cover Image\",\"hYgDIe\":\"Create\",\"b9XOHo\":[\"Criar \",[\"0\"]],\"6kdXbW\":\"Criar um código promocional\",\"n5pRtF\":\"Criar um tíquete\",\"X6sRve\":[\"Crie uma conta ou <0>\",[\"0\"],\" para começar\"],\"nx+rqg\":\"criar um organizador\",\"ipP6Ue\":\"Criar participante\",\"VwdqVy\":\"Criar Atribuição de Capacidade\",\"WVbTwK\":\"Criar Lista de Registro\",\"uN355O\":\"Criar evento\",\"BOqY23\":\"Criar novo\",\"kpJAeS\":\"Criar organizador\",\"sYpiZP\":\"Criar código promocional\",\"a6YrKg\":\"Create promo codes\",\"n6H6AO\":\"Create promo codes to offer discounts to your attendees.\",\"B3Mkdt\":\"Criar pergunta\",\"UKfi21\":\"Criar imposto ou taxa\",\"Tg323g\":\"Criar bilhete\",\"agZ87r\":\"Crie ingressos para seu evento, defina preços e gerencie a quantidade disponível.\",\"d+F6q9\":\"Criado\",\"Q2lUR2\":\"Moeda\",\"DCKkhU\":\"Senha atual\",\"uIElGP\":\"URL de mapas personalizados\",\"876pfE\":\"Cliente\",\"QOg2Sf\":\"Personalize as configurações de e-mail e notificação para esse evento\",\"Lu75d1\":\"Customize the email settings for this event\",\"RaxMyF\":\"Customize the event homepage and checkout experience\",\"Y9Z/vP\":\"Personalize a página inicial do evento e a mensagem de checkout\",\"2E2O5H\":\"Personalize as configurações diversas para esse evento\",\"iJhSxe\":\"Personalizar as configurações de SEO para este evento\",\"KIhhpi\":\"Personalize a página do seu evento\",\"nrGWUv\":\"Personalize a página do evento para combinar com sua marca e estilo.\",\"Zz6Cxn\":\"Zona de perigo\",\"ZQKLI1\":\"Zona de Perigo\",\"7p5kLi\":\"Painel de controle\",\"mYGY3B\":\"Data\",\"JvUngl\":\"Data e hora\",\"JJhRbH\":\"Capacidade do primeiro dia\",\"PqrqgF\":\"Lista de Registro do Primeiro Dia\",\"RiXc4g\":\"Deactivate user\",\"cnGeoo\":\"Excluir\",\"jRJZxD\":\"Excluir Capacidade\",\"Qrc8RZ\":\"Excluir Lista de Registro\",\"WHf154\":\"Excluir código\",\"heJllm\":\"Excluir capa\",\"KWa0gi\":\"Excluir imagem\",\"IatsLx\":\"Excluir pergunta\",\"GnyEfA\":\"Excluir tíquete\",\"E33LRn\":\"Delete user\",\"Nu4oKW\":\"Descrição\",\"YC3oXa\":\"Descrição para a equipe de registro\",\"s9iD5d\":\"Description should be less than 50,000 characters\",\"URmyfc\":\"Detalhes\",\"x8uDKb\":\"Disable code\",\"Tgg8XQ\":\"Desative esta capacidade para rastrear a capacidade sem interromper as vendas de ingressos\",\"H6Ma8Z\":\"Desconto\",\"ypJ62C\":\"% de desconto\",\"3LtiBI\":[\"Desconto em \",[\"0\"]],\"C8JLas\":\"Tipo de desconto\",\"1QfxQT\":\"Dispensar\",\"cVq+ga\":\"Não tem uma conta? <0>Assinar\",\"4+aC/x\":\"Doação / Pague o que quiser\",\"++S5i/\":\"Donation amount\",\"OO7MG7\":\"Donation Ticket\",\"0pEVi2\":\"Download Tickets PDF\",\"uABpqP\":\"Arrastar e soltar ou clicar\",\"3z2ium\":\"Arraste para classificar\",\"6skwyH\":\"Drop an image, or click here to replace the Cover Image\",\"S37RRV\":\"Drop an image, or click here to upload the Cover Image\",\"CfKofC\":\"Seleção suspensa\",\"JzLDvy\":\"Duplicar Atribuições de Capacidade\",\"ulMxl+\":\"Duplicar Listas de Check-In\",\"vi8Q/5\":\"Duplicar evento\",\"3ogkAk\":\"Duplicar evento\",\"Yu6m6X\":\"Duplicar a Imagem de Capa do Evento\",\"+fA4C7\":\"Duplicar Opções\",\"57ALrd\":\"Duplicar códigos promocionais\",\"83Hu4O\":\"Duplicar perguntas\",\"20144c\":\"Duplicar configurações\",\"Wt9eV8\":\"Duplicar bilhetes\",\"7Cx5It\":\"Pássaro madrugador\",\"ePK91l\":\"Editar\",\"N6j2JH\":[\"Editar \",[\"0\"]],\"kNGp1D\":\"Editar participante\",\"t2bbp8\":\"Editar Participante\",\"kBkYSa\":\"Editar Capacidade\",\"oHE9JT\":\"Editar Atribuição de Capacidade\",\"FU1gvP\":\"Editar Lista de Registro\",\"iFgaVN\":\"Editar código\",\"jrBSO1\":\"Editar organizador\",\"9BdS63\":\"Editar código promocional\",\"O0CE67\":\"Editar pergunta\",\"EzwCw7\":\"Editar pergunta\",\"d+nnyk\":\"Editar bilhete\",\"poTr35\":\"Editar usuário\",\"GTOcxw\":\"Editar usuário\",\"pqFrv2\":\"por exemplo. 2,50 por $2,50\",\"3yiej1\":\"Ex. 23,5 para 23,5%\",\"O3oNi5\":\"E-mail\",\"VxYKoK\":\"Configurações de e-mail e notificação\",\"ATGYL1\":\"Endereço de e-mail\",\"hzKQCy\":\"Endereço de e-mail\",\"HqP6Qf\":\"Alteração de e-mail cancelada com sucesso\",\"mISwW1\":\"Alteração de e-mail pendente\",\"WiKda6\":\"Email Configuration\",\"APuxIE\":\"Confirmação de e-mail reenviada\",\"YaCgdO\":\"Confirmação de e-mail reenviada com sucesso\",\"jyt+cx\":\"Mensagem de rodapé do e-mail\",\"I6F3cp\":\"E-mail não verificado\",\"G5zNMX\":\"Email Settings\",\"NTZ/NX\":\"Código de incorporação\",\"4rnJq4\":\"Script de incorporação\",\"nA31FG\":\"Ative esta capacidade para interromper as vendas de ingressos quando o limite for atingido\",\"VFv2ZC\":\"Data final\",\"237hSL\":\"Final\",\"nt4UkP\":\"Eventos encerrados\",\"lYGfRP\":\"Inglês\",\"MhVoma\":\"Insira um valor excluindo impostos e taxas.\",\"3Z223G\":\"Erro ao confirmar o endereço de e-mail\",\"a6gga1\":\"Erro ao confirmar a alteração do e-mail\",\"5/63nR\":\"EUR\",\"0pC/y6\":\"Evento\",\"nuoP/j\":\"Event created successfully\",\"CFLUfD\":\"Evento criado com sucesso 🎉\",\"0Zptey\":\"Padrões de eventos\",\"6fuA9p\":\"Evento duplicado com sucesso\",\"Xe3XMd\":\"O evento não é visível para o público\",\"4pKXJS\":\"O evento é visível para o público\",\"ClwUUD\":\"Local do evento e detalhes do local\",\"OopDbA\":\"Página do evento\",\"JyD0LH\":\"Event Settings\",\"4/If97\":\"Falha na atualização do status do evento. Tente novamente mais tarde\",\"btxLWj\":\"Status do evento atualizado\",\"tst44n\":\"Eventos\",\"sZg7s1\":\"Data de Expiração\",\"KnN1Tu\":\"Expirações\",\"uaSvqt\":\"Data de expiração\",\"GS+Mus\":\"Exportação\",\"9xAp/j\":\"Falha ao cancelar o participante\",\"ZpieFv\":\"Falha ao cancelar o pedido\",\"z6tdjE\":\"Falha ao excluir a mensagem. Tente novamente.\",\"9zSt4h\":\"Falha ao exportar os participantes. Por favor, tente novamente.\",\"2uGNuE\":\"Falha ao exportar pedidos. Tente novamente.\",\"d+KKMz\":\"Falha ao carregar a Lista de Registro\",\"ZQ15eN\":\"Falha ao reenviar o e-mail do tíquete\",\"PLUB/s\":\"Tarifa\",\"YirHq7\":\"Feedback\",\"/mfICu\":\"Tarifas\",\"V1EGGU\":\"Primeiro nome\",\"kODvZJ\":\"Primeiro nome\",\"S+tm06\":\"O primeiro nome deve ter entre 1 e 50 caracteres\",\"1g0dC4\":\"Nome, sobrenome e endereço de e-mail são perguntas padrão e sempre são incluídas no processo de checkout.\",\"QWa3Sk\":\"First Name, Last Name, and Email Address are default questions that are always included in the checkout process.\",\"TpqW74\":\"Fixo\",\"irpUxR\":\"Valor fixo\",\"TF9opW\":\"O Flash não está disponível neste dispositivo\",\"UNMVei\":\"Esqueceu a senha?\",\"2POOFK\":\"Grátis\",\"/4rQr+\":\"Bilhete gratuito\",\"01my8x\":\"Ingresso gratuito, sem necessidade de informações de pagamento\",\"nLC6tu\":\"Francês\",\"ejVYRQ\":\"From\",\"DDcvSo\":\"Alemão\",\"u6FPxT\":\"Get Tickets\",\"4GLxhy\":\"Primeiros passos\",\"4D3rRj\":\"Voltar ao perfil\",\"cQPKZt\":\"Go to Dashboard\",\"9LCqFI\":\"Ir para a página inicial do evento\",\"RUz8o/\":\"vendas brutas\",\"IgcAGN\":\"Vendas brutas\",\"yRg26W\":\"Vendas brutas\",\"R4r4XO\":\"Convidados\",\"26pGvx\":\"Tem um código promocional?\",\"V7yhws\":\"hello@awesome-events.com\",\"GNJ1kd\":\"Ajuda e Suporte\",\"6K/IHl\":\"Aqui está um exemplo de como você pode usar o componente em seu aplicativo.\",\"Y1SSqh\":\"Aqui está o componente React que você pode usar para incorporar o widget em seu aplicativo.\",\"Ow9Hz5\":[\"Conferência de eventos da Hi.Events \",[\"0\"]],\"verBst\":\"Centro de Conferências Hi.Events\",\"6eMEQO\":\"logotipo da hi.events\",\"C4qOW8\":\"Escondido da vista do público\",\"gt3Xw9\":\"pergunta oculta\",\"g3rqFe\":\"perguntas ocultas\",\"k3dfFD\":\"As perguntas ocultas são visíveis apenas para o organizador do evento e não para o cliente.\",\"EeNE0j\":\"Hidden will not be shown to customers.\",\"vLyv1R\":\"Esconder\",\"Mkkvfd\":\"Ocultar a página de introdução\",\"mFn5Xz\":\"Ocultar perguntas ocultas\",\"SCimta\":\"Ocultar a página de introdução da barra lateral\",\"Da29Y6\":\"Ocultar esta pergunta\",\"fsi6fC\":\"Ocultar esse tíquete dos clientes\",\"fvDQhr\":\"Ocultar essa camada dos usuários\",\"Fhzoa8\":\"Ocultar tíquete após a data final da venda\",\"yhm3J/\":\"Ocultar o ingresso antes da data de início da venda\",\"k7/oGT\":\"Oculte o tíquete, a menos que o usuário tenha um código promocional aplicável\",\"L0ZOiu\":\"Ocultar ingresso quando esgotado\",\"uno73L\":\"A ocultação de um tíquete impedirá que os usuários o vejam na página do evento.\",\"tj6Gob\":\"Homepage & Checkout\",\"m07jN3\":\"Homepage & Checkout Settings\",\"ZOBwQn\":\"Design da página inicial\",\"PRuBTd\":\"Designer da página inicial\",\"YjVNGZ\":\"Visualização da página inicial\",\"c3E/kw\":\"Homero\",\"id+NIk\":\"How many minutes the customer has to complete their order\",\"8k8Njd\":\"Quantos minutos o cliente tem para concluir o pedido. Recomendamos pelo menos 15 minutos\",\"ySxKZe\":\"Quantas vezes esse código pode ser usado?\",\"dZsDbK\":[\"Limite de caracteres HTML excedido: \",[\"htmlLength\"],\"/\",[\"maxLength\"]],\"fYyXCd\":\"https://example-maps-service.com/...\",\"uOXLV3\":\"Eu concordo com os <0>termos e condições\",\"sIxFk5\":\"I agree to the terms and conditions\",\"Crwwhn\":[\"If a new tab did not open, please <0>\",[\"0\"],\".\"],\"93DUnd\":[\"Se uma nova guia não foi aberta, por favor <0><1>\",[\"0\"],\".\"],\"9gtsTP\":\"Se estiver em branco, o endereço será usado para gerar um link de mapa do Google\",\"muXhGi\":\"Se ativado, o organizador receberá uma notificação por e-mail quando um novo pedido for feito\",\"6fLyj/\":\"Se você não solicitou essa alteração, altere imediatamente sua senha.\",\"n/ZDCz\":\"Imagem excluída com êxito\",\"Gyl1h8\":\"Image dimensions must be at least 600px by 300px\",\"TiGacZ\":\"Image dimensions must be at least 900px by 450px\",\"UnTvkH\":\"As dimensões da imagem devem estar entre 3000px e 2000px. Com uma altura máxima de 2000px e uma largura máxima de 3000px\",\"Mfbc2v\":\"As dimensões da imagem devem estar entre 4000px por 4000px. Com uma altura máxima de 4000px e uma largura máxima de 4000px\",\"uPEIvq\":\"A imagem deve ter menos de 5 MB\",\"AGZmwV\":\"Imagem carregada com sucesso\",\"ibi52/\":\"A largura da imagem deve ser de pelo menos 900px e a altura de pelo menos 50px\",\"NoNwIX\":\"Inativo\",\"T0K0yl\":\"Usuários inativos não podem fazer login.\",\"OFAmKP\":\"Include connection details for your online event\",\"BfPBBG\":\"Include connection details for your online event. These details will be after successful registration.\",\"6+pAOx\":\"Include connection details for your online event. These details will be shown after successful registration.\",\"evpD4c\":\"Inclua detalhes de conexão para seu evento on-line. Esses detalhes serão exibidos na página de resumo do pedido e na página do ingresso do participante\",\"FlQKnG\":\"Incluir impostos e taxas no preço\",\"AXTNr8\":[\"Inclui \",[\"0\"],\" ingressos\"],\"7/Rzoe\":\"Inclui 1 ingresso\",\"nbfdhU\":\"Integrações\",\"OyLdaz\":\"Convite reenviado!\",\"HE6KcK\":\"Convite revogado!\",\"SQKPvQ\":\"Convidar usuário\",\"PgdQrx\":\"Emitir reembolso\",\"KFXip/\":\"João\",\"XcgRvb\":\"Johnson\",\"1IWWYX\":[\"KittenTech Conference \",[\"0\"]],\"ZgJEMX\":\"KittenTech Conference Center\",\"87a/t/\":\"Rótulo\",\"vXIe7J\":\"Idioma\",\"I3yitW\":\"Último login\",\"1ZaQUH\":\"Sobrenome\",\"UXBCwc\":\"Sobrenome\",\"CKcupn\":\"Latest Orders\",\"tITjB1\":\"Saiba mais sobre o Stripe\",\"c+gAXc\":\"Let's get started by creating your first event\",\"vR92Yn\":\"Vamos começar criando seu primeiro organizador\",\"QfrKvi\":\"Link color\",\"wJijgU\":\"Localização\",\"sQia9P\":\"Fazer login\",\"zUDyah\":\"Login\",\"z0t9bb\":\"Login\",\"nOhz3x\":\"Sair\",\"F2jAFv\":\"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Nam placerat elementum...\",\"XkhEf9\":\"Lorem ipsum...\",\"MU3ijv\":\"Tornar essa pergunta obrigatória\",\"wckWOP\":\"Gerenciar\",\"8mmINh\":\"Manage billing information and view invoices\",\"jWIznR\":\"Manage default settings for new events\",\"n4SpU5\":\"Gerenciar evento\",\"wqyqaF\":\"Manage general account settings\",\"cQrNR3\":\"Gerenciar perfil\",\"f92Qak\":\"Manage taxes and fees which can be applied to tickets\",\"PlTcVr\":\"Gerenciar impostos e taxas que podem ser aplicados a seus bilhetes\",\"ophZVW\":\"Gerenciar tíquetes\",\"Wsx7Iu\":\"Manage users and their permissions\",\"DdHfeW\":\"Gerenciar os detalhes de sua conta e as configurações padrão\",\"QHcjP+\":\"Manage your billing and payment details\",\"S+UjNL\":\"Gerencie seus detalhes de pagamento do Stripe\",\"BfucwY\":\"Gerencie seus usuários e suas permissões\",\"1m+YT2\":\"As perguntas obrigatórias devem ser respondidas antes que o cliente possa fazer o checkout.\",\"Dim4LO\":\"Adicionar manualmente um participante\",\"e4KdjJ\":\"Adicionar participante manualmente\",\"lzcrX3\":\"A adição manual de um participante ajustará a quantidade de ingressos.\",\"g9dPPQ\":\"Máximo por pedido\",\"l5OcwO\":\"Participante da mensagem\",\"Gv5AMu\":\"Participantes da mensagem\",\"1jRD0v\":\"Enviar mensagens aos participantes com ingressos específicos\",\"Lvi+gV\":\"Comprador de mensagens\",\"tNZzFb\":\"Conteúdo da mensagem\",\"lYDV/s\":\"Mensagem para participantes individuais\",\"V7DYWd\":\"Mensagem enviada\",\"t7TeQU\":\"Mensagens\",\"xFRMlO\":\"Mínimo por pedido\",\"QYcUEf\":\"Preço mínimo\",\"mYLhkl\":\"Configurações diversas\",\"KYveV8\":\"Caixa de texto com várias linhas\",\"SVuGaP\":\"Multiple price options, users can choose which to pay\",\"6wbTro\":\"Várias opções de preço. Perfeito para ingressos antecipados etc.\",\"/bhMdO\":\"Minha incrível descrição do evento...\",\"vX8/tc\":\"Meu incrível título de evento...\",\"hKtWk2\":\"Meu perfil\",\"pRjx4L\":\"Nam placerat elementum...\",\"6YtxFj\":\"Nome\",\"hVuv90\":\"O nome deve ter menos de 150 caracteres\",\"AIUkyF\":\"Navegar até o participante\",\"qqeAJM\":\"Nunca\",\"7vhWI8\":\"Nova senha\",\"m920rF\":\"New York\",\"1UzENP\":\"Não\",\"LNWHXb\":\"Não há eventos arquivados para mostrar.\",\"Wjz5KP\":\"Não há participantes para mostrar\",\"Razen5\":\"Nenhum participante poderá se registrar antes desta data usando esta lista\",\"XUfgCI\":\"Sem Atribuições de Capacidade\",\"a/gMx2\":\"Nenhuma Lista de Registro\",\"fFeCKc\":\"Sem desconto\",\"HFucK5\":\"Não há eventos encerrados para mostrar.\",\"Z6ILSe\":\"Não há eventos para este organizador\",\"yAlJXG\":\"Nenhum evento para mostrar\",\"KPWxKD\":\"Nenhuma mensagem a ser exibida\",\"J2LkP8\":\"Não há ordens para mostrar\",\"+Y976X\":\"Não há códigos promocionais a serem exibidos\",\"Ev2r9A\":\"Nenhum resultado\",\"RHyZUL\":\"Nenhum resultado de pesquisa.\",\"cU1op4\":\"No Taxes or Fees have been added yet.\",\"RY2eP1\":\"Nenhum imposto ou taxa foi adicionado.\",\"uR2eFu\":\"No tickets available\",\"b7JZFg\":\"Sem ingressos para o show\",\"EdQY6l\":\"Nenhum\",\"OJx3wK\":\"Não disponível\",\"x5+Lcz\":\"Não registrado\",\"Scbrsn\":\"Não está à venda\",\"hFwWnI\":\"Configurações de notificação\",\"xXqEPO\":\"Notificar o comprador sobre o reembolso\",\"YpN29s\":\"Notificar o organizador sobre novos pedidos\",\"qeQhNj\":\"Agora vamos criar seu primeiro evento\",\"2NPDz1\":\"À venda\",\"Ldu/RI\":\"À venda\",\"Ug4SfW\":\"Depois de criar um evento, você o verá aqui.\",\"+P/tII\":\"Quando estiver pronto, defina seu evento como ativo e comece a vender ingressos.\",\"J6n7sl\":\"Em andamento\",\"z+nuVJ\":\"Evento on-line\",\"WKHW0N\":\"Detalhes do evento on-line\",\"/xkmKX\":\"Somente e-mails importantes, diretamente relacionados a esse evento, devem ser enviados por meio desse formulário.\\nQualquer uso indevido, inclusive o envio de e-mails promocionais, levará ao banimento imediato da conta.\",\"Qqqrwa\":\"Abrir página de check-in\",\"OdnLE4\":\"Abrir barra lateral\",\"ZZEYpT\":[\"Opção \",[\"i\"]],\"0zpgxV\":\"Opções\",\"BzEFor\":\"ou\",\"UYUgdb\":\"Pedido\",\"mm+eaX\":\"Pedido\",\"B3gPuX\":\"Pedido cancelado\",\"SIbded\":\"Pedido concluído\",\"q/CcwE\":\"Data do pedido\",\"Tol4BF\":\"Detalhes do pedido\",\"L4kzeZ\":[\"Detalhes do pedido \",[\"0\"]],\"WbImlQ\":\"O pedido foi cancelado e o proprietário do pedido foi notificado.\",\"VCOi7U\":\"Perguntas sobre o pedido\",\"wg9MPp\":\"Order questions are asked once per order. By default, people are asked for their first name, last name, and email address.\",\"+KNVxX\":\"Order questions are asked once per order. By default, we ask for the first name, last name, and email address.\",\"TPoYsF\":\"Referência do pedido\",\"GX6dZv\":\"Resumo do pedido\",\"tDTq0D\":\"Tempo limite do pedido\",\"1h+RBg\":\"Pedidos\",\"mz+c33\":\"Ordens criadas\",\"G5RhpL\":\"Organizador\",\"m/ebSk\":\"Organizer Details\",\"mYygCM\":\"É necessário um organizador\",\"Pa6G7v\":\"Nome do organizador\",\"J2cXxX\":\"Os organizadores só podem gerenciar eventos e ingressos. Eles não podem gerenciar usuários, configurações de conta ou informações de cobrança.\",\"fdjq4c\":\"Acolchoamento\",\"ErggF8\":\"Cor de fundo da página\",\"8F1i42\":\"Página não encontrada\",\"QbrUIo\":\"Visualizações de página\",\"6D8ePg\":\"página.\",\"IkGIz8\":\"pago\",\"2w/FiJ\":\"Bilhete pago\",\"8ZsakT\":\"Senha\",\"TUJAyx\":\"A senha deve ter um mínimo de 8 caracteres\",\"vwGkYB\":\"A senha deve ter pelo menos 8 caracteres\",\"BLTZ42\":\"Redefinição de senha bem-sucedida. Faça login com sua nova senha.\",\"f7SUun\":\"As senhas não são as mesmas\",\"aEDp5C\":\"Cole-o onde você deseja que o widget apareça.\",\"+23bI/\":\"Patrick\",\"iAS9f2\":\"patrick@acme.com\",\"iq5IUr\":\"Pause Ticket\",\"621rYf\":\"Pagamento\",\"JhtZAK\":\"Falha no pagamento\",\"xgav5v\":\"O pagamento foi bem-sucedido!\",\"CcK+Ft\":\"PDF\",\"att1Hj\":\"percent\",\"/roQKz\":\"Porcentagem\",\"vPJ1FI\":\"Porcentagem Valor\",\"xdA9ud\":\"Coloque isso no de seu site.\",\"blK94r\":\"Adicione pelo menos uma opção\",\"FJ9Yat\":\"Verifique se as informações fornecidas estão corretas\",\"TkQVup\":\"Verifique seu e-mail e senha e tente novamente\",\"sMiGXD\":\"Verifique se seu e-mail é válido\",\"Ajavq0\":\"Verifique seu e-mail para confirmar seu endereço de e-mail\",\"MdfrBE\":\"Preencha o formulário abaixo para aceitar seu convite\",\"b1Jvg+\":\"Continue na nova guia\",\"q40YFl\":\"Please continue your order in the new tab\",\"cdR8d6\":\"Por favor, crie um ingresso\",\"ZJG4Di\":\"Please ensure you only send emails directly related to the order. Promotional emails\\nshould not be sent using this form.\",\"o+HaYe\":\"Please enter a valid promo code\",\"HnNept\":\"Digite sua nova senha\",\"5FSIzj\":\"Observação\",\"MA04r/\":\"Remova os filtros e defina a classificação como \\\"Ordem da página inicial\\\" para ativar a classificação\",\"pJLvdS\":\"Selecione\",\"yygcoG\":\"Selecione pelo menos um ingresso\",\"igBrCH\":\"Verifique seu endereço de e-mail para acessar todos os recursos\",\"MOERNx\":\"Português\",\"R7+D0/\":\"Português (Brasil)\",\"qCJyMx\":\"Mensagem de pós-cheque\",\"g2UNkE\":\"Desenvolvido por\",\"Qs7yI0\":\"Powered By\",\"lqAWKB\":\"Powered by <0>Hi.Events 👋\",\"3n47kV\":\"Powered By Hi.Events\",\"ddi4j4\":\"Desenvolvido por Stripe\",\"Rs7IQv\":\"Mensagem de pré-checkout\",\"rdUucN\":\"Prévia\",\"a7u1N9\":\"Preço\",\"CmoB9j\":\"Modo de exibição de preço\",\"Q8PWaJ\":\"Níveis de preço\",\"a5jvSX\":\"Price Tiers\",\"6RmHKN\":\"Cor primária\",\"G/ZwV1\":\"Cor primária\",\"8cBtvm\":\"Cor primária do texto\",\"BZz12Q\":\"Imprimir\",\"MT7dxz\":\"Imprimir todos os ingressos\",\"vERlcd\":\"Perfil\",\"kUlL8W\":\"Perfil atualizado com sucesso\",\"cl5WYc\":[\"Código promocional \",[\"promo_code\"],\" aplicado\"],\"ZXpm3a\":[\"Promo \",[\"promoCode\"],\" code applied\"],\"yKWfjC\":\"Página do código promocional\",\"RVb8Fo\":\"Códigos promocionais\",\"BZ9GWa\":\"Os códigos promocionais podem ser usados para oferecer descontos, acesso de pré-venda ou acesso especial ao seu evento.\",\"4kyDD5\":\"Forneça contexto adicional ou instruções para esta pergunta. Use este campo para adicionar termos e condições, diretrizes ou qualquer informação importante que os participantes precisem saber antes de responder.\",\"812gwg\":\"Licença de compra\",\"LkMOWF\":\"Quantidade disponível\",\"XKJuAX\":\"Pergunta excluída\",\"avf0gk\":\"Descrição da pergunta\",\"oQvMPn\":\"Título da pergunta\",\"enzGAL\":\"Perguntas\",\"K885Eq\":\"Perguntas classificadas com sucesso\",\"OMJ035\":\"Opção de rádio\",\"C4TjpG\":\"Leia menos\",\"I3QpvQ\":\"Beneficiário\",\"N2C89m\":\"Referência\",\"gxFu7d\":[\"Valor do reembolso (\",[\"0\"],\")\"],\"n10yGu\":\"Pedido de reembolso\",\"zPH6gp\":\"Pedido de reembolso\",\"/BI0y9\":\"Reembolsado\",\"fgLNSM\":\"Registro\",\"tasfos\":\"remover\",\"t/YqKh\":\"Remover\",\"RloWNu\":\"Reply to email\",\"EGm34e\":\"Reenviar e-mail de confirmação\",\"lnrkNz\":\"Reenviar confirmação por e-mail\",\"wIa8Qe\":\"Reenviar convite\",\"VeKsnD\":\"Reenviar e-mail de pedido\",\"dFuEhO\":\"Reenviar o e-mail do tíquete\",\"o6+Y6d\":\"Reenvio...\",\"RfwZxd\":\"Redefinir senha\",\"KbS2K9\":\"Redefinir senha\",\"e99fHm\":\"Restaurar evento\",\"vtc20Z\":\"Retornar à página do evento\",\"8YBH95\":\"Receita\",\"PO/sOY\":\"Revogar convite\",\"GDvlUT\":\"Função\",\"ELa4O9\":\"Data de término da venda\",\"5uo5eP\":\"Venda encerrada\",\"Qm5XkZ\":\"Data de início da venda\",\"hVF4dJ\":\"Sale starts\",\"hBsw5C\":\"Vendas encerradas\",\"kpAzPe\":\"Início das vendas\",\"P/wEOX\":\"São Francisco\",\"tfDRzk\":\"Salvar\",\"IUwGEM\":\"Salvar alterações\",\"U65fiW\":\"Salvar organizador\",\"UGT5vp\":\"Salvar configurações\",\"ovB7m2\":\"Escanear código QR\",\"lBAlVv\":\"Pesquise por nome, número do pedido, número do participante ou e-mail...\",\"W4kWXJ\":\"Pesquise por nome do participante, e-mail ou número do pedido...\",\"ulAuWO\":\"Search by event name or description...\",\"+pr/FY\":\"Pesquisar por nome de evento...\",\"NQSiYb\":\"Search by name or description...\",\"3zRbWw\":\"Pesquise por nome, e-mail ou número do pedido...\",\"BiYOdA\":\"Pesquisar por nome...\",\"B1bB1j\":\"Search by order #, name or email...\",\"jA4hXE\":\"Search by subject or body...\",\"YEjitp\":\"Pesquise por assunto ou conteúdo...\",\"HYnGee\":\"Pesquisar por nome de bilhete...\",\"Pjsch9\":\"Pesquisar atribuições de capacidade...\",\"r9M1hc\":\"Pesquisar listas de registro...\",\"YIix5Y\":\"Pesquisar...\",\"OeW+DS\":\"Cor secundária\",\"DnXcDK\":\"Cor secundária\",\"cZF6em\":\"Cor do texto secundário\",\"ZIgYeg\":\"Cor do texto secundário\",\"QuNKRX\":\"Selecione a câmera\",\"kWI/37\":\"Selecione o organizador\",\"hAjDQy\":\"Selecionar status\",\"QYARw/\":\"Selecionar bilhete\",\"XH5juP\":\"Selecione o nível do ingresso\",\"OMX4tH\":\"Selecionar ingressos\",\"nuWxSr\":\"Select Tickets\",\"O/7I0o\":\"Selecione...\",\"JlFcis\":\"Enviar\",\"qKWv5N\":[\"Enviar uma cópia para <0>\",[\"0\"],\"\"],\"RktTWf\":\"Enviar uma mensagem\",\"/mQ/tD\":\"Enviar como um teste. Isso enviará a mensagem para seu endereço de e-mail em vez de para os destinatários.\",\"471O/e\":\"Send confirmation email\",\"M/WIer\":\"Enviar Mensagem\",\"D7ZemV\":\"Enviar e-mail de confirmação do pedido e do tíquete\",\"v1rRtW\":\"Enviar teste\",\"j1VfcT\":\"Descrição de SEO\",\"/SIY6o\":\"Palavras-chave de SEO\",\"GfWoKv\":\"Configurações de SEO\",\"rXngLf\":\"Título SEO\",\"/jZOZa\":\"Taxa de serviço\",\"vu4F0h\":\"Set a minimum price and let users donate more\",\"Bj/QGQ\":\"Defina um preço mínimo e permita que os usuários paguem mais se quiserem\",\"nYNT+5\":\"Prepare seu evento\",\"A8iqfq\":\"Defina seu evento ao vivo\",\"Tz0i8g\":\"Configurações\",\"Z8lGw6\":\"Compartilhar\",\"FFbYHm\":[\"Should this \",[\"type\"],\" be applied to all new tickets?\"],\"8vETh9\":\"Mostrar\",\"smd87r\":\"Mostrar a quantidade de ingressos disponíveis\",\"qDsmzu\":\"Mostrar perguntas ocultas\",\"fMPkxb\":\"Mostrar mais\",\"izwOOD\":\"Mostrar impostos e taxas separadamente\",\"j3b+OW\":\"Mostrado ao cliente após o checkout, na página de resumo do pedido\",\"YfHZv0\":\"Mostrado ao cliente antes do checkout\",\"CBBcly\":\"Mostra campos de endereço comuns, incluindo o país\",\"yTnnYg\":\"Simpson\",\"TNaCfq\":\"Caixa de texto de linha única\",\"+P0Cn2\":\"Pular esta etapa\",\"YSEnLE\":\"Smith\",\"lgFfeO\":\"Esgotado\",\"Mi1rVn\":\"Esgotado\",\"nwtY4N\":\"Algo deu errado\",\"GRChTw\":\"Algo deu errado ao excluir o imposto ou a taxa\",\"YHFrbe\":\"Algo deu errado! Por favor, tente novamente\",\"kf83Ld\":\"Algo deu errado.\",\"fWsBTs\":\"Algo deu errado. Tente novamente.\",\"F6YahU\":\"Desculpe, algo deu errado. Reinicie o processo de checkout.\",\"KWgppI\":\"Desculpe, algo deu errado ao carregar esta página.\",\"/TCOIK\":\"Desculpe, este pedido não existe mais.\",\"DvCwYF\":\"Sorry, this promo code is invalid'\",\"6a/UJE\":\"Desculpe, este código promocional não é reconhecido\",\"9rRZZ+\":\"Desculpe, seu pedido expirou. Por favor, inicie um novo pedido.\",\"a4SyEE\":\"A classificação é desativada enquanto os filtros e a classificação são aplicados\",\"65A04M\":\"Espanhol\",\"4nG1lG\":\"Bilhete padrão com preço fixo\",\"D3iCkb\":\"Data de início\",\"RS0o7b\":\"State\",\"/2by1f\":\"Estado ou região\",\"uAQUqI\":\"Status\",\"UJmAAK\":\"Assunto\",\"X2rrlw\":\"Subtotal\",\"b0HJ45\":[\"Sucesso! \",[\"0\"],\" receberá um e-mail em breve.\"],\"BJIEiF\":[\"Participante com sucesso \",[\"0\"]],\"Ih8kN0\":[\"Successfully $\",[\"0\"],\" attendee\"],\"xHl17l\":[\"Verificado com sucesso <0>\",[\"0\"],\" \",[\"1\"],\" \",[\"2\"]],\"OtgNFx\":\"Endereço de e-mail confirmado com sucesso\",\"IKwyaF\":\"Alteração de e-mail confirmada com sucesso\",\"zLmvhE\":\"Participante criado com sucesso\",\"9mZEgt\":\"Código promocional criado com sucesso\",\"aIA9C4\":\"Pergunta criada com sucesso\",\"onFQYs\":\"Ticket criado com sucesso\",\"Hgj/mB\":\"Successfully deleted ticket\",\"J3RJSZ\":\"Participante atualizado com sucesso\",\"3suLF0\":\"Atribuição de Capacidade atualizada com sucesso\",\"Z+rnth\":\"Lista de Registro atualizada com sucesso\",\"vzJenu\":\"Configurações de e-mail atualizadas com sucesso\",\"7kOMfV\":\"Evento atualizado com sucesso\",\"G0KW+e\":\"Design da página inicial atualizado com sucesso\",\"k9m6/E\":\"Configurações da página inicial atualizadas com sucesso\",\"y/NR6s\":\"Localização atualizada com sucesso\",\"73nxDO\":\"Configurações diversas atualizadas com sucesso\",\"70dYC8\":\"Código promocional atualizado com sucesso\",\"F+pJnL\":\"Configurações de SEO atualizadas com sucesso\",\"g2lRrH\":\"Ticket atualizado com sucesso\",\"DXZRk5\":\"Suíte 100\",\"GNcfRk\":\"E-mail de suporte\",\"JpohL9\":\"Imposto\",\"geUFpZ\":\"Impostos e taxas\",\"0RXCDo\":\"Imposto ou taxa excluído com êxito\",\"ZowkxF\":\"Impostos\",\"EEZnW+\":\"Taxes & Fees\",\"qu6/03\":\"Impostos e taxas\",\"gVjSFp\":\"Taxes and Fees can be associated with tickets and will be added to the ticket price.\",\"e0ZSh4\":\"Text Colour\",\"gypigA\":\"Esse código promocional é inválido\",\"0ozSQu\":\"The background color for the event homepage\",\"LbHWgW\":\"The background color for the ticket widget on the event homepage\",\"75Xclv\":\"The basic details of your event\",\"5ShqeM\":\"A lista de check-in que você está procurando não existe.\",\"UNqHnV\":\"The color of the buttons on the event homepage\",\"0amhbL\":\"The color of the links on the event homepage\",\"QXlz+n\":\"A moeda padrão para seus eventos.\",\"mnafgQ\":\"O fuso horário padrão para seus eventos.\",\"o7s5FA\":\"O idioma em que o participante receberá e-mails.\",\"NlfnUd\":\"O link em que você clicou é inválido.\",\"FqjKfd\":\"The location of your event\",\"kIXEVN\":[\"O número máximo de ingressos para \",[\"0\"],\" é \",[\"1\"]],\"FeAfXO\":[\"O número máximo de bilhetes para os Generais é \",[\"0\"]],\"POEqXB\":\"The organizer details of your event\",\"TSAiPM\":\"A página que você está procurando não existe\",\"MSmKHn\":\"O preço exibido para o cliente incluirá impostos e taxas.\",\"6zQOg1\":\"O preço exibido para o cliente não inclui impostos e taxas. Eles serão exibidos separadamente\",\"ne/9Ur\":\"As configurações de estilo que você escolher se aplicam somente ao HTML copiado e não serão armazenadas.\",\"TJZByZ\":\"The tax and fee to apply to this ticket. You can create new taxes and fees on the\",\"OJYwh9\":\"Os impostos e as taxas a serem aplicados a esse tíquete. Você pode criar novos impostos e taxas na seção\",\"6BpBfZ\":\"The text color for the event homepage\",\"rljHp7\":\"The text color for the ticket widget on the event homepage\",\"s4di40\":\"The text to display in the 'Continue' button. Defaults to 'Continue'\",\"esY5SG\":\"O título do evento que será exibido nos resultados dos mecanismos de pesquisa e ao compartilhar nas mídias sociais. Por padrão, o título do evento será usado\",\"wgAiDb\":\"The user must login to change their email.\",\"jvxN9/\":\"Não há ingressos disponíveis para este evento\",\"rMcHYt\":\"Há um reembolso pendente. Aguarde a conclusão do processo antes de solicitar outro reembolso.\",\"hjLUr+\":\"There was an error loading this content. Please refresh the page and try again.\",\"68Axnm\":\"Ocorreu um erro ao processar sua solicitação. Tente novamente.\",\"mVKOW6\":\"Ocorreu um erro ao enviar sua mensagem\",\"Um/adz\":\"These allow multiple selections\",\"vWeHWp\":\"These colors are not saved in our system.\",\"7qzHGS\":\"These colors are not saved in our system. They are only used to generate the widget.\",\"xxv3BZ\":\"Esta lista de registro expirou\",\"Sa7w7S\":\"Esta lista de registro expirou e não está mais disponível para registros.\",\"Uicx2U\":\"Esta lista de registro está ativa\",\"1k0Mp4\":\"Esta lista de registro ainda não está ativa\",\"K6fmBI\":\"Esta lista de registro ainda não está ativa e não está disponível para registros.\",\"t/ePFj\":\"Esta descrição será mostrada à equipe de registro\",\"MLTkH7\":\"Esse e-mail não é promocional e está diretamente relacionado ao evento.\",\"2eIpBM\":\"Esse evento não está disponível no momento. Por favor, volte mais tarde.\",\"Z6LdQU\":\"Esse evento não está disponível.\",\"CNk/ro\":\"Este é um evento on-line\",\"GabtCa\":\"This is the email address that will be used as the reply-to address for all emails sent from this event\",\"FwXnJd\":\"Esta lista não estará mais disponível para registros após esta data\",\"CKkb5E\":\"This message is how below the\",\"cHO4ec\":\"Essa mensagem será incluída no rodapé de todos os e-mails enviados a partir desse evento\",\"RjwlZt\":\"Esse pedido já foi pago.\",\"axERYu\":\"This order has already been paid. <0>View order details\",\"wY+HO9\":\"This order has already been processed.\",\"5K8REg\":\"Esse pedido já foi reembolsado.\",\"OiQMhP\":\"Este pedido foi cancelado\",\"YyEJij\":\"Esse pedido foi cancelado.\",\"D44cEI\":\"This order has been completed.\",\"HILpDX\":\"Este pedido está aguardando pagamento\",\"0vRWbB\":\"This order is awaiting payment.\",\"BdYtn9\":\"Este pedido está completo\",\"e3uMJH\":\"Esse pedido está concluído.\",\"YNKXOK\":\"Este pedido está sendo processado.\",\"LIjb4v\":\"This order is processing. TODO - a nice image and poll the API\",\"yPZN4i\":\"Essa página de pedidos não está mais disponível.\",\"5189cf\":\"Isso substitui todas as configurações de visibilidade e oculta o tíquete de todos os clientes.\",\"4vwjho\":\"This page has expired. <0>View order details\",\"Qt7RBu\":\"Esta pergunta é visível apenas para o organizador do evento\",\"os29v1\":\"Este link de redefinição de senha é inválido ou expirou.\",\"WJqBqd\":\"Esse tíquete não pode ser excluído porque está\\nassociado a um pedido. Em vez disso, você pode ocultá-lo.\",\"ma6qdu\":\"Esse tíquete está oculto da visualização pública\",\"xJ8nzj\":\"Esse tíquete está oculto, a menos que seja direcionado por um código promocional\",\"IV9xTT\":\"Esse usuário não está ativo, pois não aceitou o convite.\",\"5AnPaO\":\"ingresso\",\"kjAL4v\":\"Bilhete\",\"KosivG\":\"Ticket excluído com sucesso\",\"dtGC3q\":\"O e-mail do ingresso foi reenviado ao participante\",\"USk+Mn\":\"Ticket page message\",\"mRM6XH\":\"Venda de ingressos\",\"NirIiz\":\"Nível do ingresso\",\"8jLPgH\":\"Tipo de bilhete\",\"jqWDf9\":\"Ticket widget background color\",\"UrMVAz\":\"Visualização do widget de ingressos\",\"ngtDy7\":\"Ticket widget text color\",\"N+YYpo\":\"Bilhete(s)\",\"6GQNLE\":\"Ingressos\",\"54q0zp\":\"Ingressos para\",\"ikA//P\":\"ingressos vendidos\",\"i+idBz\":\"Ingressos vendidos\",\"AGRilS\":\"Ingressos vendidos\",\"56Qw2C\":\"Ingressos classificados com sucesso\",\"4f8A8M\":\"Tickets to which the promo code applies (Applies to all by default)\",\"xN9AhL\":[\"Nível \",[\"0\"]],\"oYaHuq\":\"Bilhete em camadas\",\"XZrhpz\":\"Tiered Ticket - Coming Soon\",\"4M150e\":\"Os ingressos em camadas permitem que você ofereça várias opções de preço para o mesmo ingresso.\\nIsso é perfeito para ingressos antecipados ou para oferecer opções de preços diferentes\\npara diferentes grupos de pessoas.\",\"jQoYTX\":\"Tiered tickets allow you to offer multiple price options for the same ticket. This is perfect for early bird tickets or offering different price options for different groups of people.\",\"s/0RpH\":\"Tempos usados\",\"40Gx0U\":\"Fuso horário\",\"oDGm7V\":\"DICA\",\"MHrjPM\":\"Título\",\"xdA/+p\":\"Ferramentas\",\"72c5Qo\":\"Total\",\"BxsfMK\":\"Total de taxas\",\"mpB/d9\":\"Valor total do pedido\",\"m3FM1g\":\"Total reembolsado\",\"GBBIy+\":\"Total restante\",\"/SgoNA\":\"Imposto total\",\"+zy2Nq\":\"Tipo\",\"mLGbAS\":[\"Não foi possível acessar \",[\"0\"],\" participante\"],\"FMdMfZ\":\"Não foi possível registrar o participante\",\"bPWBLL\":\"Não foi possível retirar o participante\",\"/cSMqv\":\"Não foi possível criar a pergunta. Por favor, verifique seus detalhes\",\"nNdxt9\":\"Não foi possível criar o tíquete. Por favor, verifique seus detalhes\",\"MH/lj8\":\"Não foi possível atualizar a pergunta. Verifique seus detalhes\",\"Mqy/Zy\":\"Estados Unidos\",\"NIuIk1\":\"Ilimitado\",\"oMcLhS\":\"Unlimited ticket quantity available\",\"E0q9qH\":\"Permite usos ilimitados\",\"ia8YsC\":\"Próximos\",\"TlEeFv\":\"Próximos eventos\",\"L/gNNk\":[\"Atualizar \",[\"0\"]],\"+qqX74\":\"Atualizar o nome, a descrição e as datas do evento\",\"vXPSuB\":\"Atualizar perfil\",\"gsehpV\":\"Upload an image to be displayed on the event page\",\"BNBfrU\":\"Carregar capa\",\"UtDm3q\":\"URL copiado para a área de transferência\",\"e5lF64\":\"Exemplo de uso\",\"sGEOe4\":\"Use uma versão desfocada da imagem da capa como plano de fundo\",\"OadMRm\":\"Usar imagem de capa\",\"7PzzBU\":\"Usuário\",\"yDOdwQ\":\"Gerenciamento de usuários\",\"Sxm8rQ\":\"Usuários\",\"VEsDvU\":\"Os usuários podem alterar seu e-mail em <0>Configurações de perfil\",\"vgwVkd\":\"UTC\",\"khBZkl\":\"IVA\",\"E/9LUk\":\"Nome do local\",\"AM+zF3\":\"Ver participante\",\"e4mhwd\":\"Exibir a página inicial do evento\",\"/5PEQz\":\"Exibir página do evento\",\"fFornT\":\"Ver mensagem completa\",\"YIsEhQ\":\"Ver mapa\",\"Ep3VfY\":\"Exibir no Google Maps\",\"AMkkeL\":\"Ver pedido\",\"Y8s4f6\":\"Exibir detalhes do pedido\",\"QIWCnW\":\"Lista de check-in VIP\",\"tF+VVr\":\"Ingresso VIP\",\"2q/Q7x\":\"Visibilidade\",\"vmOFL/\":\"Não foi possível processar seu pagamento. Tente novamente ou entre em contato com o suporte.\",\"1E0vyy\":\"Não foi possível carregar os dados. Por favor, tente novamente.\",\"VGioT0\":\"Recomendamos dimensões de 2160px por 1080px e um tamanho máximo de arquivo de 5 MB\",\"b9UB/w\":\"Usamos o Stripe para processar pagamentos. Conecte sua conta Stripe para começar a receber pagamentos.\",\"01WH0a\":\"Não foi possível confirmar seu pagamento. Tente novamente ou entre em contato com o suporte.\",\"Gspam9\":\"Estamos processando seu pedido. Por favor, aguarde...\",\"LuY52w\":\"Bem-vindo a bordo! Faça login para continuar.\",\"dVxpp5\":[\"Bem-vindo de volta\",[\"0\"],\" 👋\"],\"NxOVCl\":[\"Bem-vindo à Hi.Events, \",[\"0\"],\" 👋\"],\"wjqPqF\":\"O que são tíquetes escalonados?\",\"f1jUC0\":\"Em que data esta lista de registro deve se tornar ativa?\",\"5iXvHA\":\"What is a Tiered Ticketing?\",\"MhhnvW\":\"A quais tickets esse código se aplica? (Aplica-se a todos por padrão)\",\"dCil3h\":\"A quais tíquetes essa pergunta deve ser aplicada?\",\"Rb0XUE\":\"A que horas você chegará?\",\"5N4wLD\":\"Que tipo de pergunta é essa?\",\"D7C6XV\":\"Quando esta lista de registro deve expirar?\",\"FVetkT\":\"Quais ingressos devem ser associados a esta lista de registro?\",\"S+OdxP\":\"Quem está organizando esse evento?\",\"LINr2M\":\"Para quem é essa mensagem?\",\"nWhye/\":\"A quem deve ser feita essa pergunta?\",\"vVGiM4\":\"Who type of question is this?\",\"onLsWS\":\"Whoops! something went wrong. Please try again or contact support if the problem persists.\",\"AHXN2z\":\"Widget\",\"AU/8QR\":\"Widget Configuration\",\"VxFvXQ\":\"Incorporação de widgets\",\"v1P7Gm\":\"Configurações do widget\",\"b4itZn\":\"Trabalho\",\"hqmXmc\":\"Trabalhando...\",\"l75CjT\":\"Sim\",\"QcwyCh\":\"Sim, remova-os\",\"ySeBKv\":\"Você já escaneou este ingresso\",\"P+Sty0\":[\"Você está alterando seu e-mail para <0>\",[\"0\"],\".\"],\"gGhBmF\":\"Você está offline\",\"4ysd6z\":\"You can connecting using this Zoom link...\",\"9HGdDw\":\"Você pode criar um código promocional direcionado a esse tíquete no\",\"KRhIxT\":\"Agora você pode começar a receber pagamentos por meio do Stripe.\",\"UqVaVO\":\"Você não pode alterar o tipo de tíquete, pois há participantes associados a esse tíquete.\",\"zQ8idk\":\"You cannot change the ticket type because there are already tickets sold for this ticket.\",\"3vRX5A\":\"Você não pode apagar essa camada de preço porque já existem tickets vendidos para essa camada. Em vez disso, você pode ocultá-la.\",\"RCC09s\":\"You cannot edit a default question\",\"tFbRKJ\":\"Não é possível editar a função ou o status do proprietário da conta.\",\"fHfiEo\":\"Não é possível reembolsar um pedido criado manualmente.\",\"hK9c7R\":\"Você criou uma pergunta oculta, mas desativou a opção de mostrar perguntas ocultas. Ela foi ativada.\",\"NOaWRX\":\"Você não tem permissão para acessar esta página\",\"BRArmD\":\"Você tem acesso a várias contas. Escolha uma para continuar.\",\"Z6q0Vl\":\"Você já aceitou este convite. Faça login para continuar.\",\"rdk1xK\":\"Você conectou sua conta Stripe\",\"ofEncr\":\"Você não tem perguntas para os participantes.\",\"XoeazJ\":\"You have no attendee questions. Attendee questions are asked once per attendee.\",\"CoZHDB\":\"Você não tem perguntas sobre o pedido.\",\"FZKDIe\":\"You have no order questions. Order questions are asked once per order.\",\"15qAvl\":\"Você não tem nenhuma alteração de e-mail pendente.\",\"n81Qk8\":\"Você não concluiu a configuração do Stripe Connect\",\"jxsiqJ\":\"Você não conectou sua conta Stripe\",\"183zcL\":\"Você tem impostos e taxas adicionados a uma passagem gratuita. Gostaria de removê-los ou ocultá-los?\",\"2v5MI1\":\"Você ainda não enviou nenhuma mensagem. Você pode enviar mensagens para todos os participantes ou para portadores de ingressos específicos.\",\"R6i9o9\":\"Você deve estar ciente de que este e-mail não é promocional\",\"3ZI8IL\":\"Você deve concordar com os termos e condições\",\"dMd3Uf\":\"Você deve confirmar seu endereço de e-mail antes que seu evento possa ser publicado.\",\"H35u3n\":\"Você deve criar um tíquete antes de adicionar manualmente um participante.\",\"jE4Z8R\":\"Você deve ter pelo menos um nível de preço\",\"LRguuL\":\"You must have at least one tier\",\"8/eLoa\":\"Você precisa verificar sua conta para poder enviar mensagens.\",\"L/+xOk\":\"Você precisará de um ingresso antes de poder criar uma lista de registro.\",\"8QNzin\":\"Você precisará de um ingresso antes de poder criar uma atribuição de capacidade.\",\"WHXRMI\":\"Você precisará de pelo menos um tíquete para começar. Gratuito, pago ou deixe o usuário decidir quanto pagar.\",\"bdg03s\":\"Your account email in outgoing emails.\",\"ROR8QD\":\"O nome de sua conta é usado nas páginas do evento e nos e-mails.\",\"veessc\":\"Os participantes aparecerão aqui assim que se registrarem no evento. Você também pode adicionar participantes manualmente.\",\"Eh5Wrd\":\"Seu site é incrível 🎉\",\"lkMK2r\":\"Seus detalhes\",\"3ENYTQ\":[\"Sua solicitação de alteração de e-mail para <0>\",[\"0\"],\" está pendente. Verifique seu e-mail para confirmar\"],\"yZfBoy\":\"Sua mensagem foi enviada\",\"la26JS\":\"Your order is in progress\",\"7YJdgG\":\"Seus pedidos aparecerão aqui assim que começarem a chegar.\",\"9TO8nT\":\"Sua senha\",\"P8hBau\":\"Seu pagamento está sendo processado.\",\"UdY1lL\":\"Seu pagamento não foi bem-sucedido, tente novamente.\",\"fzuM26\":\"Seu pagamento não foi bem-sucedido. Por favor, tente novamente.\",\"cJ4Y4R\":\"Seu reembolso está sendo processado.\",\"IFHV2p\":\"Seu ingresso para\",\"3k7HDY\":\"Zip\",\"BM/KQm\":\"CEP ou código postal\",\"VftCuk\":\"Zoom link, Google Meet link, etc.\"}")}; \ No newline at end of file +/*eslint-disable*/module.exports={messages:JSON.parse("{\"1bpx9A\":\"...\",\"f8qS7T\":\"'Ainda não há nada para mostrar'\",\"4zldrf\":[[\"0\",\"plural\",{\"one\":[\"#\",\" hidden question\"],\"other\":[\"#\",\" hidden questions\"]}]],\"J/hVSQ\":[[\"0\"]],\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"Jv22kr\":[[\"0\"],\" <0>registrado com sucesso\"],\"yxhYRZ\":[[\"0\"],\" <0>desmarcado com sucesso\"],\"KMgp2+\":[[\"0\"],\" disponível\"],\"tmew5X\":[[\"0\"],\" registrado\"],\"Pmr5xp\":[[\"0\"],\" criado com sucesso\"],\"FImCSc\":[[\"0\"],\" atualizado com sucesso\"],\"KOr9b4\":[\"Eventos de \",[\"0\"]],\"qSiUsc\":[[\"0\"],[\"1\"]],\"cU8MWb\":[[\"0\"],\"/\",[\"1\"],\" registrado\"],\"Vjij1k\":[[\"days\"],\" dias, \",[\"hours\"],\" horas, \",[\"minutes\"],\" minutos e \",[\"seconds\"],\" segundos\"],\"f3RdEk\":[[\"hours\"],\" horas, \",[\"minutes\"],\" minutos e \",[\"seconds\"],\" segundos\"],\"wapGcj\":[[\"message\"]],\"fyE7Au\":[[\"minutos\"],\" minutos e \",[\"segundos\"],\" segundos\"],\"NlQ0cx\":[\"Primeiro evento de \",[\"organizerName\"]],\"Ul6IgC\":\"<0>As atribuições de capacidade permitem que você gerencie a capacidade entre ingressos ou um evento inteiro. Ideal para eventos de vários dias, workshops e mais, onde o controle de presença é crucial.<1>Por exemplo, você pode associar uma atribuição de capacidade ao ingresso de <2>Dia Um e <3>Todos os Dias. Uma vez que a capacidade é atingida, ambos os ingressos pararão automaticamente de estar disponíveis para venda.\",\"Exjbj7\":\"<0>As listas de registro ajudam a gerenciar a entrada dos participantes no seu evento. Você pode associar vários ingressos a uma lista de registro e garantir que apenas aqueles com ingressos válidos possam entrar.\",\"OXku3b\":\"<0>https://your-website.com\",\"qnSLLW\":\"<0>Por favor, insira o preço sem incluir impostos e taxas.<1>Impostos e taxas podem ser adicionados abaixo.\",\"0940VN\":\"<0>O número de ingressos disponíveis para este ingresso<1>Este valor pode ser substituído se houver <2>Limites de Capacidade associados a este ingresso.\",\"E15xs8\":\"⚡️ Prepare seu evento\",\"FL6OwU\":\"✉️ Confirme seu endereço de e-mail\",\"y1NShf\":\"🎉 Congratulation on creating an event!\",\"BN0OQd\":\"Parabéns por criar um evento!\",\"fAv9QG\":\"🎟️ Adicionar tíquetes\",\"4WT5tD\":\"Personalize a página do seu evento\",\"3VPPdS\":\"Conecte-se com o Stripe\",\"s4Tgn6\":\"📢 Promote your event\",\"cjdktw\":\"Configure seu evento ao vivo\",\"rmelwV\":\"0 minutos e 0 segundos\",\"UQ7pBY\":\"0.50 for $0.50\",\"i1+xzD\":\"1.75 for 1.75%\",\"i0puaE\":\"10.00\",\"W9+fkZ\":\"10001\",\"qdfdgM\":\"123 Main Street\",\"IoRZzD\":\"20\",\"+H1RMb\":\"2024-01-01 10:00\",\"Q/T49U\":\"2024-01-01 18:00\",\"hMT8+2\":\"94103\",\"efAM7X\":\"Um campo de data. Perfeito para pedir uma data de nascimento, etc.\",\"d9El7Q\":[\"Um \",[\"type\"],\" padrão é aplicado automaticamente a todos os novos tíquetes. Você pode substituir isso por ticket.\"],\"SMUbbQ\":\"Um input do tipo Dropdown permite apenas uma seleção\",\"qv4bfj\":\"Uma taxa, como uma taxa de reserva ou uma taxa de serviço\",\"Pgaiuj\":\"Um valor fixo por tíquete. Por exemplo, US$ 0,50 por tíquete\",\"f4vJgj\":\"Uma entrada de texto com várias linhas\",\"ySO/4f\":\"Uma porcentagem do preço do ingresso. Por exemplo, 3,5% do preço do ingresso\",\"WXeXGB\":\"Um código promocional sem desconto pode ser usado para revelar ingressos ocultos.\",\"GMhWB5\":\"A Radio option allows has multiple options but only one can be selected.\",\"CBt3s7\":\"A Radio Option allows only one selection\",\"AG/qmQ\":\"Uma opção de rádio tem várias opções, mas somente uma pode ser selecionada.\",\"7g61G9\":\"A short description of Awesome Events Ltd.\",\"h179TP\":\"Uma breve descrição do evento que será exibida nos resultados dos mecanismos de pesquisa e ao compartilhar nas mídias sociais. Por padrão, a descrição do evento será usada\",\"WKMnh4\":\"Uma entrada de texto de linha única\",\"zCk10D\":\"Uma única pergunta por participante. Por exemplo, qual é a sua refeição preferida?\",\"ap3v36\":\"Uma única pergunta por pedido. Por exemplo, Qual é o nome de sua empresa?\",\"RlJmQg\":\"Um imposto padrão, como IVA ou GST\",\"pDwHGk\":\"About hi.events\",\"uIKNjo\":\"Sobre o evento\",\"bfXQ+N\":\"Aceitar convite\",\"iwyhk4\":\"Access to the VIP area...\",\"AeXO77\":\"Conta\",\"0b79Xf\":\"Account Email\",\"lkNdiH\":\"Nome da conta\",\"Puv7+X\":\"Configurações da conta\",\"OmylXO\":\"Conta atualizada com sucesso\",\"7L01XJ\":\"Ações\",\"FQBaXG\":\"Ativar\",\"5T2HxQ\":\"Data de ativação\",\"F6pfE9\":\"Ativo\",\"m16xKo\":\"Adicionar\",\"LKNynS\":\"Add a cover image, description, and more to make your event stand out.\",\"/PN1DA\":\"Adicione uma descrição para esta lista de registro\",\"PGPGsL\":\"Adicionar descrição\",\"gMK0ps\":\"Adicione detalhes do evento e gerencie as configurações do evento.\",\"Fb+SDI\":\"Adicionar mais ingressos\",\"ApsD9J\":\"Adicionar novo\",\"TZxnm8\":\"Adicionar opção\",\"Cw27zP\":\"Adicionar pergunta\",\"yWiPh+\":\"Adicionar imposto ou taxa\",\"BGD9Yt\":\"Adicionar ingressos\",\"goOKRY\":\"Adicionar nível\",\"p59pEv\":\"Additional Details\",\"Y8DIQy\":\"Opções adicionais\",\"Du6bPw\":\"Endereço\",\"NY/x1b\":\"Linha de endereço 1\",\"POdIrN\":\"Linha de endereço 1\",\"cormHa\":\"Linha de endereço 2\",\"gwk5gg\":\"Linha de endereço 2\",\"U3pytU\":\"Administrador\",\"HLDaLi\":\"Os usuários administradores têm acesso total a eventos e configurações de conta.\",\"CPXP5Z\":\"Afiliados\",\"W7AfhC\":\"Todos os participantes deste evento\",\"QsYjci\":\"Todos os eventos\",\"/twVAS\":\"Todos os ingressos\",\"ipYKgM\":\"Permitir a indexação do mecanismo de pesquisa\",\"LRbt6D\":\"Permitir que os mecanismos de pesquisa indexem esse evento\",\"+MHcJD\":\"Quase lá! Estamos apenas aguardando o processamento do seu pagamento. Isso deve levar apenas alguns segundos...\",\"8wYDMp\":\"Already have an account?\",\"ApOYO8\":\"Incrível, Evento, Palavras-chave...\",\"hehnjM\":\"Valor\",\"TRYjHa\":[\"amount in \",[\"0\"]],\"R2O9Rg\":[\"Valor pago (\",[\"0\"],\")\"],\"tLjOgo\":[\"Amount paid $\",[\"0\"]],\"V7MwOy\":\"Ocorreu um erro ao carregar a página\",\"Q7UCEH\":\"Ocorreu um erro ao classificar as perguntas. Tente novamente ou atualize a página\",\"er3d/4\":\"Ocorreu um erro ao classificar os tíquetes. Tente novamente ou atualize a página\",\"hhvESd\":\"An event is the actual event you are hosting\",\"jD/OCQ\":\"Um evento é o evento real que você está organizando. Você pode adicionar mais detalhes posteriormente.\",\"oBkF+i\":\"Um organizador é a empresa ou pessoa que está organizando o evento\",\"W5A0Ly\":\"Ocorreu um erro inesperado.\",\"byKna+\":\"Ocorreu um erro inesperado. Por favor, tente novamente.\",\"j4DliD\":\"Todas as dúvidas dos portadores de ingressos serão enviadas para esse endereço de e-mail. Ele também será usado como o endereço \\\"reply-to\\\" para todos os e-mails enviados deste evento\",\"aAIQg2\":\"Aparência\",\"Ym1gnK\":\"aplicado\",\"epTbAK\":[\"Aplica-se a \",[\"0\"],\" ingressos\"],\"6MkQ2P\":\"Aplica-se a 1 ingresso\",\"DB8zMK\":\"Apply\",\"GctSSm\":\"Aplicar código promocional\",\"jcnZEw\":[\"Aplique esse \",[\"tipo\"],\" a todos os novos tíquetes\"],\"S0ctOE\":\"Arquivar evento\",\"TdfEV7\":\"Arquivado\",\"A6AtLP\":\"Eventos arquivados\",\"q7TRd7\":\"Tem certeza de que deseja ativar esse participante?\",\"TvkW9+\":\"Você tem certeza de que deseja arquivar este evento?\",\"/CV2x+\":\"Tem certeza de que deseja cancelar esse participante? Isso anulará seu ingresso\",\"YgRSEE\":\"Tem certeza de que deseja excluir esse código promocional?\",\"iU234U\":\"Tem certeza de que deseja excluir esta pergunta?\",\"CMyVEK\":\"Tem certeza de que deseja tornar este evento um rascunho? Isso tornará o evento invisível para o público\",\"mEHQ8I\":\"Tem certeza de que deseja tornar este evento público? Isso tornará o evento visível para o público\",\"s4JozW\":\"Você tem certeza de que deseja restaurar este evento? Ele será restaurado como um evento rascunho.\",\"vJuISq\":\"Tem certeza de que deseja excluir esta Atribuição de Capacidade?\",\"baHeCz\":\"Tem certeza de que deseja excluir esta lista de registro?\",\"2xEpch\":\"Pergunte uma vez por participante\",\"LBLOqH\":\"Pergunte uma vez por pedido\",\"ss9PbX\":\"Participante\",\"m0CFV2\":\"Detalhes do participante\",\"lXcSD2\":\"Perguntas dos participantes\",\"VvYqMB\":\"Attendee questions are asked once per attendee. By default, people are asked for their first name, last name, and email address.\",\"spxPEv\":\"Attendee questions are asked once per attendee. By default, we ask for the attendee's first name, last name, and email address.\",\"9SZT4E\":\"Participantes\",\"5UbY+B\":\"Participantes com um tíquete específico\",\"IMJ6rh\":\"Redimensionamento automático\",\"vZ5qKF\":\"Redimensiona automaticamente a altura do widget com base no conteúdo. Quando desativado, o widget preencherá a altura do contêiner.\",\"lXkUEV\":\"Availability\",\"ioG+xt\":\"Aguardando pagamento\",\"3PmQfI\":\"Evento incrível\",\"kNmmvE\":\"Awesome Events Ltd.\",\"Yrbm6T\":\"Awesome Organizer Ltd.\",\"9002sI\":\"Voltar para todos os eventos\",\"0TGkYM\":\"Back to event homepage\",\"A302fe\":\"Voltar à página do evento\",\"VCoEm+\":\"Voltar ao login\",\"MLZyiY\":\"Background color\",\"k1bLf+\":\"Cor de fundo\",\"I7xjqg\":\"Tipo de plano de fundo\",\"EOUool\":\"Detalhes básicos\",\"7EGQKA\":\"Because you are the account owner, you cannot change your role or status.\",\"1mwMl+\":\"Antes de enviar!\",\"wVfiR2\":\"Before you're event can go live, there's a few thing to do.\",\"/yeZ20\":\"Antes que seu evento possa ir ao ar, há algumas coisas que você precisa fazer.\",\"1xAcxY\":\"Comece a vender ingressos em minutos\",\"R+w/Va\":\"Billing\",\"rp/zaT\":\"Português brasileiro\",\"Ptp9MF\":\"Button color\",\"whqocw\":\"Ao se registrar, você concorda com nossos <0>Termos de Serviço e <1>Política de Privacidade.\",\"bcCn6r\":\"Tipo de cálculo\",\"+8bmSu\":\"Califórnia\",\"iStTQt\":\"A permissão da câmera foi negada. <0>Solicite a permissão novamente ou, se isso não funcionar, será necessário <1>conceder a esta página acesso à sua câmera nas configurações do navegador.\",\"Jzn1qy\":\"Can't load events\",\"dEgA5A\":\"Cancelar\",\"Gjt/py\":\"Cancelar alteração de e-mail\",\"tVJk4q\":\"Cancelar pedido\",\"Os6n2a\":\"Cancelar pedido\",\"Mz7Ygx\":[\"Cancelar pedido \",[\"0\"]],\"Ud7zwq\":\"O cancelamento cancelará todos os tickets associados a esse pedido e liberará os tickets de volta para o pool disponível.\",\"vv7kpg\":\"Cancelado\",\"QyjCeq\":\"Capacidade\",\"V6Q5RZ\":\"Atribuição de Capacidade criada com sucesso\",\"k5p8dz\":\"Atribuição de Capacidade excluída com sucesso\",\"nDBs04\":\"Gestão de Capacidade\",\"77/YgG\":\"Mudar a capa\",\"GptGxg\":\"Alterar senha\",\"QndF4b\":\"fazer o check-in\",\"xMDm+I\":\"Check-in\",\"9FVFym\":\"confira\",\"/Ta1d4\":\"Desmarcar\",\"gXcPxc\":\"Check-in\",\"Y3FYXy\":\"Check-in\",\"fVUbUy\":\"Lista de registro criada com sucesso\",\"+CeSxK\":\"Lista de registro excluída com sucesso\",\"+hBhWk\":\"A lista de registro expirou\",\"mBsBHq\":\"A lista de registro não está ativa\",\"vPqpQG\":\"Lista de check-in não encontrada\",\"tejfAy\":\"Listas de Registro\",\"hD1ocH\":\"URL de check-in copiada para a área de transferência\",\"CNafaC\":\"As opções de caixa de seleção permitem várias seleções\",\"SpabVf\":\"Caixas de seleção\",\"CRu4lK\":\"Registro de entrada\",\"rfeicl\":\"Registrado com sucesso\",\"/ydvvl\":\"Checkout Messaging\",\"1WnhCL\":\"Configurações de checkout\",\"h1IXFK\":\"Chinês\",\"6imsQS\":\"Chinês simplificado\",\"JjkX4+\":\"Escolha uma cor para seu plano de fundo\",\"/Jizh9\":\"Escolha uma conta\",\"jJGoVv\":\"Choose what notifications you want to receive\",\"3wV73y\":\"Cidade\",\"FG98gC\":\"Limpar texto de pesquisa\",\"EYeuMv\":\"clique aqui\",\"sby+1/\":\"Clique para copiar\",\"yz7wBu\":\"Fechar\",\"62Ciis\":\"Fechar a barra lateral\",\"EWPtMO\":\"Código\",\"ercTDX\":\"O código deve ter entre 3 e 50 caracteres\",\"jZlrte\":\"Cor\",\"Vd+LC3\":\"A cor deve ser um código de cor hexadecimal válido. Exemplo: #ffffff\",\"1HfW/F\":\"Cores\",\"VZeG/A\":\"Em breve\",\"yPI7n9\":\"Palavras-chave separadas por vírgulas que descrevem o evento. Elas serão usadas pelos mecanismos de pesquisa para ajudar a categorizar e indexar o evento\",\"NPZqBL\":\"Pedido completo\",\"guBeyC\":\"Pagamento completo\",\"C8HNV2\":\"Pagamento completo\",\"qqWcBV\":\"Concluído\",\"DwF9eH\":\"Código do componente\",\"7VpPHA\":\"Confirmar\",\"ZaEJZM\":\"Confirmar alteração de e-mail\",\"yjkELF\":\"Confirmar nova senha\",\"xnWESi\":\"Confirmar senha\",\"p2/GCq\":\"Confirmar senha\",\"wnDgGj\":\"Confirmação do endereço de e-mail...\",\"DnLC08\":\"Congratulation on creating an event!\",\"pbAk7a\":\"Conectar faixa\",\"UMGQOh\":\"Conecte-se com o Stripe\",\"QKLP1W\":\"Conecte sua conta Stripe para começar a receber pagamentos.\",\"5lcVkL\":\"Detalhes da conexão\",\"i3p844\":\"Contact email\",\"yAej59\":\"Cor de fundo do conteúdo\",\"xGVfLh\":\"Continuar\",\"X++RMT\":\"Texto do botão Continuar\",\"AfNRFG\":\"Texto do botão Continuar\",\"lIbwvN\":\"Continuar a configuração do evento\",\"HB22j9\":\"Continuar a configuração\",\"bZEa4H\":\"Continuar a configuração do Stripe Connect\",\"RGVUUI\":\"Continuar para o pagamento\",\"6V3Ea3\":\"Copiado\",\"T5rdis\":\"copiado para a área de transferência\",\"he3ygx\":\"Cópia\",\"r2B2P8\":\"Copiar URL de check-in\",\"8+cOrS\":\"Copie os detalhes para todos os participantes\",\"ENCIQz\":\"Copiar link\",\"E6nRW7\":\"Copiar URL\",\"JNCzPW\":\"País\",\"IF7RiR\":\"Capa\",\"P0rbCt\":\"Cover Image\",\"hYgDIe\":\"Create\",\"b9XOHo\":[\"Criar \",[\"0\"]],\"6kdXbW\":\"Criar um código promocional\",\"n5pRtF\":\"Criar um tíquete\",\"X6sRve\":[\"Crie uma conta ou <0>\",[\"0\"],\" para começar\"],\"nx+rqg\":\"criar um organizador\",\"ipP6Ue\":\"Criar participante\",\"VwdqVy\":\"Criar Atribuição de Capacidade\",\"WVbTwK\":\"Criar Lista de Registro\",\"uN355O\":\"Criar evento\",\"BOqY23\":\"Criar novo\",\"kpJAeS\":\"Criar organizador\",\"a0EjD+\":\"Create Product\",\"sYpiZP\":\"Criar código promocional\",\"a6YrKg\":\"Create promo codes\",\"n6H6AO\":\"Create promo codes to offer discounts to your attendees.\",\"B3Mkdt\":\"Criar pergunta\",\"UKfi21\":\"Criar imposto ou taxa\",\"Tg323g\":\"Criar bilhete\",\"agZ87r\":\"Crie ingressos para seu evento, defina preços e gerencie a quantidade disponível.\",\"d+F6q9\":\"Criado\",\"Q2lUR2\":\"Moeda\",\"DCKkhU\":\"Senha atual\",\"uIElGP\":\"URL de mapas personalizados\",\"876pfE\":\"Cliente\",\"QOg2Sf\":\"Personalize as configurações de e-mail e notificação para esse evento\",\"Lu75d1\":\"Customize the email settings for this event\",\"RaxMyF\":\"Customize the event homepage and checkout experience\",\"Y9Z/vP\":\"Personalize a página inicial do evento e a mensagem de checkout\",\"2E2O5H\":\"Personalize as configurações diversas para esse evento\",\"iJhSxe\":\"Personalizar as configurações de SEO para este evento\",\"KIhhpi\":\"Personalize a página do seu evento\",\"nrGWUv\":\"Personalize a página do evento para combinar com sua marca e estilo.\",\"Zz6Cxn\":\"Zona de perigo\",\"ZQKLI1\":\"Zona de Perigo\",\"7p5kLi\":\"Painel de controle\",\"mYGY3B\":\"Data\",\"JvUngl\":\"Data e hora\",\"JJhRbH\":\"Capacidade do primeiro dia\",\"PqrqgF\":\"Lista de Registro do Primeiro Dia\",\"RiXc4g\":\"Deactivate user\",\"cnGeoo\":\"Excluir\",\"jRJZxD\":\"Excluir Capacidade\",\"Qrc8RZ\":\"Excluir Lista de Registro\",\"WHf154\":\"Excluir código\",\"heJllm\":\"Excluir capa\",\"KWa0gi\":\"Excluir imagem\",\"IatsLx\":\"Excluir pergunta\",\"GnyEfA\":\"Excluir tíquete\",\"E33LRn\":\"Delete user\",\"Nu4oKW\":\"Descrição\",\"YC3oXa\":\"Descrição para a equipe de registro\",\"s9iD5d\":\"Description should be less than 50,000 characters\",\"URmyfc\":\"Detalhes\",\"x8uDKb\":\"Disable code\",\"Tgg8XQ\":\"Desative esta capacidade para rastrear a capacidade sem interromper as vendas de ingressos\",\"H6Ma8Z\":\"Desconto\",\"ypJ62C\":\"% de desconto\",\"3LtiBI\":[\"Desconto em \",[\"0\"]],\"C8JLas\":\"Tipo de desconto\",\"1QfxQT\":\"Dispensar\",\"cVq+ga\":\"Não tem uma conta? <0>Assinar\",\"4+aC/x\":\"Doação / Pague o que quiser\",\"++S5i/\":\"Donation amount\",\"OO7MG7\":\"Donation Ticket\",\"0pEVi2\":\"Download Tickets PDF\",\"uABpqP\":\"Arrastar e soltar ou clicar\",\"3z2ium\":\"Arraste para classificar\",\"6skwyH\":\"Drop an image, or click here to replace the Cover Image\",\"S37RRV\":\"Drop an image, or click here to upload the Cover Image\",\"CfKofC\":\"Seleção suspensa\",\"JzLDvy\":\"Duplicar Atribuições de Capacidade\",\"ulMxl+\":\"Duplicar Listas de Check-In\",\"vi8Q/5\":\"Duplicar evento\",\"3ogkAk\":\"Duplicar evento\",\"Yu6m6X\":\"Duplicar a Imagem de Capa do Evento\",\"+fA4C7\":\"Duplicar Opções\",\"57ALrd\":\"Duplicar códigos promocionais\",\"83Hu4O\":\"Duplicar perguntas\",\"20144c\":\"Duplicar configurações\",\"Wt9eV8\":\"Duplicar bilhetes\",\"7Cx5It\":\"Pássaro madrugador\",\"ePK91l\":\"Editar\",\"N6j2JH\":[\"Editar \",[\"0\"]],\"kNGp1D\":\"Editar participante\",\"t2bbp8\":\"Editar Participante\",\"kBkYSa\":\"Editar Capacidade\",\"oHE9JT\":\"Editar Atribuição de Capacidade\",\"FU1gvP\":\"Editar Lista de Registro\",\"iFgaVN\":\"Editar código\",\"jrBSO1\":\"Editar organizador\",\"9BdS63\":\"Editar código promocional\",\"O0CE67\":\"Editar pergunta\",\"EzwCw7\":\"Editar pergunta\",\"d+nnyk\":\"Editar bilhete\",\"poTr35\":\"Editar usuário\",\"GTOcxw\":\"Editar usuário\",\"pqFrv2\":\"por exemplo. 2,50 por $2,50\",\"3yiej1\":\"Ex. 23,5 para 23,5%\",\"O3oNi5\":\"E-mail\",\"VxYKoK\":\"Configurações de e-mail e notificação\",\"ATGYL1\":\"Endereço de e-mail\",\"hzKQCy\":\"Endereço de e-mail\",\"HqP6Qf\":\"Alteração de e-mail cancelada com sucesso\",\"mISwW1\":\"Alteração de e-mail pendente\",\"WiKda6\":\"Email Configuration\",\"APuxIE\":\"Confirmação de e-mail reenviada\",\"YaCgdO\":\"Confirmação de e-mail reenviada com sucesso\",\"jyt+cx\":\"Mensagem de rodapé do e-mail\",\"I6F3cp\":\"E-mail não verificado\",\"G5zNMX\":\"Email Settings\",\"NTZ/NX\":\"Código de incorporação\",\"4rnJq4\":\"Script de incorporação\",\"nA31FG\":\"Ative esta capacidade para interromper as vendas de ingressos quando o limite for atingido\",\"VFv2ZC\":\"Data final\",\"237hSL\":\"Final\",\"nt4UkP\":\"Eventos encerrados\",\"lYGfRP\":\"Inglês\",\"MhVoma\":\"Insira um valor excluindo impostos e taxas.\",\"3Z223G\":\"Erro ao confirmar o endereço de e-mail\",\"a6gga1\":\"Erro ao confirmar a alteração do e-mail\",\"5/63nR\":\"EUR\",\"0pC/y6\":\"Evento\",\"nuoP/j\":\"Event created successfully\",\"CFLUfD\":\"Evento criado com sucesso 🎉\",\"0Zptey\":\"Padrões de eventos\",\"6fuA9p\":\"Evento duplicado com sucesso\",\"Xe3XMd\":\"O evento não é visível para o público\",\"4pKXJS\":\"O evento é visível para o público\",\"ClwUUD\":\"Local do evento e detalhes do local\",\"OopDbA\":\"Página do evento\",\"JyD0LH\":\"Event Settings\",\"4/If97\":\"Falha na atualização do status do evento. Tente novamente mais tarde\",\"btxLWj\":\"Status do evento atualizado\",\"tst44n\":\"Eventos\",\"sZg7s1\":\"Data de Expiração\",\"KnN1Tu\":\"Expirações\",\"uaSvqt\":\"Data de expiração\",\"GS+Mus\":\"Exportação\",\"9xAp/j\":\"Falha ao cancelar o participante\",\"ZpieFv\":\"Falha ao cancelar o pedido\",\"z6tdjE\":\"Falha ao excluir a mensagem. Tente novamente.\",\"9zSt4h\":\"Falha ao exportar os participantes. Por favor, tente novamente.\",\"2uGNuE\":\"Falha ao exportar pedidos. Tente novamente.\",\"d+KKMz\":\"Falha ao carregar a Lista de Registro\",\"ZQ15eN\":\"Falha ao reenviar o e-mail do tíquete\",\"PLUB/s\":\"Tarifa\",\"YirHq7\":\"Feedback\",\"/mfICu\":\"Tarifas\",\"V1EGGU\":\"Primeiro nome\",\"kODvZJ\":\"Primeiro nome\",\"S+tm06\":\"O primeiro nome deve ter entre 1 e 50 caracteres\",\"1g0dC4\":\"Nome, sobrenome e endereço de e-mail são perguntas padrão e sempre são incluídas no processo de checkout.\",\"QWa3Sk\":\"First Name, Last Name, and Email Address are default questions that are always included in the checkout process.\",\"TpqW74\":\"Fixo\",\"irpUxR\":\"Valor fixo\",\"TF9opW\":\"O Flash não está disponível neste dispositivo\",\"UNMVei\":\"Esqueceu a senha?\",\"2POOFK\":\"Grátis\",\"/4rQr+\":\"Bilhete gratuito\",\"01my8x\":\"Ingresso gratuito, sem necessidade de informações de pagamento\",\"nLC6tu\":\"Francês\",\"ejVYRQ\":\"From\",\"DDcvSo\":\"Alemão\",\"u6FPxT\":\"Get Tickets\",\"4GLxhy\":\"Primeiros passos\",\"4D3rRj\":\"Voltar ao perfil\",\"cQPKZt\":\"Go to Dashboard\",\"9LCqFI\":\"Ir para a página inicial do evento\",\"RUz8o/\":\"vendas brutas\",\"IgcAGN\":\"Vendas brutas\",\"yRg26W\":\"Vendas brutas\",\"R4r4XO\":\"Convidados\",\"26pGvx\":\"Tem um código promocional?\",\"V7yhws\":\"hello@awesome-events.com\",\"GNJ1kd\":\"Ajuda e Suporte\",\"6K/IHl\":\"Aqui está um exemplo de como você pode usar o componente em seu aplicativo.\",\"Y1SSqh\":\"Aqui está o componente React que você pode usar para incorporar o widget em seu aplicativo.\",\"Ow9Hz5\":[\"Conferência de eventos da Hi.Events \",[\"0\"]],\"verBst\":\"Centro de Conferências Hi.Events\",\"6eMEQO\":\"logotipo da hi.events\",\"C4qOW8\":\"Escondido da vista do público\",\"gt3Xw9\":\"pergunta oculta\",\"g3rqFe\":\"perguntas ocultas\",\"k3dfFD\":\"As perguntas ocultas são visíveis apenas para o organizador do evento e não para o cliente.\",\"EeNE0j\":\"Hidden will not be shown to customers.\",\"vLyv1R\":\"Esconder\",\"Mkkvfd\":\"Ocultar a página de introdução\",\"mFn5Xz\":\"Ocultar perguntas ocultas\",\"SCimta\":\"Ocultar a página de introdução da barra lateral\",\"Da29Y6\":\"Ocultar esta pergunta\",\"fsi6fC\":\"Ocultar esse tíquete dos clientes\",\"fvDQhr\":\"Ocultar essa camada dos usuários\",\"Fhzoa8\":\"Ocultar tíquete após a data final da venda\",\"yhm3J/\":\"Ocultar o ingresso antes da data de início da venda\",\"k7/oGT\":\"Oculte o tíquete, a menos que o usuário tenha um código promocional aplicável\",\"L0ZOiu\":\"Ocultar ingresso quando esgotado\",\"uno73L\":\"A ocultação de um tíquete impedirá que os usuários o vejam na página do evento.\",\"tj6Gob\":\"Homepage & Checkout\",\"m07jN3\":\"Homepage & Checkout Settings\",\"ZOBwQn\":\"Design da página inicial\",\"PRuBTd\":\"Designer da página inicial\",\"YjVNGZ\":\"Visualização da página inicial\",\"c3E/kw\":\"Homero\",\"id+NIk\":\"How many minutes the customer has to complete their order\",\"8k8Njd\":\"Quantos minutos o cliente tem para concluir o pedido. Recomendamos pelo menos 15 minutos\",\"ySxKZe\":\"Quantas vezes esse código pode ser usado?\",\"dZsDbK\":[\"Limite de caracteres HTML excedido: \",[\"htmlLength\"],\"/\",[\"maxLength\"]],\"fYyXCd\":\"https://example-maps-service.com/...\",\"uOXLV3\":\"Eu concordo com os <0>termos e condições\",\"sIxFk5\":\"I agree to the terms and conditions\",\"Crwwhn\":[\"If a new tab did not open, please <0>\",[\"0\"],\".\"],\"93DUnd\":[\"Se uma nova guia não foi aberta, por favor <0><1>\",[\"0\"],\".\"],\"9gtsTP\":\"Se estiver em branco, o endereço será usado para gerar um link de mapa do Google\",\"muXhGi\":\"Se ativado, o organizador receberá uma notificação por e-mail quando um novo pedido for feito\",\"6fLyj/\":\"Se você não solicitou essa alteração, altere imediatamente sua senha.\",\"n/ZDCz\":\"Imagem excluída com êxito\",\"Gyl1h8\":\"Image dimensions must be at least 600px by 300px\",\"TiGacZ\":\"Image dimensions must be at least 900px by 450px\",\"UnTvkH\":\"As dimensões da imagem devem estar entre 3000px e 2000px. Com uma altura máxima de 2000px e uma largura máxima de 3000px\",\"Mfbc2v\":\"As dimensões da imagem devem estar entre 4000px por 4000px. Com uma altura máxima de 4000px e uma largura máxima de 4000px\",\"uPEIvq\":\"A imagem deve ter menos de 5 MB\",\"AGZmwV\":\"Imagem carregada com sucesso\",\"ibi52/\":\"A largura da imagem deve ser de pelo menos 900px e a altura de pelo menos 50px\",\"NoNwIX\":\"Inativo\",\"T0K0yl\":\"Usuários inativos não podem fazer login.\",\"OFAmKP\":\"Include connection details for your online event\",\"BfPBBG\":\"Include connection details for your online event. These details will be after successful registration.\",\"6+pAOx\":\"Include connection details for your online event. These details will be shown after successful registration.\",\"evpD4c\":\"Inclua detalhes de conexão para seu evento on-line. Esses detalhes serão exibidos na página de resumo do pedido e na página do ingresso do participante\",\"FlQKnG\":\"Incluir impostos e taxas no preço\",\"AXTNr8\":[\"Inclui \",[\"0\"],\" ingressos\"],\"7/Rzoe\":\"Inclui 1 ingresso\",\"nbfdhU\":\"Integrações\",\"OyLdaz\":\"Convite reenviado!\",\"HE6KcK\":\"Convite revogado!\",\"SQKPvQ\":\"Convidar usuário\",\"PgdQrx\":\"Emitir reembolso\",\"KFXip/\":\"João\",\"XcgRvb\":\"Johnson\",\"1IWWYX\":[\"KittenTech Conference \",[\"0\"]],\"ZgJEMX\":\"KittenTech Conference Center\",\"87a/t/\":\"Rótulo\",\"vXIe7J\":\"Idioma\",\"I3yitW\":\"Último login\",\"1ZaQUH\":\"Sobrenome\",\"UXBCwc\":\"Sobrenome\",\"CKcupn\":\"Latest Orders\",\"tITjB1\":\"Saiba mais sobre o Stripe\",\"c+gAXc\":\"Let's get started by creating your first event\",\"vR92Yn\":\"Vamos começar criando seu primeiro organizador\",\"QfrKvi\":\"Link color\",\"wJijgU\":\"Localização\",\"sQia9P\":\"Fazer login\",\"zUDyah\":\"Login\",\"z0t9bb\":\"Login\",\"nOhz3x\":\"Sair\",\"F2jAFv\":\"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Nam placerat elementum...\",\"XkhEf9\":\"Lorem ipsum...\",\"MU3ijv\":\"Tornar essa pergunta obrigatória\",\"wckWOP\":\"Gerenciar\",\"8mmINh\":\"Manage billing information and view invoices\",\"jWIznR\":\"Manage default settings for new events\",\"n4SpU5\":\"Gerenciar evento\",\"wqyqaF\":\"Manage general account settings\",\"cQrNR3\":\"Gerenciar perfil\",\"f92Qak\":\"Manage taxes and fees which can be applied to tickets\",\"PlTcVr\":\"Gerenciar impostos e taxas que podem ser aplicados a seus bilhetes\",\"ophZVW\":\"Gerenciar tíquetes\",\"Wsx7Iu\":\"Manage users and their permissions\",\"DdHfeW\":\"Gerenciar os detalhes de sua conta e as configurações padrão\",\"QHcjP+\":\"Manage your billing and payment details\",\"S+UjNL\":\"Gerencie seus detalhes de pagamento do Stripe\",\"BfucwY\":\"Gerencie seus usuários e suas permissões\",\"1m+YT2\":\"As perguntas obrigatórias devem ser respondidas antes que o cliente possa fazer o checkout.\",\"Dim4LO\":\"Adicionar manualmente um participante\",\"e4KdjJ\":\"Adicionar participante manualmente\",\"lzcrX3\":\"A adição manual de um participante ajustará a quantidade de ingressos.\",\"g9dPPQ\":\"Máximo por pedido\",\"l5OcwO\":\"Participante da mensagem\",\"Gv5AMu\":\"Participantes da mensagem\",\"1jRD0v\":\"Enviar mensagens aos participantes com ingressos específicos\",\"Lvi+gV\":\"Comprador de mensagens\",\"tNZzFb\":\"Conteúdo da mensagem\",\"lYDV/s\":\"Mensagem para participantes individuais\",\"V7DYWd\":\"Mensagem enviada\",\"t7TeQU\":\"Mensagens\",\"xFRMlO\":\"Mínimo por pedido\",\"QYcUEf\":\"Preço mínimo\",\"mYLhkl\":\"Configurações diversas\",\"KYveV8\":\"Caixa de texto com várias linhas\",\"SVuGaP\":\"Multiple price options, users can choose which to pay\",\"6wbTro\":\"Várias opções de preço. Perfeito para ingressos antecipados etc.\",\"/bhMdO\":\"Minha incrível descrição do evento...\",\"vX8/tc\":\"Meu incrível título de evento...\",\"hKtWk2\":\"Meu perfil\",\"pRjx4L\":\"Nam placerat elementum...\",\"6YtxFj\":\"Nome\",\"hVuv90\":\"O nome deve ter menos de 150 caracteres\",\"AIUkyF\":\"Navegar até o participante\",\"qqeAJM\":\"Nunca\",\"7vhWI8\":\"Nova senha\",\"m920rF\":\"New York\",\"1UzENP\":\"Não\",\"LNWHXb\":\"Não há eventos arquivados para mostrar.\",\"Wjz5KP\":\"Não há participantes para mostrar\",\"Razen5\":\"Nenhum participante poderá se registrar antes desta data usando esta lista\",\"XUfgCI\":\"Sem Atribuições de Capacidade\",\"a/gMx2\":\"Nenhuma Lista de Registro\",\"fFeCKc\":\"Sem desconto\",\"HFucK5\":\"Não há eventos encerrados para mostrar.\",\"Z6ILSe\":\"Não há eventos para este organizador\",\"yAlJXG\":\"Nenhum evento para mostrar\",\"KPWxKD\":\"Nenhuma mensagem a ser exibida\",\"J2LkP8\":\"Não há ordens para mostrar\",\"+Y976X\":\"Não há códigos promocionais a serem exibidos\",\"Ev2r9A\":\"Nenhum resultado\",\"RHyZUL\":\"Nenhum resultado de pesquisa.\",\"cU1op4\":\"No Taxes or Fees have been added yet.\",\"RY2eP1\":\"Nenhum imposto ou taxa foi adicionado.\",\"uR2eFu\":\"No tickets available\",\"b7JZFg\":\"Sem ingressos para o show\",\"EdQY6l\":\"Nenhum\",\"OJx3wK\":\"Não disponível\",\"x5+Lcz\":\"Não registrado\",\"Scbrsn\":\"Não está à venda\",\"hFwWnI\":\"Configurações de notificação\",\"xXqEPO\":\"Notificar o comprador sobre o reembolso\",\"YpN29s\":\"Notificar o organizador sobre novos pedidos\",\"qeQhNj\":\"Agora vamos criar seu primeiro evento\",\"2NPDz1\":\"À venda\",\"Ldu/RI\":\"À venda\",\"Ug4SfW\":\"Depois de criar um evento, você o verá aqui.\",\"+P/tII\":\"Quando estiver pronto, defina seu evento como ativo e comece a vender ingressos.\",\"J6n7sl\":\"Em andamento\",\"z+nuVJ\":\"Evento on-line\",\"WKHW0N\":\"Detalhes do evento on-line\",\"/xkmKX\":\"Somente e-mails importantes, diretamente relacionados a esse evento, devem ser enviados por meio desse formulário.\\nQualquer uso indevido, inclusive o envio de e-mails promocionais, levará ao banimento imediato da conta.\",\"Qqqrwa\":\"Abrir página de check-in\",\"OdnLE4\":\"Abrir barra lateral\",\"ZZEYpT\":[\"Opção \",[\"i\"]],\"0zpgxV\":\"Opções\",\"BzEFor\":\"ou\",\"UYUgdb\":\"Pedido\",\"mm+eaX\":\"Pedido\",\"B3gPuX\":\"Pedido cancelado\",\"SIbded\":\"Pedido concluído\",\"q/CcwE\":\"Data do pedido\",\"Tol4BF\":\"Detalhes do pedido\",\"L4kzeZ\":[\"Detalhes do pedido \",[\"0\"]],\"WbImlQ\":\"O pedido foi cancelado e o proprietário do pedido foi notificado.\",\"VCOi7U\":\"Perguntas sobre o pedido\",\"wg9MPp\":\"Order questions are asked once per order. By default, people are asked for their first name, last name, and email address.\",\"+KNVxX\":\"Order questions are asked once per order. By default, we ask for the first name, last name, and email address.\",\"TPoYsF\":\"Referência do pedido\",\"GX6dZv\":\"Resumo do pedido\",\"tDTq0D\":\"Tempo limite do pedido\",\"1h+RBg\":\"Pedidos\",\"mz+c33\":\"Ordens criadas\",\"G5RhpL\":\"Organizador\",\"m/ebSk\":\"Organizer Details\",\"mYygCM\":\"É necessário um organizador\",\"Pa6G7v\":\"Nome do organizador\",\"J2cXxX\":\"Os organizadores só podem gerenciar eventos e ingressos. Eles não podem gerenciar usuários, configurações de conta ou informações de cobrança.\",\"fdjq4c\":\"Acolchoamento\",\"ErggF8\":\"Cor de fundo da página\",\"8F1i42\":\"Página não encontrada\",\"QbrUIo\":\"Visualizações de página\",\"6D8ePg\":\"página.\",\"IkGIz8\":\"pago\",\"2w/FiJ\":\"Bilhete pago\",\"8ZsakT\":\"Senha\",\"TUJAyx\":\"A senha deve ter um mínimo de 8 caracteres\",\"vwGkYB\":\"A senha deve ter pelo menos 8 caracteres\",\"BLTZ42\":\"Redefinição de senha bem-sucedida. Faça login com sua nova senha.\",\"f7SUun\":\"As senhas não são as mesmas\",\"aEDp5C\":\"Cole-o onde você deseja que o widget apareça.\",\"+23bI/\":\"Patrick\",\"iAS9f2\":\"patrick@acme.com\",\"iq5IUr\":\"Pause Ticket\",\"621rYf\":\"Pagamento\",\"JhtZAK\":\"Falha no pagamento\",\"xgav5v\":\"O pagamento foi bem-sucedido!\",\"CcK+Ft\":\"PDF\",\"att1Hj\":\"percent\",\"/roQKz\":\"Porcentagem\",\"vPJ1FI\":\"Porcentagem Valor\",\"xdA9ud\":\"Coloque isso no de seu site.\",\"blK94r\":\"Adicione pelo menos uma opção\",\"FJ9Yat\":\"Verifique se as informações fornecidas estão corretas\",\"TkQVup\":\"Verifique seu e-mail e senha e tente novamente\",\"sMiGXD\":\"Verifique se seu e-mail é válido\",\"Ajavq0\":\"Verifique seu e-mail para confirmar seu endereço de e-mail\",\"MdfrBE\":\"Preencha o formulário abaixo para aceitar seu convite\",\"b1Jvg+\":\"Continue na nova guia\",\"q40YFl\":\"Please continue your order in the new tab\",\"cdR8d6\":\"Por favor, crie um ingresso\",\"ZJG4Di\":\"Please ensure you only send emails directly related to the order. Promotional emails\\nshould not be sent using this form.\",\"o+HaYe\":\"Please enter a valid promo code\",\"HnNept\":\"Digite sua nova senha\",\"5FSIzj\":\"Observação\",\"MA04r/\":\"Remova os filtros e defina a classificação como \\\"Ordem da página inicial\\\" para ativar a classificação\",\"pJLvdS\":\"Selecione\",\"yygcoG\":\"Selecione pelo menos um ingresso\",\"igBrCH\":\"Verifique seu endereço de e-mail para acessar todos os recursos\",\"MOERNx\":\"Português\",\"R7+D0/\":\"Português (Brasil)\",\"qCJyMx\":\"Mensagem de pós-cheque\",\"g2UNkE\":\"Desenvolvido por\",\"Qs7yI0\":\"Powered By\",\"lqAWKB\":\"Powered by <0>Hi.Events 👋\",\"3n47kV\":\"Powered By Hi.Events\",\"ddi4j4\":\"Desenvolvido por Stripe\",\"Rs7IQv\":\"Mensagem de pré-checkout\",\"rdUucN\":\"Prévia\",\"a7u1N9\":\"Preço\",\"CmoB9j\":\"Modo de exibição de preço\",\"Q8PWaJ\":\"Níveis de preço\",\"a5jvSX\":\"Price Tiers\",\"6RmHKN\":\"Cor primária\",\"G/ZwV1\":\"Cor primária\",\"8cBtvm\":\"Cor primária do texto\",\"BZz12Q\":\"Imprimir\",\"MT7dxz\":\"Imprimir todos os ingressos\",\"N0qXpE\":\"Products\",\"vERlcd\":\"Perfil\",\"kUlL8W\":\"Perfil atualizado com sucesso\",\"cl5WYc\":[\"Código promocional \",[\"promo_code\"],\" aplicado\"],\"ZXpm3a\":[\"Promo \",[\"promoCode\"],\" code applied\"],\"yKWfjC\":\"Página do código promocional\",\"RVb8Fo\":\"Códigos promocionais\",\"BZ9GWa\":\"Os códigos promocionais podem ser usados para oferecer descontos, acesso de pré-venda ou acesso especial ao seu evento.\",\"4kyDD5\":\"Forneça contexto adicional ou instruções para esta pergunta. Use este campo para adicionar termos e condições, diretrizes ou qualquer informação importante que os participantes precisem saber antes de responder.\",\"812gwg\":\"Licença de compra\",\"LkMOWF\":\"Quantidade disponível\",\"XKJuAX\":\"Pergunta excluída\",\"avf0gk\":\"Descrição da pergunta\",\"oQvMPn\":\"Título da pergunta\",\"enzGAL\":\"Perguntas\",\"K885Eq\":\"Perguntas classificadas com sucesso\",\"OMJ035\":\"Opção de rádio\",\"C4TjpG\":\"Leia menos\",\"I3QpvQ\":\"Beneficiário\",\"N2C89m\":\"Referência\",\"gxFu7d\":[\"Valor do reembolso (\",[\"0\"],\")\"],\"n10yGu\":\"Pedido de reembolso\",\"zPH6gp\":\"Pedido de reembolso\",\"/BI0y9\":\"Reembolsado\",\"fgLNSM\":\"Registro\",\"tasfos\":\"remover\",\"t/YqKh\":\"Remover\",\"RloWNu\":\"Reply to email\",\"EGm34e\":\"Reenviar e-mail de confirmação\",\"lnrkNz\":\"Reenviar confirmação por e-mail\",\"wIa8Qe\":\"Reenviar convite\",\"VeKsnD\":\"Reenviar e-mail de pedido\",\"dFuEhO\":\"Reenviar o e-mail do tíquete\",\"o6+Y6d\":\"Reenvio...\",\"RfwZxd\":\"Redefinir senha\",\"KbS2K9\":\"Redefinir senha\",\"e99fHm\":\"Restaurar evento\",\"vtc20Z\":\"Retornar à página do evento\",\"8YBH95\":\"Receita\",\"PO/sOY\":\"Revogar convite\",\"GDvlUT\":\"Função\",\"ELa4O9\":\"Data de término da venda\",\"5uo5eP\":\"Venda encerrada\",\"Qm5XkZ\":\"Data de início da venda\",\"hVF4dJ\":\"Sale starts\",\"hBsw5C\":\"Vendas encerradas\",\"kpAzPe\":\"Início das vendas\",\"P/wEOX\":\"São Francisco\",\"tfDRzk\":\"Salvar\",\"IUwGEM\":\"Salvar alterações\",\"U65fiW\":\"Salvar organizador\",\"UGT5vp\":\"Salvar configurações\",\"ovB7m2\":\"Escanear código QR\",\"lBAlVv\":\"Pesquise por nome, número do pedido, número do participante ou e-mail...\",\"W4kWXJ\":\"Pesquise por nome do participante, e-mail ou número do pedido...\",\"ulAuWO\":\"Search by event name or description...\",\"+pr/FY\":\"Pesquisar por nome de evento...\",\"NQSiYb\":\"Search by name or description...\",\"3zRbWw\":\"Pesquise por nome, e-mail ou número do pedido...\",\"BiYOdA\":\"Pesquisar por nome...\",\"B1bB1j\":\"Search by order #, name or email...\",\"KZpERn\":\"Search by product name...\",\"jA4hXE\":\"Search by subject or body...\",\"YEjitp\":\"Pesquise por assunto ou conteúdo...\",\"HYnGee\":\"Pesquisar por nome de bilhete...\",\"Pjsch9\":\"Pesquisar atribuições de capacidade...\",\"r9M1hc\":\"Pesquisar listas de registro...\",\"YIix5Y\":\"Pesquisar...\",\"OeW+DS\":\"Cor secundária\",\"DnXcDK\":\"Cor secundária\",\"cZF6em\":\"Cor do texto secundário\",\"ZIgYeg\":\"Cor do texto secundário\",\"QuNKRX\":\"Selecione a câmera\",\"kWI/37\":\"Selecione o organizador\",\"hAjDQy\":\"Selecionar status\",\"QYARw/\":\"Selecionar bilhete\",\"XH5juP\":\"Selecione o nível do ingresso\",\"OMX4tH\":\"Selecionar ingressos\",\"nuWxSr\":\"Select Tickets\",\"O/7I0o\":\"Selecione...\",\"JlFcis\":\"Enviar\",\"qKWv5N\":[\"Enviar uma cópia para <0>\",[\"0\"],\"\"],\"RktTWf\":\"Enviar uma mensagem\",\"/mQ/tD\":\"Enviar como um teste. Isso enviará a mensagem para seu endereço de e-mail em vez de para os destinatários.\",\"471O/e\":\"Send confirmation email\",\"M/WIer\":\"Enviar Mensagem\",\"D7ZemV\":\"Enviar e-mail de confirmação do pedido e do tíquete\",\"v1rRtW\":\"Enviar teste\",\"j1VfcT\":\"Descrição de SEO\",\"/SIY6o\":\"Palavras-chave de SEO\",\"GfWoKv\":\"Configurações de SEO\",\"rXngLf\":\"Título SEO\",\"/jZOZa\":\"Taxa de serviço\",\"vu4F0h\":\"Set a minimum price and let users donate more\",\"Bj/QGQ\":\"Defina um preço mínimo e permita que os usuários paguem mais se quiserem\",\"nYNT+5\":\"Prepare seu evento\",\"A8iqfq\":\"Defina seu evento ao vivo\",\"Tz0i8g\":\"Configurações\",\"Z8lGw6\":\"Compartilhar\",\"FFbYHm\":[\"Should this \",[\"type\"],\" be applied to all new tickets?\"],\"8vETh9\":\"Mostrar\",\"smd87r\":\"Mostrar a quantidade de ingressos disponíveis\",\"qDsmzu\":\"Mostrar perguntas ocultas\",\"fMPkxb\":\"Mostrar mais\",\"izwOOD\":\"Mostrar impostos e taxas separadamente\",\"j3b+OW\":\"Mostrado ao cliente após o checkout, na página de resumo do pedido\",\"YfHZv0\":\"Mostrado ao cliente antes do checkout\",\"CBBcly\":\"Mostra campos de endereço comuns, incluindo o país\",\"yTnnYg\":\"Simpson\",\"TNaCfq\":\"Caixa de texto de linha única\",\"+P0Cn2\":\"Pular esta etapa\",\"YSEnLE\":\"Smith\",\"lgFfeO\":\"Esgotado\",\"Mi1rVn\":\"Esgotado\",\"nwtY4N\":\"Algo deu errado\",\"GRChTw\":\"Algo deu errado ao excluir o imposto ou a taxa\",\"YHFrbe\":\"Algo deu errado! Por favor, tente novamente\",\"kf83Ld\":\"Algo deu errado.\",\"fWsBTs\":\"Algo deu errado. Tente novamente.\",\"F6YahU\":\"Desculpe, algo deu errado. Reinicie o processo de checkout.\",\"KWgppI\":\"Desculpe, algo deu errado ao carregar esta página.\",\"/TCOIK\":\"Desculpe, este pedido não existe mais.\",\"DvCwYF\":\"Sorry, this promo code is invalid'\",\"6a/UJE\":\"Desculpe, este código promocional não é reconhecido\",\"9rRZZ+\":\"Desculpe, seu pedido expirou. Por favor, inicie um novo pedido.\",\"a4SyEE\":\"A classificação é desativada enquanto os filtros e a classificação são aplicados\",\"65A04M\":\"Espanhol\",\"4nG1lG\":\"Bilhete padrão com preço fixo\",\"D3iCkb\":\"Data de início\",\"RS0o7b\":\"State\",\"/2by1f\":\"Estado ou região\",\"uAQUqI\":\"Status\",\"UJmAAK\":\"Assunto\",\"X2rrlw\":\"Subtotal\",\"b0HJ45\":[\"Sucesso! \",[\"0\"],\" receberá um e-mail em breve.\"],\"BJIEiF\":[\"Participante com sucesso \",[\"0\"]],\"Ih8kN0\":[\"Successfully $\",[\"0\"],\" attendee\"],\"xHl17l\":[\"Verificado com sucesso <0>\",[\"0\"],\" \",[\"1\"],\" \",[\"2\"]],\"OtgNFx\":\"Endereço de e-mail confirmado com sucesso\",\"IKwyaF\":\"Alteração de e-mail confirmada com sucesso\",\"zLmvhE\":\"Participante criado com sucesso\",\"9mZEgt\":\"Código promocional criado com sucesso\",\"aIA9C4\":\"Pergunta criada com sucesso\",\"onFQYs\":\"Ticket criado com sucesso\",\"Hgj/mB\":\"Successfully deleted ticket\",\"J3RJSZ\":\"Participante atualizado com sucesso\",\"3suLF0\":\"Atribuição de Capacidade atualizada com sucesso\",\"Z+rnth\":\"Lista de Registro atualizada com sucesso\",\"vzJenu\":\"Configurações de e-mail atualizadas com sucesso\",\"7kOMfV\":\"Evento atualizado com sucesso\",\"G0KW+e\":\"Design da página inicial atualizado com sucesso\",\"k9m6/E\":\"Configurações da página inicial atualizadas com sucesso\",\"y/NR6s\":\"Localização atualizada com sucesso\",\"73nxDO\":\"Configurações diversas atualizadas com sucesso\",\"70dYC8\":\"Código promocional atualizado com sucesso\",\"F+pJnL\":\"Configurações de SEO atualizadas com sucesso\",\"g2lRrH\":\"Ticket atualizado com sucesso\",\"DXZRk5\":\"Suíte 100\",\"GNcfRk\":\"E-mail de suporte\",\"JpohL9\":\"Imposto\",\"geUFpZ\":\"Impostos e taxas\",\"0RXCDo\":\"Imposto ou taxa excluído com êxito\",\"ZowkxF\":\"Impostos\",\"EEZnW+\":\"Taxes & Fees\",\"qu6/03\":\"Impostos e taxas\",\"gVjSFp\":\"Taxes and Fees can be associated with tickets and will be added to the ticket price.\",\"e0ZSh4\":\"Text Colour\",\"gypigA\":\"Esse código promocional é inválido\",\"0ozSQu\":\"The background color for the event homepage\",\"LbHWgW\":\"The background color for the ticket widget on the event homepage\",\"75Xclv\":\"The basic details of your event\",\"5ShqeM\":\"A lista de check-in que você está procurando não existe.\",\"UNqHnV\":\"The color of the buttons on the event homepage\",\"0amhbL\":\"The color of the links on the event homepage\",\"QXlz+n\":\"A moeda padrão para seus eventos.\",\"mnafgQ\":\"O fuso horário padrão para seus eventos.\",\"o7s5FA\":\"O idioma em que o participante receberá e-mails.\",\"NlfnUd\":\"O link em que você clicou é inválido.\",\"FqjKfd\":\"The location of your event\",\"kIXEVN\":[\"O número máximo de ingressos para \",[\"0\"],\" é \",[\"1\"]],\"FeAfXO\":[\"O número máximo de bilhetes para os Generais é \",[\"0\"]],\"POEqXB\":\"The organizer details of your event\",\"TSAiPM\":\"A página que você está procurando não existe\",\"MSmKHn\":\"O preço exibido para o cliente incluirá impostos e taxas.\",\"6zQOg1\":\"O preço exibido para o cliente não inclui impostos e taxas. Eles serão exibidos separadamente\",\"ne/9Ur\":\"As configurações de estilo que você escolher se aplicam somente ao HTML copiado e não serão armazenadas.\",\"TJZByZ\":\"The tax and fee to apply to this ticket. You can create new taxes and fees on the\",\"OJYwh9\":\"Os impostos e as taxas a serem aplicados a esse tíquete. Você pode criar novos impostos e taxas na seção\",\"6BpBfZ\":\"The text color for the event homepage\",\"rljHp7\":\"The text color for the ticket widget on the event homepage\",\"s4di40\":\"The text to display in the 'Continue' button. Defaults to 'Continue'\",\"esY5SG\":\"O título do evento que será exibido nos resultados dos mecanismos de pesquisa e ao compartilhar nas mídias sociais. Por padrão, o título do evento será usado\",\"wgAiDb\":\"The user must login to change their email.\",\"jvxN9/\":\"Não há ingressos disponíveis para este evento\",\"rMcHYt\":\"Há um reembolso pendente. Aguarde a conclusão do processo antes de solicitar outro reembolso.\",\"hjLUr+\":\"There was an error loading this content. Please refresh the page and try again.\",\"68Axnm\":\"Ocorreu um erro ao processar sua solicitação. Tente novamente.\",\"mVKOW6\":\"Ocorreu um erro ao enviar sua mensagem\",\"Um/adz\":\"These allow multiple selections\",\"vWeHWp\":\"These colors are not saved in our system.\",\"7qzHGS\":\"These colors are not saved in our system. They are only used to generate the widget.\",\"xxv3BZ\":\"Esta lista de registro expirou\",\"Sa7w7S\":\"Esta lista de registro expirou e não está mais disponível para registros.\",\"Uicx2U\":\"Esta lista de registro está ativa\",\"1k0Mp4\":\"Esta lista de registro ainda não está ativa\",\"K6fmBI\":\"Esta lista de registro ainda não está ativa e não está disponível para registros.\",\"t/ePFj\":\"Esta descrição será mostrada à equipe de registro\",\"MLTkH7\":\"Esse e-mail não é promocional e está diretamente relacionado ao evento.\",\"2eIpBM\":\"Esse evento não está disponível no momento. Por favor, volte mais tarde.\",\"Z6LdQU\":\"Esse evento não está disponível.\",\"CNk/ro\":\"Este é um evento on-line\",\"GabtCa\":\"This is the email address that will be used as the reply-to address for all emails sent from this event\",\"FwXnJd\":\"Esta lista não estará mais disponível para registros após esta data\",\"CKkb5E\":\"This message is how below the\",\"cHO4ec\":\"Essa mensagem será incluída no rodapé de todos os e-mails enviados a partir desse evento\",\"RjwlZt\":\"Esse pedido já foi pago.\",\"axERYu\":\"This order has already been paid. <0>View order details\",\"wY+HO9\":\"This order has already been processed.\",\"5K8REg\":\"Esse pedido já foi reembolsado.\",\"OiQMhP\":\"Este pedido foi cancelado\",\"YyEJij\":\"Esse pedido foi cancelado.\",\"D44cEI\":\"This order has been completed.\",\"HILpDX\":\"Este pedido está aguardando pagamento\",\"0vRWbB\":\"This order is awaiting payment.\",\"BdYtn9\":\"Este pedido está completo\",\"e3uMJH\":\"Esse pedido está concluído.\",\"YNKXOK\":\"Este pedido está sendo processado.\",\"LIjb4v\":\"This order is processing. TODO - a nice image and poll the API\",\"yPZN4i\":\"Essa página de pedidos não está mais disponível.\",\"5189cf\":\"Isso substitui todas as configurações de visibilidade e oculta o tíquete de todos os clientes.\",\"4vwjho\":\"This page has expired. <0>View order details\",\"Qt7RBu\":\"Esta pergunta é visível apenas para o organizador do evento\",\"os29v1\":\"Este link de redefinição de senha é inválido ou expirou.\",\"WJqBqd\":\"Esse tíquete não pode ser excluído porque está\\nassociado a um pedido. Em vez disso, você pode ocultá-lo.\",\"ma6qdu\":\"Esse tíquete está oculto da visualização pública\",\"xJ8nzj\":\"Esse tíquete está oculto, a menos que seja direcionado por um código promocional\",\"IV9xTT\":\"Esse usuário não está ativo, pois não aceitou o convite.\",\"5AnPaO\":\"ingresso\",\"kjAL4v\":\"Bilhete\",\"KosivG\":\"Ticket excluído com sucesso\",\"dtGC3q\":\"O e-mail do ingresso foi reenviado ao participante\",\"USk+Mn\":\"Ticket page message\",\"mRM6XH\":\"Venda de ingressos\",\"NirIiz\":\"Nível do ingresso\",\"8jLPgH\":\"Tipo de bilhete\",\"jqWDf9\":\"Ticket widget background color\",\"UrMVAz\":\"Visualização do widget de ingressos\",\"ngtDy7\":\"Ticket widget text color\",\"N+YYpo\":\"Bilhete(s)\",\"6GQNLE\":\"Ingressos\",\"54q0zp\":\"Ingressos para\",\"ikA//P\":\"ingressos vendidos\",\"i+idBz\":\"Ingressos vendidos\",\"AGRilS\":\"Ingressos vendidos\",\"56Qw2C\":\"Ingressos classificados com sucesso\",\"4f8A8M\":\"Tickets to which the promo code applies (Applies to all by default)\",\"xN9AhL\":[\"Nível \",[\"0\"]],\"oYaHuq\":\"Bilhete em camadas\",\"XZrhpz\":\"Tiered Ticket - Coming Soon\",\"4M150e\":\"Os ingressos em camadas permitem que você ofereça várias opções de preço para o mesmo ingresso.\\nIsso é perfeito para ingressos antecipados ou para oferecer opções de preços diferentes\\npara diferentes grupos de pessoas.\",\"jQoYTX\":\"Tiered tickets allow you to offer multiple price options for the same ticket. This is perfect for early bird tickets or offering different price options for different groups of people.\",\"s/0RpH\":\"Tempos usados\",\"40Gx0U\":\"Fuso horário\",\"oDGm7V\":\"DICA\",\"MHrjPM\":\"Título\",\"xdA/+p\":\"Ferramentas\",\"72c5Qo\":\"Total\",\"BxsfMK\":\"Total de taxas\",\"mpB/d9\":\"Valor total do pedido\",\"m3FM1g\":\"Total reembolsado\",\"GBBIy+\":\"Total restante\",\"/SgoNA\":\"Imposto total\",\"+zy2Nq\":\"Tipo\",\"mLGbAS\":[\"Não foi possível acessar \",[\"0\"],\" participante\"],\"FMdMfZ\":\"Não foi possível registrar o participante\",\"bPWBLL\":\"Não foi possível retirar o participante\",\"/cSMqv\":\"Não foi possível criar a pergunta. Por favor, verifique seus detalhes\",\"nNdxt9\":\"Não foi possível criar o tíquete. Por favor, verifique seus detalhes\",\"MH/lj8\":\"Não foi possível atualizar a pergunta. Verifique seus detalhes\",\"Mqy/Zy\":\"Estados Unidos\",\"NIuIk1\":\"Ilimitado\",\"/p9Fhq\":\"Ilimitados disponíveis\",\"oMcLhS\":\"Unlimited ticket quantity available\",\"E0q9qH\":\"Permite usos ilimitados\",\"ia8YsC\":\"Próximos\",\"TlEeFv\":\"Próximos eventos\",\"L/gNNk\":[\"Atualizar \",[\"0\"]],\"+qqX74\":\"Atualizar o nome, a descrição e as datas do evento\",\"vXPSuB\":\"Atualizar perfil\",\"gsehpV\":\"Upload an image to be displayed on the event page\",\"BNBfrU\":\"Carregar capa\",\"UtDm3q\":\"URL copiado para a área de transferência\",\"e5lF64\":\"Exemplo de uso\",\"sGEOe4\":\"Use uma versão desfocada da imagem da capa como plano de fundo\",\"OadMRm\":\"Usar imagem de capa\",\"7PzzBU\":\"Usuário\",\"yDOdwQ\":\"Gerenciamento de usuários\",\"Sxm8rQ\":\"Usuários\",\"VEsDvU\":\"Os usuários podem alterar seu e-mail em <0>Configurações de perfil\",\"vgwVkd\":\"UTC\",\"khBZkl\":\"IVA\",\"E/9LUk\":\"Nome do local\",\"AM+zF3\":\"Ver participante\",\"e4mhwd\":\"Exibir a página inicial do evento\",\"/5PEQz\":\"Exibir página do evento\",\"fFornT\":\"Ver mensagem completa\",\"YIsEhQ\":\"Ver mapa\",\"Ep3VfY\":\"Exibir no Google Maps\",\"AMkkeL\":\"Ver pedido\",\"Y8s4f6\":\"Exibir detalhes do pedido\",\"QIWCnW\":\"Lista de check-in VIP\",\"tF+VVr\":\"Ingresso VIP\",\"2q/Q7x\":\"Visibilidade\",\"vmOFL/\":\"Não foi possível processar seu pagamento. Tente novamente ou entre em contato com o suporte.\",\"1E0vyy\":\"Não foi possível carregar os dados. Por favor, tente novamente.\",\"VGioT0\":\"Recomendamos dimensões de 2160px por 1080px e um tamanho máximo de arquivo de 5 MB\",\"b9UB/w\":\"Usamos o Stripe para processar pagamentos. Conecte sua conta Stripe para começar a receber pagamentos.\",\"01WH0a\":\"Não foi possível confirmar seu pagamento. Tente novamente ou entre em contato com o suporte.\",\"Gspam9\":\"Estamos processando seu pedido. Por favor, aguarde...\",\"LuY52w\":\"Bem-vindo a bordo! Faça login para continuar.\",\"dVxpp5\":[\"Bem-vindo de volta\",[\"0\"],\" 👋\"],\"NxOVCl\":[\"Bem-vindo à Hi.Events, \",[\"0\"],\" 👋\"],\"wjqPqF\":\"O que são tíquetes escalonados?\",\"f1jUC0\":\"Em que data esta lista de registro deve se tornar ativa?\",\"5iXvHA\":\"What is a Tiered Ticketing?\",\"MhhnvW\":\"A quais tickets esse código se aplica? (Aplica-se a todos por padrão)\",\"dCil3h\":\"A quais tíquetes essa pergunta deve ser aplicada?\",\"Rb0XUE\":\"A que horas você chegará?\",\"5N4wLD\":\"Que tipo de pergunta é essa?\",\"D7C6XV\":\"Quando esta lista de registro deve expirar?\",\"FVetkT\":\"Quais ingressos devem ser associados a esta lista de registro?\",\"S+OdxP\":\"Quem está organizando esse evento?\",\"LINr2M\":\"Para quem é essa mensagem?\",\"nWhye/\":\"A quem deve ser feita essa pergunta?\",\"vVGiM4\":\"Who type of question is this?\",\"onLsWS\":\"Whoops! something went wrong. Please try again or contact support if the problem persists.\",\"AHXN2z\":\"Widget\",\"AU/8QR\":\"Widget Configuration\",\"VxFvXQ\":\"Incorporação de widgets\",\"v1P7Gm\":\"Configurações do widget\",\"b4itZn\":\"Trabalho\",\"hqmXmc\":\"Trabalhando...\",\"l75CjT\":\"Sim\",\"QcwyCh\":\"Sim, remova-os\",\"ySeBKv\":\"Você já escaneou este ingresso\",\"P+Sty0\":[\"Você está alterando seu e-mail para <0>\",[\"0\"],\".\"],\"gGhBmF\":\"Você está offline\",\"4ysd6z\":\"You can connecting using this Zoom link...\",\"9HGdDw\":\"Você pode criar um código promocional direcionado a esse tíquete no\",\"KRhIxT\":\"Agora você pode começar a receber pagamentos por meio do Stripe.\",\"UqVaVO\":\"Você não pode alterar o tipo de tíquete, pois há participantes associados a esse tíquete.\",\"zQ8idk\":\"You cannot change the ticket type because there are already tickets sold for this ticket.\",\"3vRX5A\":\"Você não pode apagar essa camada de preço porque já existem tickets vendidos para essa camada. Em vez disso, você pode ocultá-la.\",\"RCC09s\":\"You cannot edit a default question\",\"tFbRKJ\":\"Não é possível editar a função ou o status do proprietário da conta.\",\"fHfiEo\":\"Não é possível reembolsar um pedido criado manualmente.\",\"hK9c7R\":\"Você criou uma pergunta oculta, mas desativou a opção de mostrar perguntas ocultas. Ela foi ativada.\",\"NOaWRX\":\"Você não tem permissão para acessar esta página\",\"BRArmD\":\"Você tem acesso a várias contas. Escolha uma para continuar.\",\"Z6q0Vl\":\"Você já aceitou este convite. Faça login para continuar.\",\"rdk1xK\":\"Você conectou sua conta Stripe\",\"ofEncr\":\"Você não tem perguntas para os participantes.\",\"XoeazJ\":\"You have no attendee questions. Attendee questions are asked once per attendee.\",\"CoZHDB\":\"Você não tem perguntas sobre o pedido.\",\"FZKDIe\":\"You have no order questions. Order questions are asked once per order.\",\"15qAvl\":\"Você não tem nenhuma alteração de e-mail pendente.\",\"n81Qk8\":\"Você não concluiu a configuração do Stripe Connect\",\"jxsiqJ\":\"Você não conectou sua conta Stripe\",\"183zcL\":\"Você tem impostos e taxas adicionados a uma passagem gratuita. Gostaria de removê-los ou ocultá-los?\",\"2v5MI1\":\"Você ainda não enviou nenhuma mensagem. Você pode enviar mensagens para todos os participantes ou para portadores de ingressos específicos.\",\"R6i9o9\":\"Você deve estar ciente de que este e-mail não é promocional\",\"3ZI8IL\":\"Você deve concordar com os termos e condições\",\"dMd3Uf\":\"Você deve confirmar seu endereço de e-mail antes que seu evento possa ser publicado.\",\"H35u3n\":\"Você deve criar um tíquete antes de adicionar manualmente um participante.\",\"jE4Z8R\":\"Você deve ter pelo menos um nível de preço\",\"LRguuL\":\"You must have at least one tier\",\"8/eLoa\":\"Você precisa verificar sua conta para poder enviar mensagens.\",\"L/+xOk\":\"Você precisará de um ingresso antes de poder criar uma lista de registro.\",\"8QNzin\":\"Você precisará de um ingresso antes de poder criar uma atribuição de capacidade.\",\"WHXRMI\":\"Você precisará de pelo menos um tíquete para começar. Gratuito, pago ou deixe o usuário decidir quanto pagar.\",\"bdg03s\":\"Your account email in outgoing emails.\",\"ROR8QD\":\"O nome de sua conta é usado nas páginas do evento e nos e-mails.\",\"veessc\":\"Os participantes aparecerão aqui assim que se registrarem no evento. Você também pode adicionar participantes manualmente.\",\"Eh5Wrd\":\"Seu site é incrível 🎉\",\"lkMK2r\":\"Seus detalhes\",\"3ENYTQ\":[\"Sua solicitação de alteração de e-mail para <0>\",[\"0\"],\" está pendente. Verifique seu e-mail para confirmar\"],\"yZfBoy\":\"Sua mensagem foi enviada\",\"la26JS\":\"Your order is in progress\",\"7YJdgG\":\"Seus pedidos aparecerão aqui assim que começarem a chegar.\",\"9TO8nT\":\"Sua senha\",\"P8hBau\":\"Seu pagamento está sendo processado.\",\"UdY1lL\":\"Seu pagamento não foi bem-sucedido, tente novamente.\",\"fzuM26\":\"Seu pagamento não foi bem-sucedido. Por favor, tente novamente.\",\"cJ4Y4R\":\"Seu reembolso está sendo processado.\",\"IFHV2p\":\"Seu ingresso para\",\"3k7HDY\":\"Zip\",\"BM/KQm\":\"CEP ou código postal\",\"VftCuk\":\"Zoom link, Google Meet link, etc.\"}")}; \ No newline at end of file diff --git a/frontend/src/locales/pt-br.po b/frontend/src/locales/pt-br.po index cba3d89f..63bd726a 100644 --- a/frontend/src/locales/pt-br.po +++ b/frontend/src/locales/pt-br.po @@ -29,7 +29,7 @@ msgstr "{0} <0>registrado com sucesso" msgid "{0} <0>checked out successfully" msgstr "{0} <0>desmarcado com sucesso" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:298 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:305 msgid "{0} available" msgstr "{0} disponível" @@ -218,7 +218,7 @@ msgstr "Conta" msgid "Account Name" msgstr "Nome da conta" -#: src/components/common/GlobalMenu/index.tsx:24 +#: src/components/common/GlobalMenu/index.tsx:32 #: src/components/routes/account/ManageAccount/index.tsx:19 msgid "Account Settings" msgstr "Configurações da conta" @@ -361,7 +361,7 @@ msgstr "Incrível, Evento, Palavras-chave..." #: src/components/common/OrdersTable/index.tsx:152 #: src/components/forms/TaxAndFeeForm/index.tsx:71 -#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:35 +#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:36 msgid "Amount" msgstr "Valor" @@ -405,7 +405,7 @@ msgstr "Todas as dúvidas dos portadores de ingressos serão enviadas para esse msgid "Appearance" msgstr "Aparência" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:367 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:377 msgid "applied" msgstr "aplicado" @@ -417,7 +417,7 @@ msgstr "Aplica-se a {0} ingressos" msgid "Applies to 1 ticket" msgstr "Aplica-se a 1 ingresso" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:395 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:405 msgid "Apply Promo Code" msgstr "Aplicar código promocional" @@ -745,7 +745,7 @@ msgstr "Cidade" msgid "Clear Search Text" msgstr "Limpar texto de pesquisa" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:265 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:266 msgid "click here" msgstr "clique aqui" @@ -863,7 +863,7 @@ msgstr "Cor de fundo do conteúdo" #: src/components/common/WidgetEditor/index.tsx:31 #: src/components/common/WidgetEditor/index.tsx:217 #: src/components/layouts/Checkout/CheckoutFooter/index.tsx:36 -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:353 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:363 msgid "Continue" msgstr "Continuar" @@ -986,6 +986,10 @@ msgstr "Criar novo" msgid "Create Organizer" msgstr "Criar organizador" +#: src/components/routes/event/products.tsx:50 +msgid "Create Product" +msgstr "" + #: src/components/modals/CreatePromoCodeModal/index.tsx:51 #: src/components/modals/CreatePromoCodeModal/index.tsx:56 msgid "Create Promo Code" @@ -1160,7 +1164,7 @@ msgstr "Desconto em {0}" msgid "Discount Type" msgstr "Tipo de desconto" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:274 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:275 msgid "Dismiss" msgstr "Dispensar" @@ -1576,7 +1580,7 @@ msgstr "Esqueceu a senha?" #: src/components/common/OrderSummary/index.tsx:99 #: src/components/common/TicketsTable/SortableTicket/index.tsx:88 #: src/components/common/TicketsTable/SortableTicket/index.tsx:102 -#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:51 +#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:52 msgid "Free" msgstr "Grátis" @@ -1625,7 +1629,7 @@ msgstr "Vendas brutas" msgid "Guests" msgstr "Convidados" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:362 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:372 msgid "Have a promo code?" msgstr "Tem um código promocional?" @@ -1676,7 +1680,7 @@ msgid "Hidden questions are only visible to the event organizer and not to the c msgstr "As perguntas ocultas são visíveis apenas para o organizador do evento e não para o cliente." #: src/components/forms/TicketForm/index.tsx:289 -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:332 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:342 msgid "Hide" msgstr "Esconder" @@ -1760,7 +1764,7 @@ msgstr "https://example-maps-service.com/..." msgid "I agree to the <0>terms and conditions" msgstr "Eu concordo com os <0>termos e condições" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:261 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:262 msgid "If a new tab did not open, please <0><1>{0}." msgstr "Se uma nova guia não foi aberta, por favor <0><1>{0}." @@ -1914,7 +1918,7 @@ msgstr "Login" msgid "Login" msgstr "Login" -#: src/components/common/GlobalMenu/index.tsx:29 +#: src/components/common/GlobalMenu/index.tsx:47 msgid "Logout" msgstr "Sair" @@ -2047,7 +2051,7 @@ msgstr "Minha incrível descrição do evento..." msgid "My amazing event title..." msgstr "Meu incrível título de evento..." -#: src/components/common/GlobalMenu/index.tsx:19 +#: src/components/common/GlobalMenu/index.tsx:27 msgid "My Profile" msgstr "Meu perfil" @@ -2444,7 +2448,7 @@ msgstr "Verifique seu e-mail para confirmar seu endereço de e-mail" msgid "Please complete the form below to accept your invitation" msgstr "Preencha o formulário abaixo para aceitar seu convite" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:259 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:260 msgid "Please continue in the new tab" msgstr "Continue na nova guia" @@ -2469,7 +2473,7 @@ msgstr "Remova os filtros e defina a classificação como \"Ordem da página ini msgid "Please select" msgstr "Selecione" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:216 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:217 msgid "Please select at least one ticket" msgstr "Selecione pelo menos um ingresso" @@ -2540,6 +2544,10 @@ msgstr "Imprimir" msgid "Print All Tickets" msgstr "Imprimir todos os ingressos" +#: src/components/routes/event/products.tsx:39 +msgid "Products" +msgstr "" + #: src/components/routes/profile/ManageProfile/index.tsx:106 msgid "Profile" msgstr "Perfil" @@ -2548,7 +2556,7 @@ msgstr "Perfil" msgid "Profile updated successfully" msgstr "Perfil atualizado com sucesso" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:160 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:161 msgid "Promo {promo_code} code applied" msgstr "Código promocional {promo_code} aplicado" @@ -2639,11 +2647,11 @@ msgstr "Reembolsado" msgid "Register" msgstr "Registro" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:371 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:381 msgid "remove" msgstr "remover" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:372 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:382 msgid "Remove" msgstr "Remover" @@ -2779,6 +2787,10 @@ msgstr "Pesquise por nome, e-mail ou número do pedido..." msgid "Search by name..." msgstr "Pesquisar por nome..." +#: src/components/routes/event/products.tsx:43 +msgid "Search by product name..." +msgstr "" + #: src/components/routes/event/messages.tsx:34 msgid "Search by subject or content..." msgstr "Pesquise por assunto ou conteúdo..." @@ -2927,7 +2939,7 @@ msgstr "Mostrar a quantidade de ingressos disponíveis" msgid "Show hidden questions" msgstr "Mostrar perguntas ocultas" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:332 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:342 msgid "Show more" msgstr "Mostrar mais" @@ -3007,7 +3019,7 @@ msgstr "Desculpe, algo deu errado ao carregar esta página." msgid "Sorry, this order no longer exists." msgstr "Desculpe, este pedido não existe mais." -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:225 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:226 msgid "Sorry, this promo code is not recognized" msgstr "Desculpe, este código promocional não é reconhecido" @@ -3181,8 +3193,8 @@ msgstr "Impostos" msgid "Taxes and Fees" msgstr "Impostos e taxas" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:120 -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:168 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:121 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:169 msgid "That promo code is invalid" msgstr "Esse código promocional é inválido" @@ -3208,7 +3220,7 @@ msgstr "O idioma em que o participante receberá e-mails." msgid "The link you clicked is invalid." msgstr "O link em que você clicou é inválido." -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:318 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:328 msgid "The maximum numbers number of tickets for {0}is {1}" msgstr "O número máximo de ingressos para {0} é {1}" @@ -3240,7 +3252,7 @@ msgstr "Os impostos e as taxas a serem aplicados a esse tíquete. Você pode cri msgid "The title of the event that will be displayed in search engine results and when sharing on social media. By default, the event title will be used" msgstr "O título do evento que será exibido nos resultados dos mecanismos de pesquisa e ao compartilhar nas mídias sociais. Por padrão, o título do evento será usado" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:249 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:250 msgid "There are no tickets available for this event" msgstr "Não há ingressos disponíveis para este evento" @@ -3533,7 +3545,7 @@ msgid "Unable to create question. Please check the your details" msgstr "Não foi possível criar a pergunta. Por favor, verifique seus detalhes" #: src/components/modals/CreateTicketModal/index.tsx:64 -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:105 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:106 msgid "Unable to create ticket. Please check the your details" msgstr "Não foi possível criar o tíquete. Por favor, verifique seus detalhes" @@ -3552,6 +3564,10 @@ msgstr "Estados Unidos" msgid "Unlimited" msgstr "Ilimitado" +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:300 +msgid "Unlimited available" +msgstr "Ilimitados disponíveis" + #: src/components/common/PromoCodeTable/index.tsx:125 msgid "Unlimited usages allowed" msgstr "Permite usos ilimitados" diff --git a/frontend/src/locales/pt.js b/frontend/src/locales/pt.js index cd4a02db..833e9035 100644 --- a/frontend/src/locales/pt.js +++ b/frontend/src/locales/pt.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"1bpx9A\":\"...\",\"f8qS7T\":\"'Não há nada para mostrar ainda'\",\"4zldrf\":[[\"0\",\"plural\",{\"one\":[\"#\",\" hidden question\"],\"other\":[\"#\",\" hidden questions\"]}]],\"J/hVSQ\":[[\"0\"]],\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"Jv22kr\":[[\"0\"],\" <0>registrado com sucesso\"],\"yxhYRZ\":[[\"0\"],\" <0>desmarcado com sucesso\"],\"KMgp2+\":[[\"0\"],\" disponível\"],\"tmew5X\":[[\"0\"],\" fez check-in\"],\"Pmr5xp\":[[\"0\"],\" criado com sucesso\"],\"FImCSc\":[[\"0\"],\" atualizado com sucesso\"],\"KOr9b4\":[\"Eventos de \",[\"0\"]],\"qSiUsc\":[[\"0\"],[\"1\"]],\"cU8MWb\":[[\"0\"],\"/\",[\"1\"],\" registrado\"],\"Vjij1k\":[[\"days\"],\" dias, \",[\"hours\"],\" horas, \",[\"minutes\"],\" minutos e \",[\"seconds\"],\" segundos\"],\"f3RdEk\":[[\"hours\"],\" horas, \",[\"minutes\"],\" minutos e \",[\"seconds\"],\" segundos\"],\"wapGcj\":[[\"message\"]],\"fyE7Au\":[[\"minutos\"],\" minutos e \",[\"segundos\"],\" segundos\"],\"NlQ0cx\":[\"Primeiro evento de \",[\"organizerName\"]],\"Ul6IgC\":\"<0>As atribuições de capacidade permitem que você gerencie a capacidade entre ingressos ou um evento inteiro. Ideal para eventos de vários dias, workshops e mais, onde o controle de presença é crucial.<1>Por exemplo, você pode associar uma atribuição de capacidade ao ingresso de <2>Dia Um e <3>Todos os Dias. Uma vez que a capacidade é atingida, ambos os ingressos pararão automaticamente de estar disponíveis para venda.\",\"Exjbj7\":\"<0>As listas de registro ajudam a gerenciar a entrada dos participantes no seu evento. Você pode associar vários ingressos a uma lista de registro e garantir que apenas aqueles com ingressos válidos possam entrar.\",\"OXku3b\":\"<0>https://seu-website.com\",\"qnSLLW\":\"<0>Por favor, insira o preço sem incluir impostos e taxas.<1>Impostos e taxas podem ser adicionados abaixo.\",\"0940VN\":\"<0>O número de ingressos disponíveis para este ingresso<1>Este valor pode ser substituído se houver <2>Limites de Capacidade associados a este ingresso.\",\"E15xs8\":\"⚡️ Configure seu evento\",\"FL6OwU\":\"✉️ Confirme seu endereço de e-mail\",\"y1NShf\":\"🎉 Congratulation on creating an event!\",\"BN0OQd\":\"🎉 Parabéns por criar um evento!\",\"fAv9QG\":\"🎟️ Adicionar ingressos\",\"4WT5tD\":\"🎨 Personalize a página do seu evento\",\"3VPPdS\":\"💳 Conecte-se com Stripe\",\"s4Tgn6\":\"📢 Promote your event\",\"cjdktw\":\"🚀 Defina seu evento ao vivo\",\"rmelwV\":\"0 minutos e 0 segundos\",\"UQ7pBY\":\"0.50 for $0.50\",\"i1+xzD\":\"1.75 for 1.75%\",\"i0puaE\":\"10h00\",\"W9+fkZ\":\"10001\",\"qdfdgM\":\"Rua Principal 123\",\"IoRZzD\":\"20\",\"+H1RMb\":\"01-01-2024 10:00\",\"Q/T49U\":\"01/01/2024 18:00\",\"hMT8+2\":\"94103\",\"efAM7X\":\"Um campo de data. Perfeito para pedir uma data de nascimento, etc.\",\"d9El7Q\":[\"Um \",[\"type\"],\" padrão é aplicado automaticamente a todos os novos tickets. Você pode substituir isso por ticket.\"],\"SMUbbQ\":\"Uma entrada suspensa permite apenas uma seleção\",\"qv4bfj\":\"Uma taxa, como uma taxa de reserva ou uma taxa de serviço\",\"Pgaiuj\":\"Um valor fixo por ingresso. Por exemplo, US$ 0,50 por ingresso\",\"f4vJgj\":\"Uma entrada de texto multilinha\",\"ySO/4f\":\"Uma porcentagem do preço do ingresso. Por exemplo, 3,5% do preço do bilhete\",\"WXeXGB\":\"Um código promocional sem desconto pode ser usado para revelar ingressos ocultos.\",\"GMhWB5\":\"A Radio option allows has multiple options but only one can be selected.\",\"CBt3s7\":\"A Radio Option allows only one selection\",\"AG/qmQ\":\"Uma opção Rádio tem múltiplas opções, mas apenas uma pode ser selecionada.\",\"7g61G9\":\"A short description of Awesome Events Ltd.\",\"h179TP\":\"Uma breve descrição do evento que será exibida nos resultados dos buscadores e no compartilhamento nas redes sociais. Por padrão, a descrição do evento será usada\",\"WKMnh4\":\"Uma entrada de texto de linha única\",\"zCk10D\":\"Uma única pergunta por participante. Por exemplo, qual é a sua refeição preferida?\",\"ap3v36\":\"Uma única pergunta por pedido. Por exemplo, qual é o nome da sua empresa?\",\"RlJmQg\":\"Um imposto padrão, como IVA ou GST\",\"pDwHGk\":\"About hi.events\",\"uIKNjo\":\"Sobre o evento\",\"bfXQ+N\":\"Aceitar convite\",\"iwyhk4\":\"Access to the VIP area...\",\"AeXO77\":\"Conta\",\"0b79Xf\":\"Account Email\",\"lkNdiH\":\"Nome da conta\",\"Puv7+X\":\"Configurações de Conta\",\"OmylXO\":\"Conta atualizada com sucesso\",\"7L01XJ\":\"Ações\",\"FQBaXG\":\"Ativar\",\"5T2HxQ\":\"Data de ativação\",\"F6pfE9\":\"Ativo\",\"m16xKo\":\"Adicionar\",\"LKNynS\":\"Add a cover image, description, and more to make your event stand out.\",\"/PN1DA\":\"Adicione uma descrição para esta lista de registro\",\"PGPGsL\":\"Adicionar descrição\",\"gMK0ps\":\"Adicione detalhes do evento e gerencie as configurações do evento.\",\"Fb+SDI\":\"Adicionar mais ingressos\",\"ApsD9J\":\"Adicionar novo\",\"TZxnm8\":\"Adicionar opção\",\"Cw27zP\":\"Adicionar pergunta\",\"yWiPh+\":\"Adicionar imposto ou taxa\",\"BGD9Yt\":\"Adicionar ingressos\",\"goOKRY\":\"Adicionar nível\",\"p59pEv\":\"Additional Details\",\"Y8DIQy\":\"Opções adicionais\",\"Du6bPw\":\"Endereço\",\"NY/x1b\":\"Endereço Linha 1\",\"POdIrN\":\"Endereço Linha 1\",\"cormHa\":\"Endereço linha 2\",\"gwk5gg\":\"endereço linha 2\",\"U3pytU\":\"Administrador\",\"HLDaLi\":\"Os usuários administradores têm acesso total aos eventos e configurações da conta.\",\"CPXP5Z\":\"Afiliados\",\"W7AfhC\":\"Todos os participantes deste evento\",\"QsYjci\":\"Todos os eventos\",\"/twVAS\":\"Todos os Tickets\",\"ipYKgM\":\"Permitir indexação do mecanismo de pesquisa\",\"LRbt6D\":\"Permitir que mecanismos de pesquisa indexem este evento\",\"+MHcJD\":\"Quase lá! Estamos apenas aguardando o processamento do seu pagamento. Isso deve levar apenas alguns segundos.\",\"8wYDMp\":\"Already have an account?\",\"ApOYO8\":\"Incrível, evento, palavras-chave...\",\"hehnjM\":\"Quantia\",\"TRYjHa\":[\"amount in \",[\"0\"]],\"R2O9Rg\":[\"Valor pago (\",[\"0\"],\")\"],\"tLjOgo\":[\"Amount paid $\",[\"0\"]],\"V7MwOy\":\"Ocorreu um erro ao carregar a página\",\"Q7UCEH\":\"Ocorreu um erro ao classificar as perguntas. Tente novamente ou atualize a página\",\"er3d/4\":\"Ocorreu um erro ao classificar os tickets. Tente novamente ou atualize a página\",\"hhvESd\":\"An event is the actual event you are hosting\",\"jD/OCQ\":\"Um evento é o evento real que você está organizando. Você pode adicionar mais detalhes posteriormente.\",\"oBkF+i\":\"Um organizador é a empresa ou pessoa que hospeda o evento\",\"W5A0Ly\":\"Um erro inesperado ocorreu.\",\"byKna+\":\"Um erro inesperado ocorreu. Por favor, tente novamente.\",\"j4DliD\":\"Quaisquer dúvidas dos titulares de ingressos serão enviadas para este endereço de e-mail. Este também será usado como endereço de \\\"resposta\\\" para todos os e-mails enviados neste evento\",\"aAIQg2\":\"Aparência\",\"Ym1gnK\":\"aplicado\",\"epTbAK\":[\"Aplica-se a \",[\"0\"],\" ingressos\"],\"6MkQ2P\":\"Aplica-se a 1 ingresso\",\"DB8zMK\":\"Apply\",\"GctSSm\":\"Aplicar código promocional\",\"jcnZEw\":[\"Aplique este \",[\"type\"],\" a todos os novos tickets\"],\"S0ctOE\":\"Arquivar evento\",\"TdfEV7\":\"Arquivado\",\"A6AtLP\":\"Eventos arquivados\",\"q7TRd7\":\"Tem certeza de que deseja ativar este participante?\",\"TvkW9+\":\"Tem certeza de que deseja arquivar este evento?\",\"/CV2x+\":\"Tem certeza de que deseja cancelar este participante? Isso anulará o ingresso\",\"YgRSEE\":\"Tem certeza de que deseja excluir este código promocional?\",\"iU234U\":\"Tem certeza de que deseja excluir esta pergunta?\",\"CMyVEK\":\"Tem certeza de que deseja fazer o rascunho deste evento? Isso tornará o evento invisível para o público\",\"mEHQ8I\":\"Tem certeza de que deseja tornar este evento público? Isso tornará o evento visível ao público\",\"s4JozW\":\"Tem certeza de que deseja restaurar este evento? Ele será restaurado como um evento rascunho.\",\"vJuISq\":\"Tem certeza de que deseja excluir esta Atribuição de Capacidade?\",\"baHeCz\":\"Tem certeza de que deseja excluir esta lista de registro?\",\"2xEpch\":\"Pergunte uma vez por participante\",\"LBLOqH\":\"Pergunte uma vez por pedido\",\"ss9PbX\":\"Participante\",\"m0CFV2\":\"Detalhes do participante\",\"lXcSD2\":\"Perguntas dos participantes\",\"VvYqMB\":\"Attendee questions are asked once per attendee. By default, people are asked for their first name, last name, and email address.\",\"spxPEv\":\"Attendee questions are asked once per attendee. By default, we ask for the attendee's first name, last name, and email address.\",\"9SZT4E\":\"Participantes\",\"5UbY+B\":\"Participantes com um ingresso específico\",\"IMJ6rh\":\"Redimensionamento automático\",\"vZ5qKF\":\"Redimensione automaticamente a altura do widget com base no conteúdo. Quando desativado, o widget preencherá a altura do contêiner.\",\"lXkUEV\":\"Availability\",\"ioG+xt\":\"Aguardando Pagamento\",\"3PmQfI\":\"Evento incrível\",\"kNmmvE\":\"Awesome Events Ltd.\",\"Yrbm6T\":\"Impressionante Organizador Ltd.\",\"9002sI\":\"Voltar para todos os eventos\",\"0TGkYM\":\"Back to event homepage\",\"A302fe\":\"Voltar à página do evento\",\"VCoEm+\":\"Volte ao login\",\"MLZyiY\":\"Background color\",\"k1bLf+\":\"Cor de fundo\",\"I7xjqg\":\"Tipo de plano de fundo\",\"EOUool\":\"Detalhes básicos\",\"7EGQKA\":\"Because you are the account owner, you cannot change your role or status.\",\"1mwMl+\":\"Antes de enviar!\",\"wVfiR2\":\"Before you're event can go live, there's a few thing to do.\",\"/yeZ20\":\"Antes que seu evento possa ir ao ar, há algumas coisas que você precisa fazer.\",\"1xAcxY\":\"Comece a vender ingressos em minutos\",\"R+w/Va\":\"Billing\",\"rp/zaT\":\"Português brasileiro\",\"Ptp9MF\":\"Button color\",\"whqocw\":\"Ao se registrar, você concorda com nossos <0>Termos de Serviço e <1>Política de Privacidade.\",\"bcCn6r\":\"Tipo de cálculo\",\"+8bmSu\":\"Califórnia\",\"iStTQt\":\"A permissão da câmera foi negada. <0>Solicite permissão novamente ou, se isso não funcionar, você precisará <1>conceder a esta página acesso à sua câmera nas configurações do navegador.\",\"Jzn1qy\":\"Can't load events\",\"dEgA5A\":\"Cancelar\",\"Gjt/py\":\"Cancelar alteração de e-mail\",\"tVJk4q\":\"Cancelar pedido\",\"Os6n2a\":\"Cancelar pedido\",\"Mz7Ygx\":[\"Cancelar pedido \",[\"0\"]],\"Ud7zwq\":\"O cancelamento cancelará todos os ingressos associados a este pedido e os liberará de volta ao pool disponível.\",\"vv7kpg\":\"Cancelado\",\"QyjCeq\":\"Capacidade\",\"V6Q5RZ\":\"Atribuição de Capacidade criada com sucesso\",\"k5p8dz\":\"Atribuição de Capacidade excluída com sucesso\",\"nDBs04\":\"Gestão de Capacidade\",\"77/YgG\":\"Alterar capa\",\"GptGxg\":\"Alterar a senha\",\"QndF4b\":\"check-in\",\"xMDm+I\":\"Check-in\",\"9FVFym\":\"Confira\",\"/Ta1d4\":\"Desmarcar\",\"gXcPxc\":\"Check-in\",\"Y3FYXy\":\"Check-in\",\"fVUbUy\":\"Lista de registro criada com sucesso\",\"+CeSxK\":\"Lista de registro excluída com sucesso\",\"+hBhWk\":\"A lista de registro expirou\",\"mBsBHq\":\"A lista de registro não está ativa\",\"vPqpQG\":\"Lista de check-in não encontrada\",\"tejfAy\":\"Listas de Registro\",\"hD1ocH\":\"URL de check-in copiada para a área de transferência\",\"CNafaC\":\"As opções de caixa de seleção permitem seleções múltiplas\",\"SpabVf\":\"Caixas de seleção\",\"CRu4lK\":\"Check-in\",\"rfeicl\":\"Registrado com sucesso\",\"/ydvvl\":\"Checkout Messaging\",\"1WnhCL\":\"Configurações de check-out\",\"h1IXFK\":\"Chinês\",\"6imsQS\":\"Chinês simplificado\",\"JjkX4+\":\"Escolha uma cor para o seu plano de fundo\",\"/Jizh9\":\"Escolha uma conta\",\"jJGoVv\":\"Choose what notifications you want to receive\",\"3wV73y\":\"Cidade\",\"FG98gC\":\"Limpar texto de pesquisa\",\"EYeuMv\":\"Clique aqui\",\"sby+1/\":\"Clique para copiar\",\"yz7wBu\":\"Fechar\",\"62Ciis\":\"Fechar barra lateral\",\"EWPtMO\":\"Código\",\"ercTDX\":\"O código deve ter entre 3 e 50 caracteres\",\"jZlrte\":\"Cor\",\"Vd+LC3\":\"A cor deve ser um código de cor hexadecimal válido. Exemplo: #ffffff\",\"1HfW/F\":\"Cores\",\"VZeG/A\":\"Em breve\",\"yPI7n9\":\"Palavras-chave separadas por vírgulas que descrevem o evento. Eles serão usados pelos mecanismos de pesquisa para ajudar a categorizar e indexar o evento\",\"NPZqBL\":\"Ordem completa\",\"guBeyC\":\"Concluir pagamento\",\"C8HNV2\":\"Concluir pagamento\",\"qqWcBV\":\"Concluído\",\"DwF9eH\":\"Código do Componente\",\"7VpPHA\":\"confirme\",\"ZaEJZM\":\"Confirmar alteração de e-mail\",\"yjkELF\":\"Confirme a nova senha\",\"xnWESi\":\"Confirme sua senha\",\"p2/GCq\":\"Confirme sua senha\",\"wnDgGj\":\"Confirmando endereço de e-mail...\",\"DnLC08\":\"Congratulation on creating an event!\",\"pbAk7a\":\"Conectar faixa\",\"UMGQOh\":\"Conecte-se com Stripe\",\"QKLP1W\":\"Conecte sua conta Stripe para começar a receber pagamentos.\",\"5lcVkL\":\"Detalhes da conexão\",\"i3p844\":\"Contact email\",\"yAej59\":\"Cor de fundo do conteúdo\",\"xGVfLh\":\"Continuar\",\"X++RMT\":\"Texto do botão Continuar\",\"AfNRFG\":\"Texto do botão Continuar\",\"lIbwvN\":\"Continuar configuração do evento\",\"HB22j9\":\"Continuar a configuração\",\"bZEa4H\":\"Continuar a configuração do Stripe Connect\",\"RGVUUI\":\"Continuar para o pagamento\",\"6V3Ea3\":\"Copiado\",\"T5rdis\":\"Copiado para a área de transferência\",\"he3ygx\":\"cópia de\",\"r2B2P8\":\"Copiar URL de check-in\",\"8+cOrS\":\"Copiar detalhes para todos os participantes\",\"ENCIQz\":\"Link de cópia\",\"E6nRW7\":\"Copiar URL\",\"JNCzPW\":\"País\",\"IF7RiR\":\"Cobrir\",\"P0rbCt\":\"Cover Image\",\"hYgDIe\":\"Create\",\"b9XOHo\":[\"Criar \",[\"0\"]],\"6kdXbW\":\"Crie um código promocional\",\"n5pRtF\":\"Crie um ingresso\",\"X6sRve\":[\"Crie uma conta ou <0>\",[\"0\"],\" para começar\"],\"nx+rqg\":\"criar um organizador\",\"ipP6Ue\":\"Criar participante\",\"VwdqVy\":\"Criar Atribuição de Capacidade\",\"WVbTwK\":\"Criar Lista de Registro\",\"uN355O\":\"Criar Evento\",\"BOqY23\":\"Crie um novo\",\"kpJAeS\":\"Criar organizador\",\"sYpiZP\":\"Criar código promocional\",\"a6YrKg\":\"Create promo codes\",\"n6H6AO\":\"Create promo codes to offer discounts to your attendees.\",\"B3Mkdt\":\"Criar pergunta\",\"UKfi21\":\"Criar imposto ou taxa\",\"Tg323g\":\"Criar ingresso\",\"agZ87r\":\"Crie ingressos para o seu evento, defina preços e gerencie a quantidade disponível.\",\"d+F6q9\":\"Criada\",\"Q2lUR2\":\"Moeda\",\"DCKkhU\":\"Senha atual\",\"uIElGP\":\"URL de mapas personalizados\",\"876pfE\":\"Cliente\",\"QOg2Sf\":\"Personalize as configurações de e-mail e notificação deste evento\",\"Lu75d1\":\"Customize the email settings for this event\",\"RaxMyF\":\"Customize the event homepage and checkout experience\",\"Y9Z/vP\":\"Personalize a página inicial do evento e as mensagens de checkout\",\"2E2O5H\":\"Personalize as diversas configurações deste evento\",\"iJhSxe\":\"Personalize as configurações de SEO para este evento\",\"KIhhpi\":\"Personalize a página do seu evento\",\"nrGWUv\":\"Personalize a página do seu evento para combinar com sua marca e estilo.\",\"Zz6Cxn\":\"Zona de perigo\",\"ZQKLI1\":\"Zona de Perigo\",\"7p5kLi\":\"Painel\",\"mYGY3B\":\"Data\",\"JvUngl\":\"Data hora\",\"JJhRbH\":\"Capacidade do primeiro dia\",\"PqrqgF\":\"Lista de Registro do Primeiro Dia\",\"RiXc4g\":\"Deactivate user\",\"cnGeoo\":\"Excluir\",\"jRJZxD\":\"Excluir Capacidade\",\"Qrc8RZ\":\"Excluir Lista de Registro\",\"WHf154\":\"Excluir código\",\"heJllm\":\"Excluir capa\",\"KWa0gi\":\"Excluir imagem\",\"IatsLx\":\"Excluir pergunta\",\"GnyEfA\":\"Excluir tíquete\",\"E33LRn\":\"Delete user\",\"Nu4oKW\":\"Descrição\",\"YC3oXa\":\"Descrição para a equipe de registro\",\"s9iD5d\":\"Description should be less than 50,000 characters\",\"URmyfc\":\"Detalhes\",\"x8uDKb\":\"Disable code\",\"Tgg8XQ\":\"Desative esta capacidade para rastrear a capacidade sem interromper as vendas de ingressos\",\"H6Ma8Z\":\"Desconto\",\"ypJ62C\":\"% de desconto\",\"3LtiBI\":[\"Desconto em \",[\"0\"]],\"C8JLas\":\"Tipo de desconto\",\"1QfxQT\":\"Liberar\",\"cVq+ga\":\"Não tem uma conta? <0>Inscreva-se\",\"4+aC/x\":\"Doação / Pague o que quiser\",\"++S5i/\":\"Donation amount\",\"OO7MG7\":\"Donation Ticket\",\"0pEVi2\":\"Download Tickets PDF\",\"uABpqP\":\"Arraste e solte ou clique\",\"3z2ium\":\"Arraste para classificar\",\"6skwyH\":\"Drop an image, or click here to replace the Cover Image\",\"S37RRV\":\"Drop an image, or click here to upload the Cover Image\",\"CfKofC\":\"Seleção suspensa\",\"JzLDvy\":\"Duplicar Atribuições de Capacidade\",\"ulMxl+\":\"Duplicar Listas de Check-In\",\"vi8Q/5\":\"Duplicar evento\",\"3ogkAk\":\"Duplicar evento\",\"Yu6m6X\":\"Duplicar a Imagem de Capa do Evento\",\"+fA4C7\":\"Duplicar Opções\",\"57ALrd\":\"Duplicar códigos promocionais\",\"83Hu4O\":\"Duplicar perguntas\",\"20144c\":\"Duplicar configurações\",\"Wt9eV8\":\"Duplicar bilhetes\",\"7Cx5It\":\"Madrugador\",\"ePK91l\":\"Editar\",\"N6j2JH\":[\"Editar \",[\"0\"]],\"kNGp1D\":\"Editar participante\",\"t2bbp8\":\"Editar participante\",\"kBkYSa\":\"Editar Capacidade\",\"oHE9JT\":\"Editar Atribuição de Capacidade\",\"FU1gvP\":\"Editar Lista de Registro\",\"iFgaVN\":\"Editar código\",\"jrBSO1\":\"Editar organizador\",\"9BdS63\":\"Editar código promocional\",\"O0CE67\":\"Editar pergunta\",\"EzwCw7\":\"Editar pergunta\",\"d+nnyk\":\"Editar ingresso\",\"poTr35\":\"Editar usuário\",\"GTOcxw\":\"Editar usuário\",\"pqFrv2\":\"por exemplo. 2,50 por US$ 2,50\",\"3yiej1\":\"por exemplo. 23,5 para 23,5%\",\"O3oNi5\":\"E-mail\",\"VxYKoK\":\"Configurações de e-mail e notificação\",\"ATGYL1\":\"Endereço de email\",\"hzKQCy\":\"Endereço de email\",\"HqP6Qf\":\"Alteração de e-mail cancelada com sucesso\",\"mISwW1\":\"Alteração de e-mail pendente\",\"WiKda6\":\"Email Configuration\",\"APuxIE\":\"Confirmação de e-mail reenviada\",\"YaCgdO\":\"Confirmação de e-mail reenviada com sucesso\",\"jyt+cx\":\"Mensagem de rodapé do e-mail\",\"I6F3cp\":\"E-mail não verificado\",\"G5zNMX\":\"Email Settings\",\"NTZ/NX\":\"Código embutido\",\"4rnJq4\":\"Incorporar script\",\"nA31FG\":\"Ative esta capacidade para interromper as vendas de ingressos quando o limite for atingido\",\"VFv2ZC\":\"Data final\",\"237hSL\":\"Terminou\",\"nt4UkP\":\"Eventos encerrados\",\"lYGfRP\":\"Inglês\",\"MhVoma\":\"Insira um valor sem impostos e taxas.\",\"3Z223G\":\"Erro ao confirmar o endereço de e-mail\",\"a6gga1\":\"Erro ao confirmar a alteração do e-mail\",\"5/63nR\":\"EUR\",\"0pC/y6\":\"Evento\",\"nuoP/j\":\"Event created successfully\",\"CFLUfD\":\"Evento criado com sucesso 🎉\",\"0Zptey\":\"Padrões de eventos\",\"6fuA9p\":\"Evento duplicado com sucesso\",\"Xe3XMd\":\"O evento não está visível ao público\",\"4pKXJS\":\"O evento é visível ao público\",\"ClwUUD\":\"Local do evento e detalhes do local\",\"OopDbA\":\"Página do evento\",\"JyD0LH\":\"Event Settings\",\"4/If97\":\"Falha na atualização do status do evento. Por favor, tente novamente mais tarde\",\"btxLWj\":\"Status do evento atualizado\",\"tst44n\":\"Eventos\",\"sZg7s1\":\"Data de Expiração\",\"KnN1Tu\":\"Expira\",\"uaSvqt\":\"Data de validade\",\"GS+Mus\":\"Exportar\",\"9xAp/j\":\"Falha ao cancelar participante\",\"ZpieFv\":\"Falha ao cancelar pedido\",\"z6tdjE\":\"Falha ao excluir a mensagem. Por favor, tente novamente.\",\"9zSt4h\":\"Falha ao exportar participantes. Por favor, tente novamente.\",\"2uGNuE\":\"Falha ao exportar pedidos. Por favor, tente novamente.\",\"d+KKMz\":\"Falha ao carregar a Lista de Registro\",\"ZQ15eN\":\"Falha ao reenviar e-mail do ticket\",\"PLUB/s\":\"Taxa\",\"YirHq7\":\"Opinião\",\"/mfICu\":\"Tarifas\",\"V1EGGU\":\"Primeiro nome\",\"kODvZJ\":\"Primeiro nome\",\"S+tm06\":\"O nome deve ter entre 1 e 50 caracteres\",\"1g0dC4\":\"Nome, Sobrenome e Endereço de E-mail são perguntas padrão e estão sempre incluídas no processo de checkout.\",\"QWa3Sk\":\"First Name, Last Name, and Email Address are default questions that are always included in the checkout process.\",\"TpqW74\":\"Fixo\",\"irpUxR\":\"Quantia fixa\",\"TF9opW\":\"Flash não está disponível neste dispositivo\",\"UNMVei\":\"Esqueceu sua senha?\",\"2POOFK\":\"Livre\",\"/4rQr+\":\"Bilhete grátis\",\"01my8x\":\"Bilhete grátis, sem necessidade de informações de pagamento\",\"nLC6tu\":\"francês\",\"ejVYRQ\":\"From\",\"DDcvSo\":\"alemão\",\"u6FPxT\":\"Get Tickets\",\"4GLxhy\":\"Começando\",\"4D3rRj\":\"Voltar ao perfil\",\"cQPKZt\":\"Go to Dashboard\",\"9LCqFI\":\"Ir para a página inicial do evento\",\"RUz8o/\":\"vendas brutas\",\"IgcAGN\":\"Vendas brutas\",\"yRg26W\":\"Vendas brutas\",\"R4r4XO\":\"Convidados\",\"26pGvx\":\"Tem um código promocional?\",\"V7yhws\":\"olá@awesome-events.com\",\"GNJ1kd\":\"Ajuda e Suporte\",\"6K/IHl\":\"Aqui está um exemplo de como você pode usar o componente em seu aplicativo.\",\"Y1SSqh\":\"Aqui está o componente React que você pode usar para incorporar o widget em seu aplicativo.\",\"Ow9Hz5\":[\"Conferência Hi.Events \",[\"0\"]],\"verBst\":\"Centro de Conferências Hi.Events\",\"6eMEQO\":\"logotipo hi.events\",\"C4qOW8\":\"Escondido da vista do público\",\"gt3Xw9\":\"pergunta oculta\",\"g3rqFe\":\"perguntas ocultas\",\"k3dfFD\":\"As perguntas ocultas são visíveis apenas para o organizador do evento e não para o cliente.\",\"EeNE0j\":\"Hidden will not be shown to customers.\",\"vLyv1R\":\"Esconder\",\"Mkkvfd\":\"Ocultar página de primeiros passos\",\"mFn5Xz\":\"Ocultar perguntas ocultas\",\"SCimta\":\"Oculte a página de primeiros passos da barra lateral\",\"Da29Y6\":\"Ocultar esta pergunta\",\"fsi6fC\":\"Ocultar este ticket dos clientes\",\"fvDQhr\":\"Ocultar esta camada dos usuários\",\"Fhzoa8\":\"Ocultar ingresso após a data de término da venda\",\"yhm3J/\":\"Ocultar ingresso antes da data de início da venda\",\"k7/oGT\":\"Ocultar ingresso, a menos que o usuário tenha o código promocional aplicável\",\"L0ZOiu\":\"Ocultar ingresso quando esgotado\",\"uno73L\":\"Ocultar um ingresso impedirá que os usuários o vejam na página do evento.\",\"tj6Gob\":\"Homepage & Checkout\",\"m07jN3\":\"Homepage & Checkout Settings\",\"ZOBwQn\":\"Design da página inicial\",\"PRuBTd\":\"Designer da página inicial\",\"YjVNGZ\":\"Visualização da página inicial\",\"c3E/kw\":\"Homero\",\"id+NIk\":\"How many minutes the customer has to complete their order\",\"8k8Njd\":\"Quantos minutos o cliente tem para concluir o pedido. Recomendamos pelo menos 15 minutos\",\"ySxKZe\":\"Quantas vezes esse código pode ser usado?\",\"dZsDbK\":[\"Limite de caracteres HTML excedido: \",[\"htmlLength\"],\"/\",[\"maxLength\"]],\"fYyXCd\":\"https://example-maps-service.com/...\",\"uOXLV3\":\"Concordo com os <0>termos e condições\",\"sIxFk5\":\"I agree to the terms and conditions\",\"Crwwhn\":[\"If a new tab did not open, please <0>\",[\"0\"],\".\"],\"93DUnd\":[\"Se uma nova guia não for aberta, <0><1>\",[\"0\"],\".\"],\"9gtsTP\":\"Se estiver em branco, o endereço será usado para gerar um link do mapa do Google\",\"muXhGi\":\"Se ativado, o organizador receberá uma notificação por e-mail quando um novo pedido for feito\",\"6fLyj/\":\"Se você não solicitou essa alteração, altere imediatamente sua senha.\",\"n/ZDCz\":\"Imagem excluída com sucesso\",\"Gyl1h8\":\"Image dimensions must be at least 600px by 300px\",\"TiGacZ\":\"Image dimensions must be at least 900px by 450px\",\"UnTvkH\":\"As dimensões da imagem devem estar entre 3.000 px e 2.000 px. Com altura máxima de 2.000 px e largura máxima de 3.000 px\",\"Mfbc2v\":\"As dimensões da imagem devem estar entre 4000px por 4000px. Com uma altura máxima de 4000px e uma largura máxima de 4000px\",\"uPEIvq\":\"A imagem deve ter menos de 5 MB\",\"AGZmwV\":\"Imagem enviada com sucesso\",\"ibi52/\":\"A largura da imagem deve ser de pelo menos 900 px e a altura de pelo menos 50 px\",\"NoNwIX\":\"Inativo\",\"T0K0yl\":\"Usuários inativos não podem fazer login.\",\"OFAmKP\":\"Include connection details for your online event\",\"BfPBBG\":\"Include connection details for your online event. These details will be after successful registration.\",\"6+pAOx\":\"Include connection details for your online event. These details will be shown after successful registration.\",\"evpD4c\":\"Inclua detalhes de conexão para seu evento online. Esses detalhes serão mostrados na página de resumo do pedido e na página do ingresso do participante\",\"FlQKnG\":\"Incluir impostos e taxas no preço\",\"AXTNr8\":[\"Inclui \",[\"0\"],\" ingressos\"],\"7/Rzoe\":\"Inclui 1 ingresso\",\"nbfdhU\":\"Integrações\",\"OyLdaz\":\"Convite reenviado!\",\"HE6KcK\":\"Convite revogado!\",\"SQKPvQ\":\"Convidar Usuário\",\"PgdQrx\":\"Emitir reembolso\",\"KFXip/\":\"John\",\"XcgRvb\":\"Johnson\",\"1IWWYX\":[\"KittenTech Conference \",[\"0\"]],\"ZgJEMX\":\"KittenTech Conference Center\",\"87a/t/\":\"Rótulo\",\"vXIe7J\":\"Língua\",\"I3yitW\":\"Último Login\",\"1ZaQUH\":\"Sobrenome\",\"UXBCwc\":\"Sobrenome\",\"CKcupn\":\"Latest Orders\",\"tITjB1\":\"Saiba mais sobre Stripe\",\"c+gAXc\":\"Let's get started by creating your first event\",\"vR92Yn\":\"Vamos começar criando seu primeiro organizador\",\"QfrKvi\":\"Link color\",\"wJijgU\":\"Localização\",\"sQia9P\":\"Conecte-se\",\"zUDyah\":\"Fazendo login\",\"z0t9bb\":\"Conecte-se\",\"nOhz3x\":\"Sair\",\"F2jAFv\":\"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Nome placerat elementum...\",\"XkhEf9\":\"Lorem ipsum...\",\"MU3ijv\":\"Torne esta pergunta obrigatória\",\"wckWOP\":\"Gerenciar\",\"8mmINh\":\"Manage billing information and view invoices\",\"jWIznR\":\"Manage default settings for new events\",\"n4SpU5\":\"Gerenciar evento\",\"wqyqaF\":\"Manage general account settings\",\"cQrNR3\":\"Gerenciar perfil\",\"f92Qak\":\"Manage taxes and fees which can be applied to tickets\",\"PlTcVr\":\"Gerencie impostos e taxas que podem ser aplicadas aos seus ingressos\",\"ophZVW\":\"Gerenciar ingressos\",\"Wsx7Iu\":\"Manage users and their permissions\",\"DdHfeW\":\"Gerencie os detalhes da sua conta e configurações padrão\",\"QHcjP+\":\"Manage your billing and payment details\",\"S+UjNL\":\"Gerencie seus detalhes de pagamento Stripe\",\"BfucwY\":\"Gerencie seus usuários e suas permissões\",\"1m+YT2\":\"Perguntas obrigatórias devem ser respondidas antes que o cliente possa finalizar a compra.\",\"Dim4LO\":\"Adicionar manualmente um participante\",\"e4KdjJ\":\"Adicionar participante manualmente\",\"lzcrX3\":\"Adicionar manualmente um participante ajustará a quantidade de ingressos.\",\"g9dPPQ\":\"Máximo por pedido\",\"l5OcwO\":\"Participante da mensagem\",\"Gv5AMu\":\"Participantes da mensagem\",\"1jRD0v\":\"Enviar mensagens aos participantes com tickets específicos\",\"Lvi+gV\":\"Comprador de mensagens\",\"tNZzFb\":\"Conteúdo da mensagem\",\"lYDV/s\":\"Mensagem para participantes individuais\",\"V7DYWd\":\"Mensagem enviada\",\"t7TeQU\":\"Mensagens\",\"xFRMlO\":\"Mínimo por pedido\",\"QYcUEf\":\"Preço minimo\",\"mYLhkl\":\"Configurações Diversas\",\"KYveV8\":\"Caixa de texto com várias linhas\",\"SVuGaP\":\"Multiple price options, users can choose which to pay\",\"6wbTro\":\"Várias opções de preços. Perfeito para ingressos antecipados, etc.\",\"/bhMdO\":\"Minha incrível descrição do evento...\",\"vX8/tc\":\"Meu incrível título de evento...\",\"hKtWk2\":\"Meu perfil\",\"pRjx4L\":\"Nome placerat elementum...\",\"6YtxFj\":\"Nome\",\"hVuv90\":\"O nome deve ter menos de 150 caracteres\",\"AIUkyF\":\"Navegue até o participante\",\"qqeAJM\":\"Nunca\",\"7vhWI8\":\"Nova Senha\",\"m920rF\":\"New York\",\"1UzENP\":\"Não\",\"LNWHXb\":\"Não há eventos arquivados para mostrar.\",\"Wjz5KP\":\"Nenhum participante para mostrar\",\"Razen5\":\"Nenhum participante poderá se registrar antes desta data usando esta lista\",\"XUfgCI\":\"Sem Atribuições de Capacidade\",\"a/gMx2\":\"Nenhuma Lista de Registro\",\"fFeCKc\":\"Sem desconto\",\"HFucK5\":\"Não há eventos encerrados para mostrar.\",\"Z6ILSe\":\"Nenhum evento para este organizador\",\"yAlJXG\":\"Nenhum evento para mostrar\",\"KPWxKD\":\"Nenhuma mensagem para mostrar\",\"J2LkP8\":\"Não há pedidos para mostrar\",\"+Y976X\":\"Nenhum código promocional para mostrar\",\"Ev2r9A\":\"Nenhum resultado\",\"RHyZUL\":\"Nenhum resultado de pesquisa.\",\"cU1op4\":\"No Taxes or Fees have been added yet.\",\"RY2eP1\":\"Nenhum imposto ou taxa foi adicionado.\",\"uR2eFu\":\"No tickets available\",\"b7JZFg\":\"Não há ingressos para mostrar\",\"EdQY6l\":\"Nenhum\",\"OJx3wK\":\"Não disponível\",\"x5+Lcz\":\"Não verificado\",\"Scbrsn\":\"Não está à venda\",\"hFwWnI\":\"Configurações de notificação\",\"xXqEPO\":\"Notificar o comprador sobre o reembolso\",\"YpN29s\":\"Notificar o organizador sobre novos pedidos\",\"qeQhNj\":\"Agora vamos criar seu primeiro evento\",\"2NPDz1\":\"À venda\",\"Ldu/RI\":\"À venda\",\"Ug4SfW\":\"Depois de criar um evento, você o verá aqui.\",\"+P/tII\":\"Quando estiver pronto, programe seu evento ao vivo e comece a vender ingressos.\",\"J6n7sl\":\"Em andamento\",\"z+nuVJ\":\"Evento on-line\",\"WKHW0N\":\"Detalhes do evento on-line\",\"/xkmKX\":\"Somente emails importantes, que estejam diretamente relacionados a este evento, deverão ser enviados através deste formulário.\\nQualquer uso indevido, incluindo o envio de e-mails promocionais, levará ao banimento imediato da conta.\",\"Qqqrwa\":\"Abrir página de check-in\",\"OdnLE4\":\"Abrir barra lateral\",\"ZZEYpT\":[\"Opção \",[\"i\"]],\"0zpgxV\":\"Opções\",\"BzEFor\":\"ou\",\"UYUgdb\":\"Ordem\",\"mm+eaX\":\"Ordem #\",\"B3gPuX\":\"Pedido cancelado\",\"SIbded\":\"Encomenda completa\",\"q/CcwE\":\"Data do pedido\",\"Tol4BF\":\"detalhes do pedido\",\"L4kzeZ\":[\"Detalhes do pedido \",[\"0\"]],\"WbImlQ\":\"O pedido foi cancelado e o proprietário do pedido foi notificado.\",\"VCOi7U\":\"Perguntas sobre pedidos\",\"wg9MPp\":\"Order questions are asked once per order. By default, people are asked for their first name, last name, and email address.\",\"+KNVxX\":\"Order questions are asked once per order. By default, we ask for the first name, last name, and email address.\",\"TPoYsF\":\"Referência do pedido\",\"GX6dZv\":\"resumo do pedido\",\"tDTq0D\":\"Tempo limite do pedido\",\"1h+RBg\":\"Pedidos\",\"mz+c33\":\"Pedidos criados\",\"G5RhpL\":\"Organizador\",\"m/ebSk\":\"Organizer Details\",\"mYygCM\":\"O organizador é obrigatório\",\"Pa6G7v\":\"Nome do organizador\",\"J2cXxX\":\"Os organizadores só podem gerenciar eventos e ingressos. Eles não podem gerenciar usuários, configurações de conta ou informações de cobrança.\",\"fdjq4c\":\"Preenchimento\",\"ErggF8\":\"Cor de fundo da página\",\"8F1i42\":\"página não encontrada\",\"QbrUIo\":\"visualizações de página\",\"6D8ePg\":\"página.\",\"IkGIz8\":\"pago\",\"2w/FiJ\":\"Bilhete Pago\",\"8ZsakT\":\"Senha\",\"TUJAyx\":\"A senha deve ter no mínimo 8 caracteres\",\"vwGkYB\":\"A senha deve conter pelo menos 8 caracteres\",\"BLTZ42\":\"Redefinição de senha com sucesso. Por favor faça login com sua nova senha.\",\"f7SUun\":\"senhas nao sao as mesmas\",\"aEDp5C\":\"Cole onde deseja que o widget apareça.\",\"+23bI/\":\"Patrício\",\"iAS9f2\":\"patrick@acme.com\",\"iq5IUr\":\"Pause Ticket\",\"621rYf\":\"Pagamento\",\"JhtZAK\":\"Pagamento falhou\",\"xgav5v\":\"Pagamento realizado com sucesso!\",\"CcK+Ft\":\"PDF\",\"att1Hj\":\"percent\",\"/roQKz\":\"Percentagem\",\"vPJ1FI\":\"Valor percentual\",\"xdA9ud\":\"Coloque isso no do seu site.\",\"blK94r\":\"Adicione pelo menos uma opção\",\"FJ9Yat\":\"Verifique se as informações fornecidas estão corretas\",\"TkQVup\":\"Verifique seu e-mail e senha e tente novamente\",\"sMiGXD\":\"Verifique se seu e-mail é válido\",\"Ajavq0\":\"Verifique seu e-mail para confirmar seu endereço de e-mail\",\"MdfrBE\":\"Preencha o formulário abaixo para aceitar seu convite\",\"b1Jvg+\":\"Continue na nova aba\",\"q40YFl\":\"Please continue your order in the new tab\",\"cdR8d6\":\"Por favor, crie um ingresso\",\"ZJG4Di\":\"Please ensure you only send emails directly related to the order. Promotional emails\\nshould not be sent using this form.\",\"o+HaYe\":\"Please enter a valid promo code\",\"HnNept\":\"Por favor digite sua nova senha\",\"5FSIzj\":\"Observe\",\"MA04r/\":\"Remova os filtros e defina a classificação como \\\"Ordem da página inicial\\\" para ativar a classificação\",\"pJLvdS\":\"Por favor selecione\",\"yygcoG\":\"Selecione pelo menos um ingresso\",\"igBrCH\":\"Verifique seu endereço de e-mail para acessar todos os recursos\",\"MOERNx\":\"Português\",\"R7+D0/\":\"Português (Brasil)\",\"qCJyMx\":\"Mensagem pós-check-out\",\"g2UNkE\":\"Distribuído por\",\"Qs7yI0\":\"Powered By\",\"lqAWKB\":\"Powered by <0>Hi.Events 👋\",\"3n47kV\":\"Powered By Hi.Events\",\"ddi4j4\":\"Desenvolvido por Stripe\",\"Rs7IQv\":\"Mensagem pré-checkout\",\"rdUucN\":\"Visualização\",\"a7u1N9\":\"Preço\",\"CmoB9j\":\"Modo de exibição de preço\",\"Q8PWaJ\":\"Níveis de preços\",\"a5jvSX\":\"Price Tiers\",\"6RmHKN\":\"Cor primária\",\"G/ZwV1\":\"Cor Primária\",\"8cBtvm\":\"Cor do texto principal\",\"BZz12Q\":\"Imprimir\",\"MT7dxz\":\"Imprimir todos os ingressos\",\"vERlcd\":\"Perfil\",\"kUlL8W\":\"Perfil atualizado com sucesso\",\"cl5WYc\":[\"Código promocional \",[\"promo_code\"],\" aplicado\"],\"ZXpm3a\":[\"Promo \",[\"promoCode\"],\" code applied\"],\"yKWfjC\":\"Página de código promocional\",\"RVb8Fo\":\"Códigos promocionais\",\"BZ9GWa\":\"Os códigos promocionais podem ser usados para oferecer descontos, acesso pré-venda ou fornecer acesso especial ao seu evento.\",\"4kyDD5\":\"Forneça contexto adicional ou instruções para esta pergunta. Use este campo para adicionar termos e condições, diretrizes ou qualquer informação importante que os participantes precisem saber antes de responder.\",\"812gwg\":\"Licença de compra\",\"LkMOWF\":\"Quantidade Disponível\",\"XKJuAX\":\"Pergunta excluída\",\"avf0gk\":\"Descrição da pergunta\",\"oQvMPn\":\"título da questão\",\"enzGAL\":\"Questões\",\"K885Eq\":\"Perguntas classificadas com sucesso\",\"OMJ035\":\"Opção de rádio\",\"C4TjpG\":\"Leia menos\",\"I3QpvQ\":\"Destinatário\",\"N2C89m\":\"Referência\",\"gxFu7d\":[\"Valor do reembolso (\",[\"0\"],\")\"],\"n10yGu\":\"Pedido de reembolso\",\"zPH6gp\":\"Pedido de reembolso\",\"/BI0y9\":\"Devolveu\",\"fgLNSM\":\"Registro\",\"tasfos\":\"remover\",\"t/YqKh\":\"Remover\",\"RloWNu\":\"Reply to email\",\"EGm34e\":\"Reenviar e-mail de confirmação\",\"lnrkNz\":\"Reenviar e-mail de confirmação\",\"wIa8Qe\":\"Reenviar convite\",\"VeKsnD\":\"Reenviar e-mail do pedido\",\"dFuEhO\":\"Reenviar e-mail do ticket\",\"o6+Y6d\":\"Reenviando...\",\"RfwZxd\":\"Redefinir senha\",\"KbS2K9\":\"Redefinir senha\",\"e99fHm\":\"Restaurar evento\",\"vtc20Z\":\"Voltar à página do evento\",\"8YBH95\":\"Receita\",\"PO/sOY\":\"Revogar convite\",\"GDvlUT\":\"Papel\",\"ELa4O9\":\"Data de término da venda\",\"5uo5eP\":\"A venda terminou\",\"Qm5XkZ\":\"Data de início da venda\",\"hVF4dJ\":\"Sale starts\",\"hBsw5C\":\"Vendas encerradas\",\"kpAzPe\":\"Início das vendas\",\"P/wEOX\":\"São Francisco\",\"tfDRzk\":\"Salvar\",\"IUwGEM\":\"Salvar alterações\",\"U65fiW\":\"Salvar organizador\",\"UGT5vp\":\"Salvar configurações\",\"ovB7m2\":\"Digitalize o código QR\",\"lBAlVv\":\"Pesquise por nome, número do pedido, número do participante ou e-mail...\",\"W4kWXJ\":\"Pesquise por nome do participante, e-mail ou número do pedido...\",\"ulAuWO\":\"Search by event name or description...\",\"+pr/FY\":\"Pesquisar por nome do evento...\",\"NQSiYb\":\"Search by name or description...\",\"3zRbWw\":\"Pesquise por nome, e-mail ou número do pedido...\",\"BiYOdA\":\"Procura por nome...\",\"B1bB1j\":\"Search by order #, name or email...\",\"jA4hXE\":\"Search by subject or body...\",\"YEjitp\":\"Pesquise por assunto ou conteúdo...\",\"HYnGee\":\"Pesquisar por nome do ticket...\",\"Pjsch9\":\"Pesquisar atribuições de capacidade...\",\"r9M1hc\":\"Pesquisar listas de registro...\",\"YIix5Y\":\"Procurar...\",\"OeW+DS\":\"Cor secundária\",\"DnXcDK\":\"Cor Secundária\",\"cZF6em\":\"Cor do texto secundário\",\"ZIgYeg\":\"Cor do texto secundário\",\"QuNKRX\":\"Selecione Câmera\",\"kWI/37\":\"Selecione o organizador\",\"hAjDQy\":\"Selecione o status\",\"QYARw/\":\"Selecione o ingresso\",\"XH5juP\":\"Selecione o nível do ingresso\",\"OMX4tH\":\"Selecionar ingressos\",\"nuWxSr\":\"Select Tickets\",\"O/7I0o\":\"Selecione...\",\"JlFcis\":\"Enviar\",\"qKWv5N\":[\"Envie uma cópia para <0>\",[\"0\"],\"\"],\"RktTWf\":\"Envie uma mensagem\",\"/mQ/tD\":\"Envie como teste. Isso enviará a mensagem para o seu endereço de e-mail, e não para os destinatários.\",\"471O/e\":\"Send confirmation email\",\"M/WIer\":\"Enviar Mensagem\",\"D7ZemV\":\"Enviar confirmação do pedido e e-mail do ticket\",\"v1rRtW\":\"Enviar teste\",\"j1VfcT\":\"Descrição SEO\",\"/SIY6o\":\"Palavras-chave SEO\",\"GfWoKv\":\"Configurações de SEO\",\"rXngLf\":\"Título SEO\",\"/jZOZa\":\"Taxa de serviço\",\"vu4F0h\":\"Set a minimum price and let users donate more\",\"Bj/QGQ\":\"Fixar um preço mínimo e permitir que os utilizadores paguem mais se assim o desejarem\",\"nYNT+5\":\"Configure seu evento\",\"A8iqfq\":\"Defina seu evento ao vivo\",\"Tz0i8g\":\"Configurações\",\"Z8lGw6\":\"Compartilhar\",\"FFbYHm\":[\"Should this \",[\"type\"],\" be applied to all new tickets?\"],\"8vETh9\":\"Mostrar\",\"smd87r\":\"Mostrar quantidade de ingressos disponíveis\",\"qDsmzu\":\"Mostrar perguntas ocultas\",\"fMPkxb\":\"Mostre mais\",\"izwOOD\":\"Mostrar impostos e taxas separadamente\",\"j3b+OW\":\"Mostrado ao cliente após a finalização da compra, na página de resumo do pedido\",\"YfHZv0\":\"Mostrado ao cliente antes de finalizar a compra\",\"CBBcly\":\"Mostra campos de endereço comuns, incluindo país\",\"yTnnYg\":\"Simpson\",\"TNaCfq\":\"Caixa de texto de linha única\",\"+P0Cn2\":\"Pular esta etapa\",\"YSEnLE\":\"Smith\",\"lgFfeO\":\"Vendido\",\"Mi1rVn\":\"Vendido\",\"nwtY4N\":\"Algo deu errado\",\"GRChTw\":\"Algo deu errado ao excluir o imposto ou taxa\",\"YHFrbe\":\"Algo deu errado! Por favor, tente novamente\",\"kf83Ld\":\"Algo deu errado.\",\"fWsBTs\":\"Algo deu errado. Por favor, tente novamente.\",\"F6YahU\":\"Desculpe, algo deu errado. Por favor, reinicie o processo de checkout.\",\"KWgppI\":\"Desculpe, algo deu errado ao carregar esta página.\",\"/TCOIK\":\"Desculpe, este pedido não existe mais.\",\"DvCwYF\":\"Sorry, this promo code is invalid'\",\"6a/UJE\":\"Desculpe, este código promocional não é reconhecido\",\"9rRZZ+\":\"Desculpe, seu pedido expirou. Por favor, inicie um novo pedido.\",\"a4SyEE\":\"A classificação está desativada enquanto os filtros e a classificação são aplicados\",\"65A04M\":\"espanhol\",\"4nG1lG\":\"Bilhete padrão com preço fixo\",\"D3iCkb\":\"Data de início\",\"RS0o7b\":\"State\",\"/2by1f\":\"Estado ou Região\",\"uAQUqI\":\"Status\",\"UJmAAK\":\"Assunto\",\"X2rrlw\":\"Subtotal\",\"b0HJ45\":[\"Sucesso! \",[\"0\"],\" receberá um e-mail em breve.\"],\"BJIEiF\":[[\"0\"],\" participante com sucesso\"],\"Ih8kN0\":[\"Successfully $\",[\"0\"],\" attendee\"],\"xHl17l\":[\"Verificado com sucesso <0>\",[\"0\"],\" \",[\"1\"],\" \",[\"2\"]],\"OtgNFx\":\"Endereço de e-mail confirmado com sucesso\",\"IKwyaF\":\"Alteração de e-mail confirmada com sucesso\",\"zLmvhE\":\"Participante criado com sucesso\",\"9mZEgt\":\"Código promocional criado com sucesso\",\"aIA9C4\":\"Pergunta criada com sucesso\",\"onFQYs\":\"Ticket criado com sucesso\",\"Hgj/mB\":\"Successfully deleted ticket\",\"J3RJSZ\":\"Participante atualizado com sucesso\",\"3suLF0\":\"Atribuição de Capacidade atualizada com sucesso\",\"Z+rnth\":\"Lista de Registro atualizada com sucesso\",\"vzJenu\":\"Configurações de e-mail atualizadas com sucesso\",\"7kOMfV\":\"Evento atualizado com sucesso\",\"G0KW+e\":\"Design da página inicial atualizado com sucesso\",\"k9m6/E\":\"Configurações da página inicial atualizadas com sucesso\",\"y/NR6s\":\"Local atualizado com sucesso\",\"73nxDO\":\"Configurações diversas atualizadas com sucesso\",\"70dYC8\":\"Código promocional atualizado com sucesso\",\"F+pJnL\":\"Configurações de SEO atualizadas com sucesso\",\"g2lRrH\":\"Ticket atualizado com sucesso\",\"DXZRk5\":\"Suíte 100\",\"GNcfRk\":\"E-mail de suporte\",\"JpohL9\":\"Imposto\",\"geUFpZ\":\"Impostos e taxas\",\"0RXCDo\":\"Imposto ou taxa excluídos com sucesso\",\"ZowkxF\":\"Impostos\",\"EEZnW+\":\"Taxes & Fees\",\"qu6/03\":\"Impostos e Taxas\",\"gVjSFp\":\"Taxes and Fees can be associated with tickets and will be added to the ticket price.\",\"e0ZSh4\":\"Text Colour\",\"gypigA\":\"Esse código promocional é inválido\",\"0ozSQu\":\"The background color for the event homepage\",\"LbHWgW\":\"The background color for the ticket widget on the event homepage\",\"75Xclv\":\"The basic details of your event\",\"5ShqeM\":\"A lista de check-in que você está procurando não existe.\",\"UNqHnV\":\"The color of the buttons on the event homepage\",\"0amhbL\":\"The color of the links on the event homepage\",\"QXlz+n\":\"A moeda padrão para seus eventos.\",\"mnafgQ\":\"O fuso horário padrão para seus eventos.\",\"o7s5FA\":\"A língua em que o participante receberá as mensagens de correio eletrónico.\",\"NlfnUd\":\"O link que você clicou é inválido.\",\"FqjKfd\":\"The location of your event\",\"kIXEVN\":[\"O número máximo de bilhetes para \",[\"0\"],\" é \",[\"1\"]],\"FeAfXO\":[\"O número máximo de ingressos para generais é \",[\"0\"]],\"POEqXB\":\"The organizer details of your event\",\"TSAiPM\":\"A página que você procura não existe\",\"MSmKHn\":\"O preço exibido ao cliente incluirá impostos e taxas.\",\"6zQOg1\":\"O preço apresentado ao cliente não incluirá impostos e taxas. Eles serão mostrados separadamente\",\"ne/9Ur\":\"As configurações de estilo escolhidas aplicam-se somente ao HTML copiado e não serão armazenadas.\",\"TJZByZ\":\"The tax and fee to apply to this ticket. You can create new taxes and fees on the\",\"OJYwh9\":\"Os impostos e taxas aplicáveis a este bilhete. Você pode criar novos impostos e taxas sobre o\",\"6BpBfZ\":\"The text color for the event homepage\",\"rljHp7\":\"The text color for the ticket widget on the event homepage\",\"s4di40\":\"The text to display in the 'Continue' button. Defaults to 'Continue'\",\"esY5SG\":\"O título do evento que será exibido nos resultados dos buscadores e no compartilhamento nas redes sociais. Por padrão, o título do evento será usado\",\"wgAiDb\":\"The user must login to change their email.\",\"jvxN9/\":\"Não há ingressos disponíveis para este evento\",\"rMcHYt\":\"Há um reembolso pendente. Aguarde a conclusão antes de solicitar outro reembolso.\",\"hjLUr+\":\"There was an error loading this content. Please refresh the page and try again.\",\"68Axnm\":\"Houve um erro ao processar seu pedido. Por favor, tente novamente.\",\"mVKOW6\":\"Houve um erro ao enviar a sua mensagem\",\"Um/adz\":\"These allow multiple selections\",\"vWeHWp\":\"These colors are not saved in our system.\",\"7qzHGS\":\"These colors are not saved in our system. They are only used to generate the widget.\",\"xxv3BZ\":\"Esta lista de registro expirou\",\"Sa7w7S\":\"Esta lista de registro expirou e não está mais disponível para registros.\",\"Uicx2U\":\"Esta lista de registro está ativa\",\"1k0Mp4\":\"Esta lista de registro ainda não está ativa\",\"K6fmBI\":\"Esta lista de registro ainda não está ativa e não está disponível para registros.\",\"t/ePFj\":\"Esta descrição será mostrada à equipe de registro\",\"MLTkH7\":\"Este e-mail não é promocional e está diretamente relacionado ao evento.\",\"2eIpBM\":\"Este evento não está disponível no momento. Por favor, volte mais tarde.\",\"Z6LdQU\":\"Este evento não está disponível.\",\"CNk/ro\":\"Este é um evento on-line\",\"GabtCa\":\"This is the email address that will be used as the reply-to address for all emails sent from this event\",\"FwXnJd\":\"Esta lista não estará mais disponível para registros após esta data\",\"CKkb5E\":\"This message is how below the\",\"cHO4ec\":\"Esta mensagem será incluída no rodapé de todos os e-mails enviados deste evento\",\"RjwlZt\":\"Este pedido já foi pago.\",\"axERYu\":\"This order has already been paid. <0>View order details\",\"wY+HO9\":\"This order has already been processed.\",\"5K8REg\":\"Este pedido já foi reembolsado.\",\"OiQMhP\":\"Esse pedido foi cancelado\",\"YyEJij\":\"Esse pedido foi cancelado.\",\"D44cEI\":\"This order has been completed.\",\"HILpDX\":\"Este pedido está aguardando pagamento\",\"0vRWbB\":\"This order is awaiting payment.\",\"BdYtn9\":\"Este pedido está completo\",\"e3uMJH\":\"Este pedido está completo.\",\"YNKXOK\":\"Este pedido está sendo processado.\",\"LIjb4v\":\"This order is processing. TODO - a nice image and poll the API\",\"yPZN4i\":\"Esta página de pedido não está mais disponível.\",\"5189cf\":\"Isso substituirá todas as configurações de visibilidade e ocultará o ticket de todos os clientes.\",\"4vwjho\":\"This page has expired. <0>View order details\",\"Qt7RBu\":\"Esta pergunta só é visível para o organizador do evento\",\"os29v1\":\"Este link de redefinição de senha é inválido ou expirou.\",\"WJqBqd\":\"Este ticket não pode ser excluído porque é\\nassociado a um pedido. Você pode ocultá-lo.\",\"ma6qdu\":\"Este ingresso está oculto da visualização pública\",\"xJ8nzj\":\"Este ingresso fica oculto, a menos que seja alvo de um código promocional\",\"IV9xTT\":\"Este usuário não está ativo porque não aceitou o convite.\",\"5AnPaO\":\"bilhete\",\"kjAL4v\":\"Bilhete\",\"KosivG\":\"Ticket excluído com sucesso\",\"dtGC3q\":\"O e-mail do ticket foi reenviado ao participante\",\"USk+Mn\":\"Ticket page message\",\"mRM6XH\":\"Venda de ingressos\",\"NirIiz\":\"Nível de ingresso\",\"8jLPgH\":\"Tipo de bilhete\",\"jqWDf9\":\"Ticket widget background color\",\"UrMVAz\":\"Visualização do widget de ingressos\",\"ngtDy7\":\"Ticket widget text color\",\"N+YYpo\":\"Ingressos\",\"6GQNLE\":\"Ingressos\",\"54q0zp\":\"Ingressos para\",\"ikA//P\":\"bilhetes vendidos\",\"i+idBz\":\"Ingressos vendidos\",\"AGRilS\":\"Ingressos vendidos\",\"56Qw2C\":\"Tickets classificados com sucesso\",\"4f8A8M\":\"Tickets to which the promo code applies (Applies to all by default)\",\"xN9AhL\":[\"Nível \",[\"0\"]],\"oYaHuq\":\"Bilhete em camadas\",\"XZrhpz\":\"Tiered Ticket - Coming Soon\",\"4M150e\":\"Os ingressos escalonados permitem que você ofereça várias opções de preços para o mesmo ingresso.\\nIsso é perfeito para ingressos antecipados ou com preços diferentes\\nopções para diferentes grupos de pessoas.\",\"jQoYTX\":\"Tiered tickets allow you to offer multiple price options for the same ticket. This is perfect for early bird tickets or offering different price options for different groups of people.\",\"s/0RpH\":\"Tempos usados\",\"40Gx0U\":\"Fuso horário\",\"oDGm7V\":\"DICA\",\"MHrjPM\":\"Título\",\"xdA/+p\":\"Ferramentas\",\"72c5Qo\":\"Total\",\"BxsfMK\":\"Taxas totais\",\"mpB/d9\":\"Valor total do pedido\",\"m3FM1g\":\"Total reembolsado\",\"GBBIy+\":\"Total restante\",\"/SgoNA\":\"Taxa total\",\"+zy2Nq\":\"Tipo\",\"mLGbAS\":[\"Não foi possível \",[\"0\"],\" participante\"],\"FMdMfZ\":\"Não foi possível registrar o participante\",\"bPWBLL\":\"Não foi possível retirar o participante\",\"/cSMqv\":\"Não foi possível criar a pergunta. Por favor verifique os seus dados\",\"nNdxt9\":\"Não foi possível criar o ticket. Por favor verifique os seus dados\",\"MH/lj8\":\"Não foi possível atualizar a pergunta. Por favor verifique os seus dados\",\"Mqy/Zy\":\"Estados Unidos\",\"NIuIk1\":\"Ilimitado\",\"oMcLhS\":\"Unlimited ticket quantity available\",\"E0q9qH\":\"Usos ilimitados permitidos\",\"ia8YsC\":\"Por vir\",\"TlEeFv\":\"Próximos eventos\",\"L/gNNk\":[\"Atualizar \",[\"0\"]],\"+qqX74\":\"Atualizar nome, descrição e datas do evento\",\"vXPSuB\":\"Atualizar perfil\",\"gsehpV\":\"Upload an image to be displayed on the event page\",\"BNBfrU\":\"Carregar capa\",\"UtDm3q\":\"URL copiado para a área de transferência\",\"e5lF64\":\"Exemplo de uso\",\"sGEOe4\":\"Use uma versão desfocada da imagem da capa como plano de fundo\",\"OadMRm\":\"Usar imagem de capa\",\"7PzzBU\":\"Do utilizador\",\"yDOdwQ\":\"Gerenciamento de usuários\",\"Sxm8rQ\":\"Usuários\",\"VEsDvU\":\"Os usuários podem alterar o e-mail em <0>Configurações do perfil\",\"vgwVkd\":\"UTC\",\"khBZkl\":\"CUBA\",\"E/9LUk\":\"Nome do local\",\"AM+zF3\":\"Ver participante\",\"e4mhwd\":\"Ver página inicial do evento\",\"/5PEQz\":\"Ver página do evento\",\"fFornT\":\"Ver mensagem completa\",\"YIsEhQ\":\"Ver mapa\",\"Ep3VfY\":\"Ver no Google Maps\",\"AMkkeL\":\"Ver pedido\",\"Y8s4f6\":\"Ver detalhes do pedido\",\"QIWCnW\":\"Lista de check-in VIP\",\"tF+VVr\":\"Bilhete VIP\",\"2q/Q7x\":\"Visibilidade\",\"vmOFL/\":\"Não foi possível processar seu pagamento. Tente novamente ou entre em contato com o suporte.\",\"1E0vyy\":\"Não foi possível carregar os dados. Por favor, tente novamente.\",\"VGioT0\":\"Recomendamos dimensões de 2160px por 1080px e tamanho máximo de arquivo de 5MB\",\"b9UB/w\":\"Usamos Stripe para processar pagamentos. Conecte sua conta Stripe para começar a receber pagamentos.\",\"01WH0a\":\"Não foi possível confirmar seu pagamento. Tente novamente ou entre em contato com o suporte.\",\"Gspam9\":\"Estamos processando seu pedido. Por favor, aguarde...\",\"LuY52w\":\"Bem vindo a bordo! Por favor faça o login para continuar.\",\"dVxpp5\":[\"Bem vindo de volta\",[\"0\"],\" 👋\"],\"NxOVCl\":[\"Bem-vindo ao Hi.Events, \",[\"0\"],\" 👋\"],\"wjqPqF\":\"O que são ingressos diferenciados?\",\"f1jUC0\":\"Em que data esta lista de registro deve se tornar ativa?\",\"5iXvHA\":\"What is a Tiered Ticketing?\",\"MhhnvW\":\"A quais ingressos esse código se aplica? (Aplica-se a todos por padrão)\",\"dCil3h\":\"A quais tickets esta pergunta deve ser aplicada?\",\"Rb0XUE\":\"A que horas você chegará?\",\"5N4wLD\":\"Que tipo de pergunta é essa?\",\"D7C6XV\":\"Quando esta lista de registro deve expirar?\",\"FVetkT\":\"Quais ingressos devem ser associados a esta lista de registro?\",\"S+OdxP\":\"Quem está organizando este evento?\",\"LINr2M\":\"Para quem é esta mensagem?\",\"nWhye/\":\"A quem deve ser feita esta pergunta?\",\"vVGiM4\":\"Who type of question is this?\",\"onLsWS\":\"Whoops! something went wrong. Please try again or contact support if the problem persists.\",\"AHXN2z\":\"Widget\",\"AU/8QR\":\"Widget Configuration\",\"VxFvXQ\":\"Incorporação de widget\",\"v1P7Gm\":\"Configurações de widget\",\"b4itZn\":\"Trabalhando\",\"hqmXmc\":\"Trabalhando...\",\"l75CjT\":\"Sim\",\"QcwyCh\":\"Sim, remova-os\",\"ySeBKv\":\"Você já escaneou este ingresso\",\"P+Sty0\":[\"Você está alterando seu e-mail para <0>\",[\"0\"],\".\"],\"gGhBmF\":\"Você está offline\",\"4ysd6z\":\"You can connecting using this Zoom link...\",\"9HGdDw\":\"Você pode criar um código promocional direcionado a este ingresso no\",\"KRhIxT\":\"Agora você pode começar a receber pagamentos através do Stripe.\",\"UqVaVO\":\"Você não pode alterar o tipo de ingresso porque há participantes associados a esse ingresso.\",\"zQ8idk\":\"You cannot change the ticket type because there are already tickets sold for this ticket.\",\"3vRX5A\":\"Você não pode excluir esse nível de preço porque já existem ingressos vendidos para esse nível. Você pode ocultá-lo.\",\"RCC09s\":\"You cannot edit a default question\",\"tFbRKJ\":\"Você não pode editar a função ou o status do proprietário da conta.\",\"fHfiEo\":\"Você não pode reembolsar um pedido criado manualmente.\",\"hK9c7R\":\"Você criou uma pergunta oculta, mas desativou a opção de mostrar perguntas ocultas. Foi habilitado.\",\"NOaWRX\":\"Você não tem permissão para acessar esta página\",\"BRArmD\":\"Você tem acesso a várias contas. Escolha um para continuar.\",\"Z6q0Vl\":\"Você já aceitou este convite. Por favor faça o login para continuar.\",\"rdk1xK\":\"Você conectou sua conta Stripe\",\"ofEncr\":\"Você não tem perguntas dos participantes.\",\"XoeazJ\":\"You have no attendee questions. Attendee questions are asked once per attendee.\",\"CoZHDB\":\"Você não tem perguntas sobre pedidos.\",\"FZKDIe\":\"You have no order questions. Order questions are asked once per order.\",\"15qAvl\":\"Você não tem nenhuma alteração de e-mail pendente.\",\"n81Qk8\":\"Você não concluiu a configuração do Stripe Connect\",\"jxsiqJ\":\"Você não conectou sua conta Stripe\",\"183zcL\":\"Você tem impostos e taxas adicionados a um ingresso grátis. Você gostaria de removê-los ou ocultá-los?\",\"2v5MI1\":\"Você ainda não enviou nenhuma mensagem. Você pode enviar mensagens para todos os participantes ou para portadores de ingressos específicos.\",\"R6i9o9\":\"Você deve reconhecer que este e-mail não é promocional\",\"3ZI8IL\":\"Você deve concordar com os termos e condições\",\"dMd3Uf\":\"Você deve confirmar seu endereço de e-mail antes que seu evento possa ir ao ar.\",\"H35u3n\":\"Você deve criar um ticket antes de poder adicionar manualmente um participante.\",\"jE4Z8R\":\"Você deve ter pelo menos uma faixa de preço\",\"LRguuL\":\"You must have at least one tier\",\"8/eLoa\":\"Você precisa verificar sua conta antes de enviar mensagens.\",\"L/+xOk\":\"Você precisará de um ingresso antes de poder criar uma lista de registro.\",\"8QNzin\":\"Você precisará de um ingresso antes de poder criar uma atribuição de capacidade.\",\"WHXRMI\":\"Você precisará de pelo menos um ticket para começar. Gratuito, pago ou deixa o usuário decidir quanto pagar.\",\"bdg03s\":\"Your account email in outgoing emails.\",\"ROR8QD\":\"O nome da sua conta é usado nas páginas do evento e nos e-mails.\",\"veessc\":\"Seus participantes aparecerão aqui assim que se inscreverem em seu evento. Você também pode adicionar participantes manualmente.\",\"Eh5Wrd\":\"Seu site incrível 🎉\",\"lkMK2r\":\"Seus detalhes\",\"3ENYTQ\":[\"Sua solicitação de e-mail para <0>\",[\"0\"],\" está pendente. Por favor, verifique seu e-mail para confirmar\"],\"yZfBoy\":\"Sua mensagem foi enviada\",\"la26JS\":\"Your order is in progress\",\"7YJdgG\":\"Seus pedidos aparecerão aqui assim que começarem a chegar.\",\"9TO8nT\":\"Sua senha\",\"P8hBau\":\"Seu pagamento está sendo processado.\",\"UdY1lL\":\"Seu pagamento não foi bem-sucedido, tente novamente.\",\"fzuM26\":\"Seu pagamento não foi bem-sucedido. Por favor, tente novamente.\",\"cJ4Y4R\":\"Seu reembolso está sendo processado.\",\"IFHV2p\":\"Seu ingresso para\",\"3k7HDY\":\"Zip\",\"BM/KQm\":\"CEP ou Código postal\",\"VftCuk\":\"Zoom link, Google Meet link, etc.\"}")}; \ No newline at end of file +/*eslint-disable*/module.exports={messages:JSON.parse("{\"1bpx9A\":\"...\",\"f8qS7T\":\"'Não há nada para mostrar ainda'\",\"4zldrf\":[[\"0\",\"plural\",{\"one\":[\"#\",\" hidden question\"],\"other\":[\"#\",\" hidden questions\"]}]],\"J/hVSQ\":[[\"0\"]],\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"Jv22kr\":[[\"0\"],\" <0>registrado com sucesso\"],\"yxhYRZ\":[[\"0\"],\" <0>desmarcado com sucesso\"],\"KMgp2+\":[[\"0\"],\" disponível\"],\"tmew5X\":[[\"0\"],\" fez check-in\"],\"Pmr5xp\":[[\"0\"],\" criado com sucesso\"],\"FImCSc\":[[\"0\"],\" atualizado com sucesso\"],\"KOr9b4\":[\"Eventos de \",[\"0\"]],\"qSiUsc\":[[\"0\"],[\"1\"]],\"cU8MWb\":[[\"0\"],\"/\",[\"1\"],\" registrado\"],\"Vjij1k\":[[\"days\"],\" dias, \",[\"hours\"],\" horas, \",[\"minutes\"],\" minutos e \",[\"seconds\"],\" segundos\"],\"f3RdEk\":[[\"hours\"],\" horas, \",[\"minutes\"],\" minutos e \",[\"seconds\"],\" segundos\"],\"wapGcj\":[[\"message\"]],\"fyE7Au\":[[\"minutos\"],\" minutos e \",[\"segundos\"],\" segundos\"],\"NlQ0cx\":[\"Primeiro evento de \",[\"organizerName\"]],\"Ul6IgC\":\"<0>As atribuições de capacidade permitem que você gerencie a capacidade entre ingressos ou um evento inteiro. Ideal para eventos de vários dias, workshops e mais, onde o controle de presença é crucial.<1>Por exemplo, você pode associar uma atribuição de capacidade ao ingresso de <2>Dia Um e <3>Todos os Dias. Uma vez que a capacidade é atingida, ambos os ingressos pararão automaticamente de estar disponíveis para venda.\",\"Exjbj7\":\"<0>As listas de registro ajudam a gerenciar a entrada dos participantes no seu evento. Você pode associar vários ingressos a uma lista de registro e garantir que apenas aqueles com ingressos válidos possam entrar.\",\"OXku3b\":\"<0>https://seu-website.com\",\"qnSLLW\":\"<0>Por favor, insira o preço sem incluir impostos e taxas.<1>Impostos e taxas podem ser adicionados abaixo.\",\"0940VN\":\"<0>O número de ingressos disponíveis para este ingresso<1>Este valor pode ser substituído se houver <2>Limites de Capacidade associados a este ingresso.\",\"E15xs8\":\"⚡️ Configure seu evento\",\"FL6OwU\":\"✉️ Confirme seu endereço de e-mail\",\"y1NShf\":\"🎉 Congratulation on creating an event!\",\"BN0OQd\":\"🎉 Parabéns por criar um evento!\",\"fAv9QG\":\"🎟️ Adicionar ingressos\",\"4WT5tD\":\"🎨 Personalize a página do seu evento\",\"3VPPdS\":\"💳 Conecte-se com Stripe\",\"s4Tgn6\":\"📢 Promote your event\",\"cjdktw\":\"🚀 Defina seu evento ao vivo\",\"rmelwV\":\"0 minutos e 0 segundos\",\"UQ7pBY\":\"0.50 for $0.50\",\"i1+xzD\":\"1.75 for 1.75%\",\"i0puaE\":\"10h00\",\"W9+fkZ\":\"10001\",\"qdfdgM\":\"Rua Principal 123\",\"IoRZzD\":\"20\",\"+H1RMb\":\"01-01-2024 10:00\",\"Q/T49U\":\"01/01/2024 18:00\",\"hMT8+2\":\"94103\",\"efAM7X\":\"Um campo de data. Perfeito para pedir uma data de nascimento, etc.\",\"d9El7Q\":[\"Um \",[\"type\"],\" padrão é aplicado automaticamente a todos os novos tickets. Você pode substituir isso por ticket.\"],\"SMUbbQ\":\"Uma entrada suspensa permite apenas uma seleção\",\"qv4bfj\":\"Uma taxa, como uma taxa de reserva ou uma taxa de serviço\",\"Pgaiuj\":\"Um valor fixo por ingresso. Por exemplo, US$ 0,50 por ingresso\",\"f4vJgj\":\"Uma entrada de texto multilinha\",\"ySO/4f\":\"Uma porcentagem do preço do ingresso. Por exemplo, 3,5% do preço do bilhete\",\"WXeXGB\":\"Um código promocional sem desconto pode ser usado para revelar ingressos ocultos.\",\"GMhWB5\":\"A Radio option allows has multiple options but only one can be selected.\",\"CBt3s7\":\"A Radio Option allows only one selection\",\"AG/qmQ\":\"Uma opção Rádio tem múltiplas opções, mas apenas uma pode ser selecionada.\",\"7g61G9\":\"A short description of Awesome Events Ltd.\",\"h179TP\":\"Uma breve descrição do evento que será exibida nos resultados dos buscadores e no compartilhamento nas redes sociais. Por padrão, a descrição do evento será usada\",\"WKMnh4\":\"Uma entrada de texto de linha única\",\"zCk10D\":\"Uma única pergunta por participante. Por exemplo, qual é a sua refeição preferida?\",\"ap3v36\":\"Uma única pergunta por pedido. Por exemplo, qual é o nome da sua empresa?\",\"RlJmQg\":\"Um imposto padrão, como IVA ou GST\",\"pDwHGk\":\"About hi.events\",\"uIKNjo\":\"Sobre o evento\",\"bfXQ+N\":\"Aceitar convite\",\"iwyhk4\":\"Access to the VIP area...\",\"AeXO77\":\"Conta\",\"0b79Xf\":\"Account Email\",\"lkNdiH\":\"Nome da conta\",\"Puv7+X\":\"Configurações de Conta\",\"OmylXO\":\"Conta atualizada com sucesso\",\"7L01XJ\":\"Ações\",\"FQBaXG\":\"Ativar\",\"5T2HxQ\":\"Data de ativação\",\"F6pfE9\":\"Ativo\",\"m16xKo\":\"Adicionar\",\"LKNynS\":\"Add a cover image, description, and more to make your event stand out.\",\"/PN1DA\":\"Adicione uma descrição para esta lista de registro\",\"PGPGsL\":\"Adicionar descrição\",\"gMK0ps\":\"Adicione detalhes do evento e gerencie as configurações do evento.\",\"Fb+SDI\":\"Adicionar mais ingressos\",\"ApsD9J\":\"Adicionar novo\",\"TZxnm8\":\"Adicionar opção\",\"Cw27zP\":\"Adicionar pergunta\",\"yWiPh+\":\"Adicionar imposto ou taxa\",\"BGD9Yt\":\"Adicionar ingressos\",\"goOKRY\":\"Adicionar nível\",\"p59pEv\":\"Additional Details\",\"Y8DIQy\":\"Opções adicionais\",\"Du6bPw\":\"Endereço\",\"NY/x1b\":\"Endereço Linha 1\",\"POdIrN\":\"Endereço Linha 1\",\"cormHa\":\"Endereço linha 2\",\"gwk5gg\":\"endereço linha 2\",\"U3pytU\":\"Administrador\",\"HLDaLi\":\"Os usuários administradores têm acesso total aos eventos e configurações da conta.\",\"CPXP5Z\":\"Afiliados\",\"W7AfhC\":\"Todos os participantes deste evento\",\"QsYjci\":\"Todos os eventos\",\"/twVAS\":\"Todos os Tickets\",\"ipYKgM\":\"Permitir indexação do mecanismo de pesquisa\",\"LRbt6D\":\"Permitir que mecanismos de pesquisa indexem este evento\",\"+MHcJD\":\"Quase lá! Estamos apenas aguardando o processamento do seu pagamento. Isso deve levar apenas alguns segundos.\",\"8wYDMp\":\"Already have an account?\",\"ApOYO8\":\"Incrível, evento, palavras-chave...\",\"hehnjM\":\"Quantia\",\"TRYjHa\":[\"amount in \",[\"0\"]],\"R2O9Rg\":[\"Valor pago (\",[\"0\"],\")\"],\"tLjOgo\":[\"Amount paid $\",[\"0\"]],\"V7MwOy\":\"Ocorreu um erro ao carregar a página\",\"Q7UCEH\":\"Ocorreu um erro ao classificar as perguntas. Tente novamente ou atualize a página\",\"er3d/4\":\"Ocorreu um erro ao classificar os tickets. Tente novamente ou atualize a página\",\"hhvESd\":\"An event is the actual event you are hosting\",\"jD/OCQ\":\"Um evento é o evento real que você está organizando. Você pode adicionar mais detalhes posteriormente.\",\"oBkF+i\":\"Um organizador é a empresa ou pessoa que hospeda o evento\",\"W5A0Ly\":\"Um erro inesperado ocorreu.\",\"byKna+\":\"Um erro inesperado ocorreu. Por favor, tente novamente.\",\"j4DliD\":\"Quaisquer dúvidas dos titulares de ingressos serão enviadas para este endereço de e-mail. Este também será usado como endereço de \\\"resposta\\\" para todos os e-mails enviados neste evento\",\"aAIQg2\":\"Aparência\",\"Ym1gnK\":\"aplicado\",\"epTbAK\":[\"Aplica-se a \",[\"0\"],\" ingressos\"],\"6MkQ2P\":\"Aplica-se a 1 ingresso\",\"DB8zMK\":\"Apply\",\"GctSSm\":\"Aplicar código promocional\",\"jcnZEw\":[\"Aplique este \",[\"type\"],\" a todos os novos tickets\"],\"S0ctOE\":\"Arquivar evento\",\"TdfEV7\":\"Arquivado\",\"A6AtLP\":\"Eventos arquivados\",\"q7TRd7\":\"Tem certeza de que deseja ativar este participante?\",\"TvkW9+\":\"Tem certeza de que deseja arquivar este evento?\",\"/CV2x+\":\"Tem certeza de que deseja cancelar este participante? Isso anulará o ingresso\",\"YgRSEE\":\"Tem certeza de que deseja excluir este código promocional?\",\"iU234U\":\"Tem certeza de que deseja excluir esta pergunta?\",\"CMyVEK\":\"Tem certeza de que deseja fazer o rascunho deste evento? Isso tornará o evento invisível para o público\",\"mEHQ8I\":\"Tem certeza de que deseja tornar este evento público? Isso tornará o evento visível ao público\",\"s4JozW\":\"Tem certeza de que deseja restaurar este evento? Ele será restaurado como um evento rascunho.\",\"vJuISq\":\"Tem certeza de que deseja excluir esta Atribuição de Capacidade?\",\"baHeCz\":\"Tem certeza de que deseja excluir esta lista de registro?\",\"2xEpch\":\"Pergunte uma vez por participante\",\"LBLOqH\":\"Pergunte uma vez por pedido\",\"ss9PbX\":\"Participante\",\"m0CFV2\":\"Detalhes do participante\",\"lXcSD2\":\"Perguntas dos participantes\",\"VvYqMB\":\"Attendee questions are asked once per attendee. By default, people are asked for their first name, last name, and email address.\",\"spxPEv\":\"Attendee questions are asked once per attendee. By default, we ask for the attendee's first name, last name, and email address.\",\"9SZT4E\":\"Participantes\",\"5UbY+B\":\"Participantes com um ingresso específico\",\"IMJ6rh\":\"Redimensionamento automático\",\"vZ5qKF\":\"Redimensione automaticamente a altura do widget com base no conteúdo. Quando desativado, o widget preencherá a altura do contêiner.\",\"lXkUEV\":\"Availability\",\"ioG+xt\":\"Aguardando Pagamento\",\"3PmQfI\":\"Evento incrível\",\"kNmmvE\":\"Awesome Events Ltd.\",\"Yrbm6T\":\"Impressionante Organizador Ltd.\",\"9002sI\":\"Voltar para todos os eventos\",\"0TGkYM\":\"Back to event homepage\",\"A302fe\":\"Voltar à página do evento\",\"VCoEm+\":\"Volte ao login\",\"MLZyiY\":\"Background color\",\"k1bLf+\":\"Cor de fundo\",\"I7xjqg\":\"Tipo de plano de fundo\",\"EOUool\":\"Detalhes básicos\",\"7EGQKA\":\"Because you are the account owner, you cannot change your role or status.\",\"1mwMl+\":\"Antes de enviar!\",\"wVfiR2\":\"Before you're event can go live, there's a few thing to do.\",\"/yeZ20\":\"Antes que seu evento possa ir ao ar, há algumas coisas que você precisa fazer.\",\"1xAcxY\":\"Comece a vender ingressos em minutos\",\"R+w/Va\":\"Billing\",\"rp/zaT\":\"Português brasileiro\",\"Ptp9MF\":\"Button color\",\"whqocw\":\"Ao se registrar, você concorda com nossos <0>Termos de Serviço e <1>Política de Privacidade.\",\"bcCn6r\":\"Tipo de cálculo\",\"+8bmSu\":\"Califórnia\",\"iStTQt\":\"A permissão da câmera foi negada. <0>Solicite permissão novamente ou, se isso não funcionar, você precisará <1>conceder a esta página acesso à sua câmera nas configurações do navegador.\",\"Jzn1qy\":\"Can't load events\",\"dEgA5A\":\"Cancelar\",\"Gjt/py\":\"Cancelar alteração de e-mail\",\"tVJk4q\":\"Cancelar pedido\",\"Os6n2a\":\"Cancelar pedido\",\"Mz7Ygx\":[\"Cancelar pedido \",[\"0\"]],\"Ud7zwq\":\"O cancelamento cancelará todos os ingressos associados a este pedido e os liberará de volta ao pool disponível.\",\"vv7kpg\":\"Cancelado\",\"QyjCeq\":\"Capacidade\",\"V6Q5RZ\":\"Atribuição de Capacidade criada com sucesso\",\"k5p8dz\":\"Atribuição de Capacidade excluída com sucesso\",\"nDBs04\":\"Gestão de Capacidade\",\"77/YgG\":\"Alterar capa\",\"GptGxg\":\"Alterar a senha\",\"QndF4b\":\"check-in\",\"xMDm+I\":\"Check-in\",\"9FVFym\":\"Confira\",\"/Ta1d4\":\"Desmarcar\",\"gXcPxc\":\"Check-in\",\"Y3FYXy\":\"Check-in\",\"fVUbUy\":\"Lista de registro criada com sucesso\",\"+CeSxK\":\"Lista de registro excluída com sucesso\",\"+hBhWk\":\"A lista de registro expirou\",\"mBsBHq\":\"A lista de registro não está ativa\",\"vPqpQG\":\"Lista de check-in não encontrada\",\"tejfAy\":\"Listas de Registro\",\"hD1ocH\":\"URL de check-in copiada para a área de transferência\",\"CNafaC\":\"As opções de caixa de seleção permitem seleções múltiplas\",\"SpabVf\":\"Caixas de seleção\",\"CRu4lK\":\"Check-in\",\"rfeicl\":\"Registrado com sucesso\",\"/ydvvl\":\"Checkout Messaging\",\"1WnhCL\":\"Configurações de check-out\",\"h1IXFK\":\"Chinês\",\"6imsQS\":\"Chinês simplificado\",\"JjkX4+\":\"Escolha uma cor para o seu plano de fundo\",\"/Jizh9\":\"Escolha uma conta\",\"jJGoVv\":\"Choose what notifications you want to receive\",\"3wV73y\":\"Cidade\",\"FG98gC\":\"Limpar texto de pesquisa\",\"EYeuMv\":\"Clique aqui\",\"sby+1/\":\"Clique para copiar\",\"yz7wBu\":\"Fechar\",\"62Ciis\":\"Fechar barra lateral\",\"EWPtMO\":\"Código\",\"ercTDX\":\"O código deve ter entre 3 e 50 caracteres\",\"jZlrte\":\"Cor\",\"Vd+LC3\":\"A cor deve ser um código de cor hexadecimal válido. Exemplo: #ffffff\",\"1HfW/F\":\"Cores\",\"VZeG/A\":\"Em breve\",\"yPI7n9\":\"Palavras-chave separadas por vírgulas que descrevem o evento. Eles serão usados pelos mecanismos de pesquisa para ajudar a categorizar e indexar o evento\",\"NPZqBL\":\"Ordem completa\",\"guBeyC\":\"Concluir pagamento\",\"C8HNV2\":\"Concluir pagamento\",\"qqWcBV\":\"Concluído\",\"DwF9eH\":\"Código do Componente\",\"7VpPHA\":\"confirme\",\"ZaEJZM\":\"Confirmar alteração de e-mail\",\"yjkELF\":\"Confirme a nova senha\",\"xnWESi\":\"Confirme sua senha\",\"p2/GCq\":\"Confirme sua senha\",\"wnDgGj\":\"Confirmando endereço de e-mail...\",\"DnLC08\":\"Congratulation on creating an event!\",\"pbAk7a\":\"Conectar faixa\",\"UMGQOh\":\"Conecte-se com Stripe\",\"QKLP1W\":\"Conecte sua conta Stripe para começar a receber pagamentos.\",\"5lcVkL\":\"Detalhes da conexão\",\"i3p844\":\"Contact email\",\"yAej59\":\"Cor de fundo do conteúdo\",\"xGVfLh\":\"Continuar\",\"X++RMT\":\"Texto do botão Continuar\",\"AfNRFG\":\"Texto do botão Continuar\",\"lIbwvN\":\"Continuar configuração do evento\",\"HB22j9\":\"Continuar a configuração\",\"bZEa4H\":\"Continuar a configuração do Stripe Connect\",\"RGVUUI\":\"Continuar para o pagamento\",\"6V3Ea3\":\"Copiado\",\"T5rdis\":\"Copiado para a área de transferência\",\"he3ygx\":\"cópia de\",\"r2B2P8\":\"Copiar URL de check-in\",\"8+cOrS\":\"Copiar detalhes para todos os participantes\",\"ENCIQz\":\"Link de cópia\",\"E6nRW7\":\"Copiar URL\",\"JNCzPW\":\"País\",\"IF7RiR\":\"Cobrir\",\"P0rbCt\":\"Cover Image\",\"hYgDIe\":\"Create\",\"b9XOHo\":[\"Criar \",[\"0\"]],\"6kdXbW\":\"Crie um código promocional\",\"n5pRtF\":\"Crie um ingresso\",\"X6sRve\":[\"Crie uma conta ou <0>\",[\"0\"],\" para começar\"],\"nx+rqg\":\"criar um organizador\",\"ipP6Ue\":\"Criar participante\",\"VwdqVy\":\"Criar Atribuição de Capacidade\",\"WVbTwK\":\"Criar Lista de Registro\",\"uN355O\":\"Criar Evento\",\"BOqY23\":\"Crie um novo\",\"kpJAeS\":\"Criar organizador\",\"a0EjD+\":\"Create Product\",\"sYpiZP\":\"Criar código promocional\",\"a6YrKg\":\"Create promo codes\",\"n6H6AO\":\"Create promo codes to offer discounts to your attendees.\",\"B3Mkdt\":\"Criar pergunta\",\"UKfi21\":\"Criar imposto ou taxa\",\"Tg323g\":\"Criar ingresso\",\"agZ87r\":\"Crie ingressos para o seu evento, defina preços e gerencie a quantidade disponível.\",\"d+F6q9\":\"Criada\",\"Q2lUR2\":\"Moeda\",\"DCKkhU\":\"Senha atual\",\"uIElGP\":\"URL de mapas personalizados\",\"876pfE\":\"Cliente\",\"QOg2Sf\":\"Personalize as configurações de e-mail e notificação deste evento\",\"Lu75d1\":\"Customize the email settings for this event\",\"RaxMyF\":\"Customize the event homepage and checkout experience\",\"Y9Z/vP\":\"Personalize a página inicial do evento e as mensagens de checkout\",\"2E2O5H\":\"Personalize as diversas configurações deste evento\",\"iJhSxe\":\"Personalize as configurações de SEO para este evento\",\"KIhhpi\":\"Personalize a página do seu evento\",\"nrGWUv\":\"Personalize a página do seu evento para combinar com sua marca e estilo.\",\"Zz6Cxn\":\"Zona de perigo\",\"ZQKLI1\":\"Zona de Perigo\",\"7p5kLi\":\"Painel\",\"mYGY3B\":\"Data\",\"JvUngl\":\"Data hora\",\"JJhRbH\":\"Capacidade do primeiro dia\",\"PqrqgF\":\"Lista de Registro do Primeiro Dia\",\"RiXc4g\":\"Deactivate user\",\"cnGeoo\":\"Excluir\",\"jRJZxD\":\"Excluir Capacidade\",\"Qrc8RZ\":\"Excluir Lista de Registro\",\"WHf154\":\"Excluir código\",\"heJllm\":\"Excluir capa\",\"KWa0gi\":\"Excluir imagem\",\"IatsLx\":\"Excluir pergunta\",\"GnyEfA\":\"Excluir tíquete\",\"E33LRn\":\"Delete user\",\"Nu4oKW\":\"Descrição\",\"YC3oXa\":\"Descrição para a equipe de registro\",\"s9iD5d\":\"Description should be less than 50,000 characters\",\"URmyfc\":\"Detalhes\",\"x8uDKb\":\"Disable code\",\"Tgg8XQ\":\"Desative esta capacidade para rastrear a capacidade sem interromper as vendas de ingressos\",\"H6Ma8Z\":\"Desconto\",\"ypJ62C\":\"% de desconto\",\"3LtiBI\":[\"Desconto em \",[\"0\"]],\"C8JLas\":\"Tipo de desconto\",\"1QfxQT\":\"Liberar\",\"cVq+ga\":\"Não tem uma conta? <0>Inscreva-se\",\"4+aC/x\":\"Doação / Pague o que quiser\",\"++S5i/\":\"Donation amount\",\"OO7MG7\":\"Donation Ticket\",\"0pEVi2\":\"Download Tickets PDF\",\"uABpqP\":\"Arraste e solte ou clique\",\"3z2ium\":\"Arraste para classificar\",\"6skwyH\":\"Drop an image, or click here to replace the Cover Image\",\"S37RRV\":\"Drop an image, or click here to upload the Cover Image\",\"CfKofC\":\"Seleção suspensa\",\"JzLDvy\":\"Duplicar Atribuições de Capacidade\",\"ulMxl+\":\"Duplicar Listas de Check-In\",\"vi8Q/5\":\"Duplicar evento\",\"3ogkAk\":\"Duplicar evento\",\"Yu6m6X\":\"Duplicar a Imagem de Capa do Evento\",\"+fA4C7\":\"Duplicar Opções\",\"57ALrd\":\"Duplicar códigos promocionais\",\"83Hu4O\":\"Duplicar perguntas\",\"20144c\":\"Duplicar configurações\",\"Wt9eV8\":\"Duplicar bilhetes\",\"7Cx5It\":\"Madrugador\",\"ePK91l\":\"Editar\",\"N6j2JH\":[\"Editar \",[\"0\"]],\"kNGp1D\":\"Editar participante\",\"t2bbp8\":\"Editar participante\",\"kBkYSa\":\"Editar Capacidade\",\"oHE9JT\":\"Editar Atribuição de Capacidade\",\"FU1gvP\":\"Editar Lista de Registro\",\"iFgaVN\":\"Editar código\",\"jrBSO1\":\"Editar organizador\",\"9BdS63\":\"Editar código promocional\",\"O0CE67\":\"Editar pergunta\",\"EzwCw7\":\"Editar pergunta\",\"d+nnyk\":\"Editar ingresso\",\"poTr35\":\"Editar usuário\",\"GTOcxw\":\"Editar usuário\",\"pqFrv2\":\"por exemplo. 2,50 por US$ 2,50\",\"3yiej1\":\"por exemplo. 23,5 para 23,5%\",\"O3oNi5\":\"E-mail\",\"VxYKoK\":\"Configurações de e-mail e notificação\",\"ATGYL1\":\"Endereço de email\",\"hzKQCy\":\"Endereço de email\",\"HqP6Qf\":\"Alteração de e-mail cancelada com sucesso\",\"mISwW1\":\"Alteração de e-mail pendente\",\"WiKda6\":\"Email Configuration\",\"APuxIE\":\"Confirmação de e-mail reenviada\",\"YaCgdO\":\"Confirmação de e-mail reenviada com sucesso\",\"jyt+cx\":\"Mensagem de rodapé do e-mail\",\"I6F3cp\":\"E-mail não verificado\",\"G5zNMX\":\"Email Settings\",\"NTZ/NX\":\"Código embutido\",\"4rnJq4\":\"Incorporar script\",\"nA31FG\":\"Ative esta capacidade para interromper as vendas de ingressos quando o limite for atingido\",\"VFv2ZC\":\"Data final\",\"237hSL\":\"Terminou\",\"nt4UkP\":\"Eventos encerrados\",\"lYGfRP\":\"Inglês\",\"MhVoma\":\"Insira um valor sem impostos e taxas.\",\"3Z223G\":\"Erro ao confirmar o endereço de e-mail\",\"a6gga1\":\"Erro ao confirmar a alteração do e-mail\",\"5/63nR\":\"EUR\",\"0pC/y6\":\"Evento\",\"nuoP/j\":\"Event created successfully\",\"CFLUfD\":\"Evento criado com sucesso 🎉\",\"0Zptey\":\"Padrões de eventos\",\"6fuA9p\":\"Evento duplicado com sucesso\",\"Xe3XMd\":\"O evento não está visível ao público\",\"4pKXJS\":\"O evento é visível ao público\",\"ClwUUD\":\"Local do evento e detalhes do local\",\"OopDbA\":\"Página do evento\",\"JyD0LH\":\"Event Settings\",\"4/If97\":\"Falha na atualização do status do evento. Por favor, tente novamente mais tarde\",\"btxLWj\":\"Status do evento atualizado\",\"tst44n\":\"Eventos\",\"sZg7s1\":\"Data de Expiração\",\"KnN1Tu\":\"Expira\",\"uaSvqt\":\"Data de validade\",\"GS+Mus\":\"Exportar\",\"9xAp/j\":\"Falha ao cancelar participante\",\"ZpieFv\":\"Falha ao cancelar pedido\",\"z6tdjE\":\"Falha ao excluir a mensagem. Por favor, tente novamente.\",\"9zSt4h\":\"Falha ao exportar participantes. Por favor, tente novamente.\",\"2uGNuE\":\"Falha ao exportar pedidos. Por favor, tente novamente.\",\"d+KKMz\":\"Falha ao carregar a Lista de Registro\",\"ZQ15eN\":\"Falha ao reenviar e-mail do ticket\",\"PLUB/s\":\"Taxa\",\"YirHq7\":\"Opinião\",\"/mfICu\":\"Tarifas\",\"V1EGGU\":\"Primeiro nome\",\"kODvZJ\":\"Primeiro nome\",\"S+tm06\":\"O nome deve ter entre 1 e 50 caracteres\",\"1g0dC4\":\"Nome, Sobrenome e Endereço de E-mail são perguntas padrão e estão sempre incluídas no processo de checkout.\",\"QWa3Sk\":\"First Name, Last Name, and Email Address are default questions that are always included in the checkout process.\",\"TpqW74\":\"Fixo\",\"irpUxR\":\"Quantia fixa\",\"TF9opW\":\"Flash não está disponível neste dispositivo\",\"UNMVei\":\"Esqueceu sua senha?\",\"2POOFK\":\"Livre\",\"/4rQr+\":\"Bilhete grátis\",\"01my8x\":\"Bilhete grátis, sem necessidade de informações de pagamento\",\"nLC6tu\":\"francês\",\"ejVYRQ\":\"From\",\"DDcvSo\":\"alemão\",\"u6FPxT\":\"Get Tickets\",\"4GLxhy\":\"Começando\",\"4D3rRj\":\"Voltar ao perfil\",\"cQPKZt\":\"Go to Dashboard\",\"9LCqFI\":\"Ir para a página inicial do evento\",\"RUz8o/\":\"vendas brutas\",\"IgcAGN\":\"Vendas brutas\",\"yRg26W\":\"Vendas brutas\",\"R4r4XO\":\"Convidados\",\"26pGvx\":\"Tem um código promocional?\",\"V7yhws\":\"olá@awesome-events.com\",\"GNJ1kd\":\"Ajuda e Suporte\",\"6K/IHl\":\"Aqui está um exemplo de como você pode usar o componente em seu aplicativo.\",\"Y1SSqh\":\"Aqui está o componente React que você pode usar para incorporar o widget em seu aplicativo.\",\"Ow9Hz5\":[\"Conferência Hi.Events \",[\"0\"]],\"verBst\":\"Centro de Conferências Hi.Events\",\"6eMEQO\":\"logotipo hi.events\",\"C4qOW8\":\"Escondido da vista do público\",\"gt3Xw9\":\"pergunta oculta\",\"g3rqFe\":\"perguntas ocultas\",\"k3dfFD\":\"As perguntas ocultas são visíveis apenas para o organizador do evento e não para o cliente.\",\"EeNE0j\":\"Hidden will not be shown to customers.\",\"vLyv1R\":\"Esconder\",\"Mkkvfd\":\"Ocultar página de primeiros passos\",\"mFn5Xz\":\"Ocultar perguntas ocultas\",\"SCimta\":\"Oculte a página de primeiros passos da barra lateral\",\"Da29Y6\":\"Ocultar esta pergunta\",\"fsi6fC\":\"Ocultar este ticket dos clientes\",\"fvDQhr\":\"Ocultar esta camada dos usuários\",\"Fhzoa8\":\"Ocultar ingresso após a data de término da venda\",\"yhm3J/\":\"Ocultar ingresso antes da data de início da venda\",\"k7/oGT\":\"Ocultar ingresso, a menos que o usuário tenha o código promocional aplicável\",\"L0ZOiu\":\"Ocultar ingresso quando esgotado\",\"uno73L\":\"Ocultar um ingresso impedirá que os usuários o vejam na página do evento.\",\"tj6Gob\":\"Homepage & Checkout\",\"m07jN3\":\"Homepage & Checkout Settings\",\"ZOBwQn\":\"Design da página inicial\",\"PRuBTd\":\"Designer da página inicial\",\"YjVNGZ\":\"Visualização da página inicial\",\"c3E/kw\":\"Homero\",\"id+NIk\":\"How many minutes the customer has to complete their order\",\"8k8Njd\":\"Quantos minutos o cliente tem para concluir o pedido. Recomendamos pelo menos 15 minutos\",\"ySxKZe\":\"Quantas vezes esse código pode ser usado?\",\"dZsDbK\":[\"Limite de caracteres HTML excedido: \",[\"htmlLength\"],\"/\",[\"maxLength\"]],\"fYyXCd\":\"https://example-maps-service.com/...\",\"uOXLV3\":\"Concordo com os <0>termos e condições\",\"sIxFk5\":\"I agree to the terms and conditions\",\"Crwwhn\":[\"If a new tab did not open, please <0>\",[\"0\"],\".\"],\"93DUnd\":[\"Se uma nova guia não for aberta, <0><1>\",[\"0\"],\".\"],\"9gtsTP\":\"Se estiver em branco, o endereço será usado para gerar um link do mapa do Google\",\"muXhGi\":\"Se ativado, o organizador receberá uma notificação por e-mail quando um novo pedido for feito\",\"6fLyj/\":\"Se você não solicitou essa alteração, altere imediatamente sua senha.\",\"n/ZDCz\":\"Imagem excluída com sucesso\",\"Gyl1h8\":\"Image dimensions must be at least 600px by 300px\",\"TiGacZ\":\"Image dimensions must be at least 900px by 450px\",\"UnTvkH\":\"As dimensões da imagem devem estar entre 3.000 px e 2.000 px. Com altura máxima de 2.000 px e largura máxima de 3.000 px\",\"Mfbc2v\":\"As dimensões da imagem devem estar entre 4000px por 4000px. Com uma altura máxima de 4000px e uma largura máxima de 4000px\",\"uPEIvq\":\"A imagem deve ter menos de 5 MB\",\"AGZmwV\":\"Imagem enviada com sucesso\",\"ibi52/\":\"A largura da imagem deve ser de pelo menos 900 px e a altura de pelo menos 50 px\",\"NoNwIX\":\"Inativo\",\"T0K0yl\":\"Usuários inativos não podem fazer login.\",\"OFAmKP\":\"Include connection details for your online event\",\"BfPBBG\":\"Include connection details for your online event. These details will be after successful registration.\",\"6+pAOx\":\"Include connection details for your online event. These details will be shown after successful registration.\",\"evpD4c\":\"Inclua detalhes de conexão para seu evento online. Esses detalhes serão mostrados na página de resumo do pedido e na página do ingresso do participante\",\"FlQKnG\":\"Incluir impostos e taxas no preço\",\"AXTNr8\":[\"Inclui \",[\"0\"],\" ingressos\"],\"7/Rzoe\":\"Inclui 1 ingresso\",\"nbfdhU\":\"Integrações\",\"OyLdaz\":\"Convite reenviado!\",\"HE6KcK\":\"Convite revogado!\",\"SQKPvQ\":\"Convidar Usuário\",\"PgdQrx\":\"Emitir reembolso\",\"KFXip/\":\"John\",\"XcgRvb\":\"Johnson\",\"1IWWYX\":[\"KittenTech Conference \",[\"0\"]],\"ZgJEMX\":\"KittenTech Conference Center\",\"87a/t/\":\"Rótulo\",\"vXIe7J\":\"Língua\",\"I3yitW\":\"Último Login\",\"1ZaQUH\":\"Sobrenome\",\"UXBCwc\":\"Sobrenome\",\"CKcupn\":\"Latest Orders\",\"tITjB1\":\"Saiba mais sobre Stripe\",\"c+gAXc\":\"Let's get started by creating your first event\",\"vR92Yn\":\"Vamos começar criando seu primeiro organizador\",\"QfrKvi\":\"Link color\",\"wJijgU\":\"Localização\",\"sQia9P\":\"Conecte-se\",\"zUDyah\":\"Fazendo login\",\"z0t9bb\":\"Conecte-se\",\"nOhz3x\":\"Sair\",\"F2jAFv\":\"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Nome placerat elementum...\",\"XkhEf9\":\"Lorem ipsum...\",\"MU3ijv\":\"Torne esta pergunta obrigatória\",\"wckWOP\":\"Gerenciar\",\"8mmINh\":\"Manage billing information and view invoices\",\"jWIznR\":\"Manage default settings for new events\",\"n4SpU5\":\"Gerenciar evento\",\"wqyqaF\":\"Manage general account settings\",\"cQrNR3\":\"Gerenciar perfil\",\"f92Qak\":\"Manage taxes and fees which can be applied to tickets\",\"PlTcVr\":\"Gerencie impostos e taxas que podem ser aplicadas aos seus ingressos\",\"ophZVW\":\"Gerenciar ingressos\",\"Wsx7Iu\":\"Manage users and their permissions\",\"DdHfeW\":\"Gerencie os detalhes da sua conta e configurações padrão\",\"QHcjP+\":\"Manage your billing and payment details\",\"S+UjNL\":\"Gerencie seus detalhes de pagamento Stripe\",\"BfucwY\":\"Gerencie seus usuários e suas permissões\",\"1m+YT2\":\"Perguntas obrigatórias devem ser respondidas antes que o cliente possa finalizar a compra.\",\"Dim4LO\":\"Adicionar manualmente um participante\",\"e4KdjJ\":\"Adicionar participante manualmente\",\"lzcrX3\":\"Adicionar manualmente um participante ajustará a quantidade de ingressos.\",\"g9dPPQ\":\"Máximo por pedido\",\"l5OcwO\":\"Participante da mensagem\",\"Gv5AMu\":\"Participantes da mensagem\",\"1jRD0v\":\"Enviar mensagens aos participantes com tickets específicos\",\"Lvi+gV\":\"Comprador de mensagens\",\"tNZzFb\":\"Conteúdo da mensagem\",\"lYDV/s\":\"Mensagem para participantes individuais\",\"V7DYWd\":\"Mensagem enviada\",\"t7TeQU\":\"Mensagens\",\"xFRMlO\":\"Mínimo por pedido\",\"QYcUEf\":\"Preço minimo\",\"mYLhkl\":\"Configurações Diversas\",\"KYveV8\":\"Caixa de texto com várias linhas\",\"SVuGaP\":\"Multiple price options, users can choose which to pay\",\"6wbTro\":\"Várias opções de preços. Perfeito para ingressos antecipados, etc.\",\"/bhMdO\":\"Minha incrível descrição do evento...\",\"vX8/tc\":\"Meu incrível título de evento...\",\"hKtWk2\":\"Meu perfil\",\"pRjx4L\":\"Nome placerat elementum...\",\"6YtxFj\":\"Nome\",\"hVuv90\":\"O nome deve ter menos de 150 caracteres\",\"AIUkyF\":\"Navegue até o participante\",\"qqeAJM\":\"Nunca\",\"7vhWI8\":\"Nova Senha\",\"m920rF\":\"New York\",\"1UzENP\":\"Não\",\"LNWHXb\":\"Não há eventos arquivados para mostrar.\",\"Wjz5KP\":\"Nenhum participante para mostrar\",\"Razen5\":\"Nenhum participante poderá se registrar antes desta data usando esta lista\",\"XUfgCI\":\"Sem Atribuições de Capacidade\",\"a/gMx2\":\"Nenhuma Lista de Registro\",\"fFeCKc\":\"Sem desconto\",\"HFucK5\":\"Não há eventos encerrados para mostrar.\",\"Z6ILSe\":\"Nenhum evento para este organizador\",\"yAlJXG\":\"Nenhum evento para mostrar\",\"KPWxKD\":\"Nenhuma mensagem para mostrar\",\"J2LkP8\":\"Não há pedidos para mostrar\",\"+Y976X\":\"Nenhum código promocional para mostrar\",\"Ev2r9A\":\"Nenhum resultado\",\"RHyZUL\":\"Nenhum resultado de pesquisa.\",\"cU1op4\":\"No Taxes or Fees have been added yet.\",\"RY2eP1\":\"Nenhum imposto ou taxa foi adicionado.\",\"uR2eFu\":\"No tickets available\",\"b7JZFg\":\"Não há ingressos para mostrar\",\"EdQY6l\":\"Nenhum\",\"OJx3wK\":\"Não disponível\",\"x5+Lcz\":\"Não verificado\",\"Scbrsn\":\"Não está à venda\",\"hFwWnI\":\"Configurações de notificação\",\"xXqEPO\":\"Notificar o comprador sobre o reembolso\",\"YpN29s\":\"Notificar o organizador sobre novos pedidos\",\"qeQhNj\":\"Agora vamos criar seu primeiro evento\",\"2NPDz1\":\"À venda\",\"Ldu/RI\":\"À venda\",\"Ug4SfW\":\"Depois de criar um evento, você o verá aqui.\",\"+P/tII\":\"Quando estiver pronto, programe seu evento ao vivo e comece a vender ingressos.\",\"J6n7sl\":\"Em andamento\",\"z+nuVJ\":\"Evento on-line\",\"WKHW0N\":\"Detalhes do evento on-line\",\"/xkmKX\":\"Somente emails importantes, que estejam diretamente relacionados a este evento, deverão ser enviados através deste formulário.\\nQualquer uso indevido, incluindo o envio de e-mails promocionais, levará ao banimento imediato da conta.\",\"Qqqrwa\":\"Abrir página de check-in\",\"OdnLE4\":\"Abrir barra lateral\",\"ZZEYpT\":[\"Opção \",[\"i\"]],\"0zpgxV\":\"Opções\",\"BzEFor\":\"ou\",\"UYUgdb\":\"Ordem\",\"mm+eaX\":\"Ordem #\",\"B3gPuX\":\"Pedido cancelado\",\"SIbded\":\"Encomenda completa\",\"q/CcwE\":\"Data do pedido\",\"Tol4BF\":\"detalhes do pedido\",\"L4kzeZ\":[\"Detalhes do pedido \",[\"0\"]],\"WbImlQ\":\"O pedido foi cancelado e o proprietário do pedido foi notificado.\",\"VCOi7U\":\"Perguntas sobre pedidos\",\"wg9MPp\":\"Order questions are asked once per order. By default, people are asked for their first name, last name, and email address.\",\"+KNVxX\":\"Order questions are asked once per order. By default, we ask for the first name, last name, and email address.\",\"TPoYsF\":\"Referência do pedido\",\"GX6dZv\":\"resumo do pedido\",\"tDTq0D\":\"Tempo limite do pedido\",\"1h+RBg\":\"Pedidos\",\"mz+c33\":\"Pedidos criados\",\"G5RhpL\":\"Organizador\",\"m/ebSk\":\"Organizer Details\",\"mYygCM\":\"O organizador é obrigatório\",\"Pa6G7v\":\"Nome do organizador\",\"J2cXxX\":\"Os organizadores só podem gerenciar eventos e ingressos. Eles não podem gerenciar usuários, configurações de conta ou informações de cobrança.\",\"fdjq4c\":\"Preenchimento\",\"ErggF8\":\"Cor de fundo da página\",\"8F1i42\":\"página não encontrada\",\"QbrUIo\":\"visualizações de página\",\"6D8ePg\":\"página.\",\"IkGIz8\":\"pago\",\"2w/FiJ\":\"Bilhete Pago\",\"8ZsakT\":\"Senha\",\"TUJAyx\":\"A senha deve ter no mínimo 8 caracteres\",\"vwGkYB\":\"A senha deve conter pelo menos 8 caracteres\",\"BLTZ42\":\"Redefinição de senha com sucesso. Por favor faça login com sua nova senha.\",\"f7SUun\":\"senhas nao sao as mesmas\",\"aEDp5C\":\"Cole onde deseja que o widget apareça.\",\"+23bI/\":\"Patrício\",\"iAS9f2\":\"patrick@acme.com\",\"iq5IUr\":\"Pause Ticket\",\"621rYf\":\"Pagamento\",\"JhtZAK\":\"Pagamento falhou\",\"xgav5v\":\"Pagamento realizado com sucesso!\",\"CcK+Ft\":\"PDF\",\"att1Hj\":\"percent\",\"/roQKz\":\"Percentagem\",\"vPJ1FI\":\"Valor percentual\",\"xdA9ud\":\"Coloque isso no do seu site.\",\"blK94r\":\"Adicione pelo menos uma opção\",\"FJ9Yat\":\"Verifique se as informações fornecidas estão corretas\",\"TkQVup\":\"Verifique seu e-mail e senha e tente novamente\",\"sMiGXD\":\"Verifique se seu e-mail é válido\",\"Ajavq0\":\"Verifique seu e-mail para confirmar seu endereço de e-mail\",\"MdfrBE\":\"Preencha o formulário abaixo para aceitar seu convite\",\"b1Jvg+\":\"Continue na nova aba\",\"q40YFl\":\"Please continue your order in the new tab\",\"cdR8d6\":\"Por favor, crie um ingresso\",\"ZJG4Di\":\"Please ensure you only send emails directly related to the order. Promotional emails\\nshould not be sent using this form.\",\"o+HaYe\":\"Please enter a valid promo code\",\"HnNept\":\"Por favor digite sua nova senha\",\"5FSIzj\":\"Observe\",\"MA04r/\":\"Remova os filtros e defina a classificação como \\\"Ordem da página inicial\\\" para ativar a classificação\",\"pJLvdS\":\"Por favor selecione\",\"yygcoG\":\"Selecione pelo menos um ingresso\",\"igBrCH\":\"Verifique seu endereço de e-mail para acessar todos os recursos\",\"MOERNx\":\"Português\",\"R7+D0/\":\"Português (Brasil)\",\"qCJyMx\":\"Mensagem pós-check-out\",\"g2UNkE\":\"Distribuído por\",\"Qs7yI0\":\"Powered By\",\"lqAWKB\":\"Powered by <0>Hi.Events 👋\",\"3n47kV\":\"Powered By Hi.Events\",\"ddi4j4\":\"Desenvolvido por Stripe\",\"Rs7IQv\":\"Mensagem pré-checkout\",\"rdUucN\":\"Visualização\",\"a7u1N9\":\"Preço\",\"CmoB9j\":\"Modo de exibição de preço\",\"Q8PWaJ\":\"Níveis de preços\",\"a5jvSX\":\"Price Tiers\",\"6RmHKN\":\"Cor primária\",\"G/ZwV1\":\"Cor Primária\",\"8cBtvm\":\"Cor do texto principal\",\"BZz12Q\":\"Imprimir\",\"MT7dxz\":\"Imprimir todos os ingressos\",\"N0qXpE\":\"Products\",\"vERlcd\":\"Perfil\",\"kUlL8W\":\"Perfil atualizado com sucesso\",\"cl5WYc\":[\"Código promocional \",[\"promo_code\"],\" aplicado\"],\"ZXpm3a\":[\"Promo \",[\"promoCode\"],\" code applied\"],\"yKWfjC\":\"Página de código promocional\",\"RVb8Fo\":\"Códigos promocionais\",\"BZ9GWa\":\"Os códigos promocionais podem ser usados para oferecer descontos, acesso pré-venda ou fornecer acesso especial ao seu evento.\",\"4kyDD5\":\"Forneça contexto adicional ou instruções para esta pergunta. Use este campo para adicionar termos e condições, diretrizes ou qualquer informação importante que os participantes precisem saber antes de responder.\",\"812gwg\":\"Licença de compra\",\"LkMOWF\":\"Quantidade Disponível\",\"XKJuAX\":\"Pergunta excluída\",\"avf0gk\":\"Descrição da pergunta\",\"oQvMPn\":\"título da questão\",\"enzGAL\":\"Questões\",\"K885Eq\":\"Perguntas classificadas com sucesso\",\"OMJ035\":\"Opção de rádio\",\"C4TjpG\":\"Leia menos\",\"I3QpvQ\":\"Destinatário\",\"N2C89m\":\"Referência\",\"gxFu7d\":[\"Valor do reembolso (\",[\"0\"],\")\"],\"n10yGu\":\"Pedido de reembolso\",\"zPH6gp\":\"Pedido de reembolso\",\"/BI0y9\":\"Devolveu\",\"fgLNSM\":\"Registro\",\"tasfos\":\"remover\",\"t/YqKh\":\"Remover\",\"RloWNu\":\"Reply to email\",\"EGm34e\":\"Reenviar e-mail de confirmação\",\"lnrkNz\":\"Reenviar e-mail de confirmação\",\"wIa8Qe\":\"Reenviar convite\",\"VeKsnD\":\"Reenviar e-mail do pedido\",\"dFuEhO\":\"Reenviar e-mail do ticket\",\"o6+Y6d\":\"Reenviando...\",\"RfwZxd\":\"Redefinir senha\",\"KbS2K9\":\"Redefinir senha\",\"e99fHm\":\"Restaurar evento\",\"vtc20Z\":\"Voltar à página do evento\",\"8YBH95\":\"Receita\",\"PO/sOY\":\"Revogar convite\",\"GDvlUT\":\"Papel\",\"ELa4O9\":\"Data de término da venda\",\"5uo5eP\":\"A venda terminou\",\"Qm5XkZ\":\"Data de início da venda\",\"hVF4dJ\":\"Sale starts\",\"hBsw5C\":\"Vendas encerradas\",\"kpAzPe\":\"Início das vendas\",\"P/wEOX\":\"São Francisco\",\"tfDRzk\":\"Salvar\",\"IUwGEM\":\"Salvar alterações\",\"U65fiW\":\"Salvar organizador\",\"UGT5vp\":\"Salvar configurações\",\"ovB7m2\":\"Digitalize o código QR\",\"lBAlVv\":\"Pesquise por nome, número do pedido, número do participante ou e-mail...\",\"W4kWXJ\":\"Pesquise por nome do participante, e-mail ou número do pedido...\",\"ulAuWO\":\"Search by event name or description...\",\"+pr/FY\":\"Pesquisar por nome do evento...\",\"NQSiYb\":\"Search by name or description...\",\"3zRbWw\":\"Pesquise por nome, e-mail ou número do pedido...\",\"BiYOdA\":\"Procura por nome...\",\"B1bB1j\":\"Search by order #, name or email...\",\"KZpERn\":\"Search by product name...\",\"jA4hXE\":\"Search by subject or body...\",\"YEjitp\":\"Pesquise por assunto ou conteúdo...\",\"HYnGee\":\"Pesquisar por nome do ticket...\",\"Pjsch9\":\"Pesquisar atribuições de capacidade...\",\"r9M1hc\":\"Pesquisar listas de registro...\",\"YIix5Y\":\"Procurar...\",\"OeW+DS\":\"Cor secundária\",\"DnXcDK\":\"Cor Secundária\",\"cZF6em\":\"Cor do texto secundário\",\"ZIgYeg\":\"Cor do texto secundário\",\"QuNKRX\":\"Selecione Câmera\",\"kWI/37\":\"Selecione o organizador\",\"hAjDQy\":\"Selecione o status\",\"QYARw/\":\"Selecione o ingresso\",\"XH5juP\":\"Selecione o nível do ingresso\",\"OMX4tH\":\"Selecionar ingressos\",\"nuWxSr\":\"Select Tickets\",\"O/7I0o\":\"Selecione...\",\"JlFcis\":\"Enviar\",\"qKWv5N\":[\"Envie uma cópia para <0>\",[\"0\"],\"\"],\"RktTWf\":\"Envie uma mensagem\",\"/mQ/tD\":\"Envie como teste. Isso enviará a mensagem para o seu endereço de e-mail, e não para os destinatários.\",\"471O/e\":\"Send confirmation email\",\"M/WIer\":\"Enviar Mensagem\",\"D7ZemV\":\"Enviar confirmação do pedido e e-mail do ticket\",\"v1rRtW\":\"Enviar teste\",\"j1VfcT\":\"Descrição SEO\",\"/SIY6o\":\"Palavras-chave SEO\",\"GfWoKv\":\"Configurações de SEO\",\"rXngLf\":\"Título SEO\",\"/jZOZa\":\"Taxa de serviço\",\"vu4F0h\":\"Set a minimum price and let users donate more\",\"Bj/QGQ\":\"Fixar um preço mínimo e permitir que os utilizadores paguem mais se assim o desejarem\",\"nYNT+5\":\"Configure seu evento\",\"A8iqfq\":\"Defina seu evento ao vivo\",\"Tz0i8g\":\"Configurações\",\"Z8lGw6\":\"Compartilhar\",\"FFbYHm\":[\"Should this \",[\"type\"],\" be applied to all new tickets?\"],\"8vETh9\":\"Mostrar\",\"smd87r\":\"Mostrar quantidade de ingressos disponíveis\",\"qDsmzu\":\"Mostrar perguntas ocultas\",\"fMPkxb\":\"Mostre mais\",\"izwOOD\":\"Mostrar impostos e taxas separadamente\",\"j3b+OW\":\"Mostrado ao cliente após a finalização da compra, na página de resumo do pedido\",\"YfHZv0\":\"Mostrado ao cliente antes de finalizar a compra\",\"CBBcly\":\"Mostra campos de endereço comuns, incluindo país\",\"yTnnYg\":\"Simpson\",\"TNaCfq\":\"Caixa de texto de linha única\",\"+P0Cn2\":\"Pular esta etapa\",\"YSEnLE\":\"Smith\",\"lgFfeO\":\"Vendido\",\"Mi1rVn\":\"Vendido\",\"nwtY4N\":\"Algo deu errado\",\"GRChTw\":\"Algo deu errado ao excluir o imposto ou taxa\",\"YHFrbe\":\"Algo deu errado! Por favor, tente novamente\",\"kf83Ld\":\"Algo deu errado.\",\"fWsBTs\":\"Algo deu errado. Por favor, tente novamente.\",\"F6YahU\":\"Desculpe, algo deu errado. Por favor, reinicie o processo de checkout.\",\"KWgppI\":\"Desculpe, algo deu errado ao carregar esta página.\",\"/TCOIK\":\"Desculpe, este pedido não existe mais.\",\"DvCwYF\":\"Sorry, this promo code is invalid'\",\"6a/UJE\":\"Desculpe, este código promocional não é reconhecido\",\"9rRZZ+\":\"Desculpe, seu pedido expirou. Por favor, inicie um novo pedido.\",\"a4SyEE\":\"A classificação está desativada enquanto os filtros e a classificação são aplicados\",\"65A04M\":\"espanhol\",\"4nG1lG\":\"Bilhete padrão com preço fixo\",\"D3iCkb\":\"Data de início\",\"RS0o7b\":\"State\",\"/2by1f\":\"Estado ou Região\",\"uAQUqI\":\"Status\",\"UJmAAK\":\"Assunto\",\"X2rrlw\":\"Subtotal\",\"b0HJ45\":[\"Sucesso! \",[\"0\"],\" receberá um e-mail em breve.\"],\"BJIEiF\":[[\"0\"],\" participante com sucesso\"],\"Ih8kN0\":[\"Successfully $\",[\"0\"],\" attendee\"],\"xHl17l\":[\"Verificado com sucesso <0>\",[\"0\"],\" \",[\"1\"],\" \",[\"2\"]],\"OtgNFx\":\"Endereço de e-mail confirmado com sucesso\",\"IKwyaF\":\"Alteração de e-mail confirmada com sucesso\",\"zLmvhE\":\"Participante criado com sucesso\",\"9mZEgt\":\"Código promocional criado com sucesso\",\"aIA9C4\":\"Pergunta criada com sucesso\",\"onFQYs\":\"Ticket criado com sucesso\",\"Hgj/mB\":\"Successfully deleted ticket\",\"J3RJSZ\":\"Participante atualizado com sucesso\",\"3suLF0\":\"Atribuição de Capacidade atualizada com sucesso\",\"Z+rnth\":\"Lista de Registro atualizada com sucesso\",\"vzJenu\":\"Configurações de e-mail atualizadas com sucesso\",\"7kOMfV\":\"Evento atualizado com sucesso\",\"G0KW+e\":\"Design da página inicial atualizado com sucesso\",\"k9m6/E\":\"Configurações da página inicial atualizadas com sucesso\",\"y/NR6s\":\"Local atualizado com sucesso\",\"73nxDO\":\"Configurações diversas atualizadas com sucesso\",\"70dYC8\":\"Código promocional atualizado com sucesso\",\"F+pJnL\":\"Configurações de SEO atualizadas com sucesso\",\"g2lRrH\":\"Ticket atualizado com sucesso\",\"DXZRk5\":\"Suíte 100\",\"GNcfRk\":\"E-mail de suporte\",\"JpohL9\":\"Imposto\",\"geUFpZ\":\"Impostos e taxas\",\"0RXCDo\":\"Imposto ou taxa excluídos com sucesso\",\"ZowkxF\":\"Impostos\",\"EEZnW+\":\"Taxes & Fees\",\"qu6/03\":\"Impostos e Taxas\",\"gVjSFp\":\"Taxes and Fees can be associated with tickets and will be added to the ticket price.\",\"e0ZSh4\":\"Text Colour\",\"gypigA\":\"Esse código promocional é inválido\",\"0ozSQu\":\"The background color for the event homepage\",\"LbHWgW\":\"The background color for the ticket widget on the event homepage\",\"75Xclv\":\"The basic details of your event\",\"5ShqeM\":\"A lista de check-in que você está procurando não existe.\",\"UNqHnV\":\"The color of the buttons on the event homepage\",\"0amhbL\":\"The color of the links on the event homepage\",\"QXlz+n\":\"A moeda padrão para seus eventos.\",\"mnafgQ\":\"O fuso horário padrão para seus eventos.\",\"o7s5FA\":\"A língua em que o participante receberá as mensagens de correio eletrónico.\",\"NlfnUd\":\"O link que você clicou é inválido.\",\"FqjKfd\":\"The location of your event\",\"kIXEVN\":[\"O número máximo de bilhetes para \",[\"0\"],\" é \",[\"1\"]],\"FeAfXO\":[\"O número máximo de ingressos para generais é \",[\"0\"]],\"POEqXB\":\"The organizer details of your event\",\"TSAiPM\":\"A página que você procura não existe\",\"MSmKHn\":\"O preço exibido ao cliente incluirá impostos e taxas.\",\"6zQOg1\":\"O preço apresentado ao cliente não incluirá impostos e taxas. Eles serão mostrados separadamente\",\"ne/9Ur\":\"As configurações de estilo escolhidas aplicam-se somente ao HTML copiado e não serão armazenadas.\",\"TJZByZ\":\"The tax and fee to apply to this ticket. You can create new taxes and fees on the\",\"OJYwh9\":\"Os impostos e taxas aplicáveis a este bilhete. Você pode criar novos impostos e taxas sobre o\",\"6BpBfZ\":\"The text color for the event homepage\",\"rljHp7\":\"The text color for the ticket widget on the event homepage\",\"s4di40\":\"The text to display in the 'Continue' button. Defaults to 'Continue'\",\"esY5SG\":\"O título do evento que será exibido nos resultados dos buscadores e no compartilhamento nas redes sociais. Por padrão, o título do evento será usado\",\"wgAiDb\":\"The user must login to change their email.\",\"jvxN9/\":\"Não há ingressos disponíveis para este evento\",\"rMcHYt\":\"Há um reembolso pendente. Aguarde a conclusão antes de solicitar outro reembolso.\",\"hjLUr+\":\"There was an error loading this content. Please refresh the page and try again.\",\"68Axnm\":\"Houve um erro ao processar seu pedido. Por favor, tente novamente.\",\"mVKOW6\":\"Houve um erro ao enviar a sua mensagem\",\"Um/adz\":\"These allow multiple selections\",\"vWeHWp\":\"These colors are not saved in our system.\",\"7qzHGS\":\"These colors are not saved in our system. They are only used to generate the widget.\",\"xxv3BZ\":\"Esta lista de registro expirou\",\"Sa7w7S\":\"Esta lista de registro expirou e não está mais disponível para registros.\",\"Uicx2U\":\"Esta lista de registro está ativa\",\"1k0Mp4\":\"Esta lista de registro ainda não está ativa\",\"K6fmBI\":\"Esta lista de registro ainda não está ativa e não está disponível para registros.\",\"t/ePFj\":\"Esta descrição será mostrada à equipe de registro\",\"MLTkH7\":\"Este e-mail não é promocional e está diretamente relacionado ao evento.\",\"2eIpBM\":\"Este evento não está disponível no momento. Por favor, volte mais tarde.\",\"Z6LdQU\":\"Este evento não está disponível.\",\"CNk/ro\":\"Este é um evento on-line\",\"GabtCa\":\"This is the email address that will be used as the reply-to address for all emails sent from this event\",\"FwXnJd\":\"Esta lista não estará mais disponível para registros após esta data\",\"CKkb5E\":\"This message is how below the\",\"cHO4ec\":\"Esta mensagem será incluída no rodapé de todos os e-mails enviados deste evento\",\"RjwlZt\":\"Este pedido já foi pago.\",\"axERYu\":\"This order has already been paid. <0>View order details\",\"wY+HO9\":\"This order has already been processed.\",\"5K8REg\":\"Este pedido já foi reembolsado.\",\"OiQMhP\":\"Esse pedido foi cancelado\",\"YyEJij\":\"Esse pedido foi cancelado.\",\"D44cEI\":\"This order has been completed.\",\"HILpDX\":\"Este pedido está aguardando pagamento\",\"0vRWbB\":\"This order is awaiting payment.\",\"BdYtn9\":\"Este pedido está completo\",\"e3uMJH\":\"Este pedido está completo.\",\"YNKXOK\":\"Este pedido está sendo processado.\",\"LIjb4v\":\"This order is processing. TODO - a nice image and poll the API\",\"yPZN4i\":\"Esta página de pedido não está mais disponível.\",\"5189cf\":\"Isso substituirá todas as configurações de visibilidade e ocultará o ticket de todos os clientes.\",\"4vwjho\":\"This page has expired. <0>View order details\",\"Qt7RBu\":\"Esta pergunta só é visível para o organizador do evento\",\"os29v1\":\"Este link de redefinição de senha é inválido ou expirou.\",\"WJqBqd\":\"Este ticket não pode ser excluído porque é\\nassociado a um pedido. Você pode ocultá-lo.\",\"ma6qdu\":\"Este ingresso está oculto da visualização pública\",\"xJ8nzj\":\"Este ingresso fica oculto, a menos que seja alvo de um código promocional\",\"IV9xTT\":\"Este usuário não está ativo porque não aceitou o convite.\",\"5AnPaO\":\"bilhete\",\"kjAL4v\":\"Bilhete\",\"KosivG\":\"Ticket excluído com sucesso\",\"dtGC3q\":\"O e-mail do ticket foi reenviado ao participante\",\"USk+Mn\":\"Ticket page message\",\"mRM6XH\":\"Venda de ingressos\",\"NirIiz\":\"Nível de ingresso\",\"8jLPgH\":\"Tipo de bilhete\",\"jqWDf9\":\"Ticket widget background color\",\"UrMVAz\":\"Visualização do widget de ingressos\",\"ngtDy7\":\"Ticket widget text color\",\"N+YYpo\":\"Ingressos\",\"6GQNLE\":\"Ingressos\",\"54q0zp\":\"Ingressos para\",\"ikA//P\":\"bilhetes vendidos\",\"i+idBz\":\"Ingressos vendidos\",\"AGRilS\":\"Ingressos vendidos\",\"56Qw2C\":\"Tickets classificados com sucesso\",\"4f8A8M\":\"Tickets to which the promo code applies (Applies to all by default)\",\"xN9AhL\":[\"Nível \",[\"0\"]],\"oYaHuq\":\"Bilhete em camadas\",\"XZrhpz\":\"Tiered Ticket - Coming Soon\",\"4M150e\":\"Os ingressos escalonados permitem que você ofereça várias opções de preços para o mesmo ingresso.\\nIsso é perfeito para ingressos antecipados ou com preços diferentes\\nopções para diferentes grupos de pessoas.\",\"jQoYTX\":\"Tiered tickets allow you to offer multiple price options for the same ticket. This is perfect for early bird tickets or offering different price options for different groups of people.\",\"s/0RpH\":\"Tempos usados\",\"40Gx0U\":\"Fuso horário\",\"oDGm7V\":\"DICA\",\"MHrjPM\":\"Título\",\"xdA/+p\":\"Ferramentas\",\"72c5Qo\":\"Total\",\"BxsfMK\":\"Taxas totais\",\"mpB/d9\":\"Valor total do pedido\",\"m3FM1g\":\"Total reembolsado\",\"GBBIy+\":\"Total restante\",\"/SgoNA\":\"Taxa total\",\"+zy2Nq\":\"Tipo\",\"mLGbAS\":[\"Não foi possível \",[\"0\"],\" participante\"],\"FMdMfZ\":\"Não foi possível registrar o participante\",\"bPWBLL\":\"Não foi possível retirar o participante\",\"/cSMqv\":\"Não foi possível criar a pergunta. Por favor verifique os seus dados\",\"nNdxt9\":\"Não foi possível criar o ticket. Por favor verifique os seus dados\",\"MH/lj8\":\"Não foi possível atualizar a pergunta. Por favor verifique os seus dados\",\"Mqy/Zy\":\"Estados Unidos\",\"NIuIk1\":\"Ilimitado\",\"/p9Fhq\":\"Ilimitado disponível\",\"oMcLhS\":\"Unlimited ticket quantity available\",\"E0q9qH\":\"Usos ilimitados permitidos\",\"ia8YsC\":\"Por vir\",\"TlEeFv\":\"Próximos eventos\",\"L/gNNk\":[\"Atualizar \",[\"0\"]],\"+qqX74\":\"Atualizar nome, descrição e datas do evento\",\"vXPSuB\":\"Atualizar perfil\",\"gsehpV\":\"Upload an image to be displayed on the event page\",\"BNBfrU\":\"Carregar capa\",\"UtDm3q\":\"URL copiado para a área de transferência\",\"e5lF64\":\"Exemplo de uso\",\"sGEOe4\":\"Use uma versão desfocada da imagem da capa como plano de fundo\",\"OadMRm\":\"Usar imagem de capa\",\"7PzzBU\":\"Do utilizador\",\"yDOdwQ\":\"Gerenciamento de usuários\",\"Sxm8rQ\":\"Usuários\",\"VEsDvU\":\"Os usuários podem alterar o e-mail em <0>Configurações do perfil\",\"vgwVkd\":\"UTC\",\"khBZkl\":\"CUBA\",\"E/9LUk\":\"Nome do local\",\"AM+zF3\":\"Ver participante\",\"e4mhwd\":\"Ver página inicial do evento\",\"/5PEQz\":\"Ver página do evento\",\"fFornT\":\"Ver mensagem completa\",\"YIsEhQ\":\"Ver mapa\",\"Ep3VfY\":\"Ver no Google Maps\",\"AMkkeL\":\"Ver pedido\",\"Y8s4f6\":\"Ver detalhes do pedido\",\"QIWCnW\":\"Lista de check-in VIP\",\"tF+VVr\":\"Bilhete VIP\",\"2q/Q7x\":\"Visibilidade\",\"vmOFL/\":\"Não foi possível processar seu pagamento. Tente novamente ou entre em contato com o suporte.\",\"1E0vyy\":\"Não foi possível carregar os dados. Por favor, tente novamente.\",\"VGioT0\":\"Recomendamos dimensões de 2160px por 1080px e tamanho máximo de arquivo de 5MB\",\"b9UB/w\":\"Usamos Stripe para processar pagamentos. Conecte sua conta Stripe para começar a receber pagamentos.\",\"01WH0a\":\"Não foi possível confirmar seu pagamento. Tente novamente ou entre em contato com o suporte.\",\"Gspam9\":\"Estamos processando seu pedido. Por favor, aguarde...\",\"LuY52w\":\"Bem vindo a bordo! Por favor faça o login para continuar.\",\"dVxpp5\":[\"Bem vindo de volta\",[\"0\"],\" 👋\"],\"NxOVCl\":[\"Bem-vindo ao Hi.Events, \",[\"0\"],\" 👋\"],\"wjqPqF\":\"O que são ingressos diferenciados?\",\"f1jUC0\":\"Em que data esta lista de registro deve se tornar ativa?\",\"5iXvHA\":\"What is a Tiered Ticketing?\",\"MhhnvW\":\"A quais ingressos esse código se aplica? (Aplica-se a todos por padrão)\",\"dCil3h\":\"A quais tickets esta pergunta deve ser aplicada?\",\"Rb0XUE\":\"A que horas você chegará?\",\"5N4wLD\":\"Que tipo de pergunta é essa?\",\"D7C6XV\":\"Quando esta lista de registro deve expirar?\",\"FVetkT\":\"Quais ingressos devem ser associados a esta lista de registro?\",\"S+OdxP\":\"Quem está organizando este evento?\",\"LINr2M\":\"Para quem é esta mensagem?\",\"nWhye/\":\"A quem deve ser feita esta pergunta?\",\"vVGiM4\":\"Who type of question is this?\",\"onLsWS\":\"Whoops! something went wrong. Please try again or contact support if the problem persists.\",\"AHXN2z\":\"Widget\",\"AU/8QR\":\"Widget Configuration\",\"VxFvXQ\":\"Incorporação de widget\",\"v1P7Gm\":\"Configurações de widget\",\"b4itZn\":\"Trabalhando\",\"hqmXmc\":\"Trabalhando...\",\"l75CjT\":\"Sim\",\"QcwyCh\":\"Sim, remova-os\",\"ySeBKv\":\"Você já escaneou este ingresso\",\"P+Sty0\":[\"Você está alterando seu e-mail para <0>\",[\"0\"],\".\"],\"gGhBmF\":\"Você está offline\",\"4ysd6z\":\"You can connecting using this Zoom link...\",\"9HGdDw\":\"Você pode criar um código promocional direcionado a este ingresso no\",\"KRhIxT\":\"Agora você pode começar a receber pagamentos através do Stripe.\",\"UqVaVO\":\"Você não pode alterar o tipo de ingresso porque há participantes associados a esse ingresso.\",\"zQ8idk\":\"You cannot change the ticket type because there are already tickets sold for this ticket.\",\"3vRX5A\":\"Você não pode excluir esse nível de preço porque já existem ingressos vendidos para esse nível. Você pode ocultá-lo.\",\"RCC09s\":\"You cannot edit a default question\",\"tFbRKJ\":\"Você não pode editar a função ou o status do proprietário da conta.\",\"fHfiEo\":\"Você não pode reembolsar um pedido criado manualmente.\",\"hK9c7R\":\"Você criou uma pergunta oculta, mas desativou a opção de mostrar perguntas ocultas. Foi habilitado.\",\"NOaWRX\":\"Você não tem permissão para acessar esta página\",\"BRArmD\":\"Você tem acesso a várias contas. Escolha um para continuar.\",\"Z6q0Vl\":\"Você já aceitou este convite. Por favor faça o login para continuar.\",\"rdk1xK\":\"Você conectou sua conta Stripe\",\"ofEncr\":\"Você não tem perguntas dos participantes.\",\"XoeazJ\":\"You have no attendee questions. Attendee questions are asked once per attendee.\",\"CoZHDB\":\"Você não tem perguntas sobre pedidos.\",\"FZKDIe\":\"You have no order questions. Order questions are asked once per order.\",\"15qAvl\":\"Você não tem nenhuma alteração de e-mail pendente.\",\"n81Qk8\":\"Você não concluiu a configuração do Stripe Connect\",\"jxsiqJ\":\"Você não conectou sua conta Stripe\",\"183zcL\":\"Você tem impostos e taxas adicionados a um ingresso grátis. Você gostaria de removê-los ou ocultá-los?\",\"2v5MI1\":\"Você ainda não enviou nenhuma mensagem. Você pode enviar mensagens para todos os participantes ou para portadores de ingressos específicos.\",\"R6i9o9\":\"Você deve reconhecer que este e-mail não é promocional\",\"3ZI8IL\":\"Você deve concordar com os termos e condições\",\"dMd3Uf\":\"Você deve confirmar seu endereço de e-mail antes que seu evento possa ir ao ar.\",\"H35u3n\":\"Você deve criar um ticket antes de poder adicionar manualmente um participante.\",\"jE4Z8R\":\"Você deve ter pelo menos uma faixa de preço\",\"LRguuL\":\"You must have at least one tier\",\"8/eLoa\":\"Você precisa verificar sua conta antes de enviar mensagens.\",\"L/+xOk\":\"Você precisará de um ingresso antes de poder criar uma lista de registro.\",\"8QNzin\":\"Você precisará de um ingresso antes de poder criar uma atribuição de capacidade.\",\"WHXRMI\":\"Você precisará de pelo menos um ticket para começar. Gratuito, pago ou deixa o usuário decidir quanto pagar.\",\"bdg03s\":\"Your account email in outgoing emails.\",\"ROR8QD\":\"O nome da sua conta é usado nas páginas do evento e nos e-mails.\",\"veessc\":\"Seus participantes aparecerão aqui assim que se inscreverem em seu evento. Você também pode adicionar participantes manualmente.\",\"Eh5Wrd\":\"Seu site incrível 🎉\",\"lkMK2r\":\"Seus detalhes\",\"3ENYTQ\":[\"Sua solicitação de e-mail para <0>\",[\"0\"],\" está pendente. Por favor, verifique seu e-mail para confirmar\"],\"yZfBoy\":\"Sua mensagem foi enviada\",\"la26JS\":\"Your order is in progress\",\"7YJdgG\":\"Seus pedidos aparecerão aqui assim que começarem a chegar.\",\"9TO8nT\":\"Sua senha\",\"P8hBau\":\"Seu pagamento está sendo processado.\",\"UdY1lL\":\"Seu pagamento não foi bem-sucedido, tente novamente.\",\"fzuM26\":\"Seu pagamento não foi bem-sucedido. Por favor, tente novamente.\",\"cJ4Y4R\":\"Seu reembolso está sendo processado.\",\"IFHV2p\":\"Seu ingresso para\",\"3k7HDY\":\"Zip\",\"BM/KQm\":\"CEP ou Código postal\",\"VftCuk\":\"Zoom link, Google Meet link, etc.\"}")}; \ No newline at end of file diff --git a/frontend/src/locales/pt.po b/frontend/src/locales/pt.po index 84b08e77..b47603d8 100644 --- a/frontend/src/locales/pt.po +++ b/frontend/src/locales/pt.po @@ -29,7 +29,7 @@ msgstr "{0} <0>registrado com sucesso" msgid "{0} <0>checked out successfully" msgstr "{0} <0>desmarcado com sucesso" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:298 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:305 msgid "{0} available" msgstr "{0} disponível" @@ -218,7 +218,7 @@ msgstr "Conta" msgid "Account Name" msgstr "Nome da conta" -#: src/components/common/GlobalMenu/index.tsx:24 +#: src/components/common/GlobalMenu/index.tsx:32 #: src/components/routes/account/ManageAccount/index.tsx:19 msgid "Account Settings" msgstr "Configurações de Conta" @@ -361,7 +361,7 @@ msgstr "Incrível, evento, palavras-chave..." #: src/components/common/OrdersTable/index.tsx:152 #: src/components/forms/TaxAndFeeForm/index.tsx:71 -#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:35 +#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:36 msgid "Amount" msgstr "Quantia" @@ -405,7 +405,7 @@ msgstr "Quaisquer dúvidas dos titulares de ingressos serão enviadas para este msgid "Appearance" msgstr "Aparência" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:367 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:377 msgid "applied" msgstr "aplicado" @@ -417,7 +417,7 @@ msgstr "Aplica-se a {0} ingressos" msgid "Applies to 1 ticket" msgstr "Aplica-se a 1 ingresso" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:395 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:405 msgid "Apply Promo Code" msgstr "Aplicar código promocional" @@ -745,7 +745,7 @@ msgstr "Cidade" msgid "Clear Search Text" msgstr "Limpar texto de pesquisa" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:265 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:266 msgid "click here" msgstr "Clique aqui" @@ -863,7 +863,7 @@ msgstr "Cor de fundo do conteúdo" #: src/components/common/WidgetEditor/index.tsx:31 #: src/components/common/WidgetEditor/index.tsx:217 #: src/components/layouts/Checkout/CheckoutFooter/index.tsx:36 -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:353 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:363 msgid "Continue" msgstr "Continuar" @@ -986,6 +986,10 @@ msgstr "Crie um novo" msgid "Create Organizer" msgstr "Criar organizador" +#: src/components/routes/event/products.tsx:50 +msgid "Create Product" +msgstr "" + #: src/components/modals/CreatePromoCodeModal/index.tsx:51 #: src/components/modals/CreatePromoCodeModal/index.tsx:56 msgid "Create Promo Code" @@ -1160,7 +1164,7 @@ msgstr "Desconto em {0}" msgid "Discount Type" msgstr "Tipo de desconto" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:274 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:275 msgid "Dismiss" msgstr "Liberar" @@ -1576,7 +1580,7 @@ msgstr "Esqueceu sua senha?" #: src/components/common/OrderSummary/index.tsx:99 #: src/components/common/TicketsTable/SortableTicket/index.tsx:88 #: src/components/common/TicketsTable/SortableTicket/index.tsx:102 -#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:51 +#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:52 msgid "Free" msgstr "Livre" @@ -1625,7 +1629,7 @@ msgstr "Vendas brutas" msgid "Guests" msgstr "Convidados" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:362 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:372 msgid "Have a promo code?" msgstr "Tem um código promocional?" @@ -1676,7 +1680,7 @@ msgid "Hidden questions are only visible to the event organizer and not to the c msgstr "As perguntas ocultas são visíveis apenas para o organizador do evento e não para o cliente." #: src/components/forms/TicketForm/index.tsx:289 -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:332 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:342 msgid "Hide" msgstr "Esconder" @@ -1760,7 +1764,7 @@ msgstr "https://example-maps-service.com/..." msgid "I agree to the <0>terms and conditions" msgstr "Concordo com os <0>termos e condições" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:261 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:262 msgid "If a new tab did not open, please <0><1>{0}." msgstr "Se uma nova guia não for aberta, <0><1>{0}." @@ -1914,7 +1918,7 @@ msgstr "Fazendo login" msgid "Login" msgstr "Conecte-se" -#: src/components/common/GlobalMenu/index.tsx:29 +#: src/components/common/GlobalMenu/index.tsx:47 msgid "Logout" msgstr "Sair" @@ -2047,7 +2051,7 @@ msgstr "Minha incrível descrição do evento..." msgid "My amazing event title..." msgstr "Meu incrível título de evento..." -#: src/components/common/GlobalMenu/index.tsx:19 +#: src/components/common/GlobalMenu/index.tsx:27 msgid "My Profile" msgstr "Meu perfil" @@ -2444,7 +2448,7 @@ msgstr "Verifique seu e-mail para confirmar seu endereço de e-mail" msgid "Please complete the form below to accept your invitation" msgstr "Preencha o formulário abaixo para aceitar seu convite" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:259 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:260 msgid "Please continue in the new tab" msgstr "Continue na nova aba" @@ -2469,7 +2473,7 @@ msgstr "Remova os filtros e defina a classificação como \"Ordem da página ini msgid "Please select" msgstr "Por favor selecione" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:216 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:217 msgid "Please select at least one ticket" msgstr "Selecione pelo menos um ingresso" @@ -2540,6 +2544,10 @@ msgstr "Imprimir" msgid "Print All Tickets" msgstr "Imprimir todos os ingressos" +#: src/components/routes/event/products.tsx:39 +msgid "Products" +msgstr "" + #: src/components/routes/profile/ManageProfile/index.tsx:106 msgid "Profile" msgstr "Perfil" @@ -2548,7 +2556,7 @@ msgstr "Perfil" msgid "Profile updated successfully" msgstr "Perfil atualizado com sucesso" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:160 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:161 msgid "Promo {promo_code} code applied" msgstr "Código promocional {promo_code} aplicado" @@ -2639,11 +2647,11 @@ msgstr "Devolveu" msgid "Register" msgstr "Registro" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:371 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:381 msgid "remove" msgstr "remover" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:372 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:382 msgid "Remove" msgstr "Remover" @@ -2779,6 +2787,10 @@ msgstr "Pesquise por nome, e-mail ou número do pedido..." msgid "Search by name..." msgstr "Procura por nome..." +#: src/components/routes/event/products.tsx:43 +msgid "Search by product name..." +msgstr "" + #: src/components/routes/event/messages.tsx:34 msgid "Search by subject or content..." msgstr "Pesquise por assunto ou conteúdo..." @@ -2927,7 +2939,7 @@ msgstr "Mostrar quantidade de ingressos disponíveis" msgid "Show hidden questions" msgstr "Mostrar perguntas ocultas" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:332 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:342 msgid "Show more" msgstr "Mostre mais" @@ -3007,7 +3019,7 @@ msgstr "Desculpe, algo deu errado ao carregar esta página." msgid "Sorry, this order no longer exists." msgstr "Desculpe, este pedido não existe mais." -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:225 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:226 msgid "Sorry, this promo code is not recognized" msgstr "Desculpe, este código promocional não é reconhecido" @@ -3181,8 +3193,8 @@ msgstr "Impostos" msgid "Taxes and Fees" msgstr "Impostos e Taxas" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:120 -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:168 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:121 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:169 msgid "That promo code is invalid" msgstr "Esse código promocional é inválido" @@ -3208,7 +3220,7 @@ msgstr "A língua em que o participante receberá as mensagens de correio eletr msgid "The link you clicked is invalid." msgstr "O link que você clicou é inválido." -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:318 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:328 msgid "The maximum numbers number of tickets for {0}is {1}" msgstr "O número máximo de bilhetes para {0} é {1}" @@ -3240,7 +3252,7 @@ msgstr "Os impostos e taxas aplicáveis a este bilhete. Você pode criar novos i msgid "The title of the event that will be displayed in search engine results and when sharing on social media. By default, the event title will be used" msgstr "O título do evento que será exibido nos resultados dos buscadores e no compartilhamento nas redes sociais. Por padrão, o título do evento será usado" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:249 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:250 msgid "There are no tickets available for this event" msgstr "Não há ingressos disponíveis para este evento" @@ -3533,7 +3545,7 @@ msgid "Unable to create question. Please check the your details" msgstr "Não foi possível criar a pergunta. Por favor verifique os seus dados" #: src/components/modals/CreateTicketModal/index.tsx:64 -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:105 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:106 msgid "Unable to create ticket. Please check the your details" msgstr "Não foi possível criar o ticket. Por favor verifique os seus dados" @@ -3552,6 +3564,10 @@ msgstr "Estados Unidos" msgid "Unlimited" msgstr "Ilimitado" +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:300 +msgid "Unlimited available" +msgstr "Ilimitado disponível" + #: src/components/common/PromoCodeTable/index.tsx:125 msgid "Unlimited usages allowed" msgstr "Usos ilimitados permitidos" diff --git a/frontend/src/locales/ru.js b/frontend/src/locales/ru.js index 02c0b64d..207f5d31 100644 --- a/frontend/src/locales/ru.js +++ b/frontend/src/locales/ru.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"1bpx9A\":\"...\",\"f8qS7T\":\"'There\\\\'s nothing to show yet'\",\"4zldrf\":[[\"0\",\"plural\",{\"one\":[\"#\",\" hidden question\"],\"other\":[\"#\",\" hidden questions\"]}]],\"J/hVSQ\":[[\"0\"]],\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"Jv22kr\":[[\"0\"],\" <0>checked in successfully\"],\"yxhYRZ\":[[\"0\"],\" <0>checked out successfully\"],\"KMgp2+\":[[\"0\"],\" available\"],\"tmew5X\":[[\"0\"],\" checked in\"],\"Pmr5xp\":[[\"0\"],\" created successfully\"],\"FImCSc\":[[\"0\"],\" updated successfully\"],\"KOr9b4\":[[\"0\"],\"'s Events\"],\"qSiUsc\":[[\"0\"],[\"1\"]],\"cU8MWb\":[[\"0\"],\"/\",[\"1\"],\" checked in\"],\"Vjij1k\":[[\"days\"],\" days, \",[\"hours\"],\" hours, \",[\"minutes\"],\" minutes, and \",[\"seconds\"],\" seconds\"],\"f3RdEk\":[[\"hours\"],\" hours, \",[\"minutes\"],\" minutes, and \",[\"seconds\"],\" seconds\"],\"wapGcj\":[[\"message\"]],\"fyE7Au\":[[\"minutes\"],\" minutes and \",[\"seconds\"],\" seconds\"],\"NlQ0cx\":[[\"organizerName\"],\"'s first event\"],\"Ul6IgC\":\"<0>Capacity assignments let you manage capacity across tickets or an entire event. Ideal for multi-day events, workshops, and more, where controlling attendance is crucial.<1>For instance, you can associate a capacity assignment with <2>Day One and <3>All Days ticket. Once the capacity is reached, both tickets will automatically stop being available for sale.\",\"Exjbj7\":\"<0>Check-in lists help manage attendee entry for your event. You can associate multiple tickets with a check-in list and ensure only those with valid tickets can enter.\",\"OXku3b\":\"<0>https://your-website.com\",\"qnSLLW\":\"<0>Please enter the price excluding taxes and fees.<1>Taxes and fees can be added below.\",\"0940VN\":\"<0>The number of tickets available for this ticket<1>This value can be overridden if there are <2>Capacity Limits associated with this ticket.\",\"E15xs8\":\"⚡️ Set up your event\",\"FL6OwU\":\"✉️ Confirm your email address\",\"y1NShf\":\"🎉 Congratulation on creating an event!\",\"BN0OQd\":\"🎉 Congratulations on creating an event!\",\"fAv9QG\":\"🎟️ Add tickets\",\"4WT5tD\":\"🎨 Customize your event page\",\"3VPPdS\":\"💳 Connect with Stripe\",\"s4Tgn6\":\"📢 Promote your event\",\"cjdktw\":\"🚀 Set your event live\",\"rmelwV\":\"0 minutes and 0 seconds\",\"UQ7pBY\":\"0.50 for $0.50\",\"i1+xzD\":\"1.75 for 1.75%\",\"i0puaE\":\"10.00\",\"W9+fkZ\":\"10001\",\"qdfdgM\":\"123 Main Street\",\"IoRZzD\":\"20\",\"+H1RMb\":\"2024-01-01 10:00\",\"Q/T49U\":\"2024-01-01 18:00\",\"hMT8+2\":\"94103\",\"efAM7X\":\"A date input. Perfect for asking for a date of birth etc.\",\"d9El7Q\":[\"A default \",[\"type\"],\" is automaticaly applied to all new tickets. You can override this on a per ticket basis.\"],\"SMUbbQ\":\"A Dropdown input allows only one selection\",\"qv4bfj\":\"A fee, like a booking fee or a service fee\",\"Pgaiuj\":\"A fixed amount per ticket. E.g, $0.50 per ticket\",\"f4vJgj\":\"A multi line text input\",\"ySO/4f\":\"A percentage of the ticket price. E.g., 3.5% of the ticket price\",\"WXeXGB\":\"A promo code with no discount can be used to reveal hidden tickets.\",\"GMhWB5\":\"A Radio option allows has multiple options but only one can be selected.\",\"CBt3s7\":\"A Radio Option allows only one selection\",\"AG/qmQ\":\"A Radio option has multiple options but only one can be selected.\",\"7g61G9\":\"A short description of Awesome Events Ltd.\",\"h179TP\":\"A short description of the event that will be displayed in search engine results and when sharing on social media. By default, the event description will be used\",\"WKMnh4\":\"A single line text input\",\"zCk10D\":\"A single question per attendee. E.g, What is your preferred meal?\",\"ap3v36\":\"A single question per order. E.g, What is your company name?\",\"RlJmQg\":\"A standard tax, like VAT or GST\",\"pDwHGk\":\"About hi.events\",\"uIKNjo\":\"About the event\",\"bfXQ+N\":\"Accept Invitation\",\"iwyhk4\":\"Access to the VIP area...\",\"AeXO77\":\"Account\",\"0b79Xf\":\"Account Email\",\"lkNdiH\":\"Account Name\",\"Puv7+X\":\"Account Settings\",\"OmylXO\":\"Account updated successfully\",\"7L01XJ\":\"Actions\",\"FQBaXG\":\"Activate\",\"5T2HxQ\":\"Activation date\",\"F6pfE9\":\"Active\",\"m16xKo\":\"Add\",\"LKNynS\":\"Add a cover image, description, and more to make your event stand out.\",\"/PN1DA\":\"Add a description for this check-in list\",\"PGPGsL\":\"Add description\",\"gMK0ps\":\"Add event details and and manage event settings.\",\"Fb+SDI\":\"Add More tickets\",\"ApsD9J\":\"Add New\",\"TZxnm8\":\"Add Option\",\"Cw27zP\":\"Add question\",\"yWiPh+\":\"Add Tax or Fee\",\"BGD9Yt\":\"Add tickets\",\"goOKRY\":\"Add tier\",\"p59pEv\":\"Additional Details\",\"Y8DIQy\":\"Additional Options\",\"Du6bPw\":\"Address\",\"NY/x1b\":\"Address line 1\",\"POdIrN\":\"Address Line 1\",\"cormHa\":\"Address line 2\",\"gwk5gg\":\"Address Line 2\",\"U3pytU\":\"Admin\",\"HLDaLi\":\"Admin users have full access to events and account settings.\",\"CPXP5Z\":\"Affiliates\",\"W7AfhC\":\"All attendees of this event\",\"QsYjci\":\"All Events\",\"/twVAS\":\"All Tickets\",\"ipYKgM\":\"Allow search engine indexing\",\"LRbt6D\":\"Allow search engines to index this event\",\"+MHcJD\":\"Almost there! We're just waiting for your payment to be processed. This should only take a few seconds..\",\"8wYDMp\":\"Already have an account?\",\"ApOYO8\":\"Amazing, Event, Keywords...\",\"hehnjM\":\"Amount\",\"TRYjHa\":[\"amount in \",[\"0\"]],\"R2O9Rg\":[\"Amount paid (\",[\"0\"],\")\"],\"tLjOgo\":[\"Amount paid $\",[\"0\"]],\"V7MwOy\":\"An error occurred while loading the page\",\"Q7UCEH\":\"An error occurred while sorting the questions. Please try again or refresh the page\",\"er3d/4\":\"An error occurred while sorting the tickets. Please try again or refresh the page\",\"hhvESd\":\"An event is the actual event you are hosting\",\"jD/OCQ\":\"An event is the actual event you are hosting. You can add more details later.\",\"oBkF+i\":\"An organizer is the company or person who is hosting the event\",\"W5A0Ly\":\"An unexpected error occurred.\",\"byKna+\":\"An unexpected error occurred. Please try again.\",\"j4DliD\":\"Any queries from ticket holders will be sent to this email address. This will also be used as the \\\"reply-to\\\" address for all emails sent from this event\",\"aAIQg2\":\"Appearance\",\"Ym1gnK\":\"applied\",\"epTbAK\":[\"Applies to \",[\"0\"],\" tickets\"],\"6MkQ2P\":\"Applies to 1 ticket\",\"DB8zMK\":\"Apply\",\"GctSSm\":\"Apply Promo Code\",\"jcnZEw\":[\"Apply this \",[\"type\"],\" to all new tickets\"],\"S0ctOE\":\"Archive event\",\"TdfEV7\":\"Archived\",\"A6AtLP\":\"Archived Events\",\"q7TRd7\":\"Are you sure you want to activate this attendee?\",\"TvkW9+\":\"Are you sure you want to archive this event?\",\"/CV2x+\":\"Are you sure you want to cancel this attendee? This will void their ticket\",\"YgRSEE\":\"Are you sure you want to delete this promo code?\",\"iU234U\":\"Are you sure you want to delete this question?\",\"CMyVEK\":\"Are you sure you want to make this event draft? This will make the event invisible to the public\",\"mEHQ8I\":\"Are you sure you want to make this event public? This will make the event visible to the public\",\"s4JozW\":\"Are you sure you want to restore this event? It will be restored as a draft event.\",\"vJuISq\":\"Are you sure you would like to delete this Capacity Assignment?\",\"baHeCz\":\"Are you sure you would like to delete this Check-In List?\",\"2xEpch\":\"Ask once per attendee\",\"LBLOqH\":\"Ask once per order\",\"ss9PbX\":\"Attendee\",\"m0CFV2\":\"Attendee Details\",\"lXcSD2\":\"Attendee questions\",\"VvYqMB\":\"Attendee questions are asked once per attendee. By default, people are asked for their first name, last name, and email address.\",\"spxPEv\":\"Attendee questions are asked once per attendee. By default, we ask for the attendee's first name, last name, and email address.\",\"9SZT4E\":\"Attendees\",\"5UbY+B\":\"Attendees with a specific ticket\",\"IMJ6rh\":\"Auto Resize\",\"vZ5qKF\":\"Automatically resize the widget height based on the content. When disabled, the widget will fill the height of the container.\",\"lXkUEV\":\"Availability\",\"ioG+xt\":\"Awaiting Payment\",\"3PmQfI\":\"Awesome Event\",\"kNmmvE\":\"Awesome Events Ltd.\",\"Yrbm6T\":\"Awesome Organizer Ltd.\",\"9002sI\":\"Back to all events\",\"0TGkYM\":\"Back to event homepage\",\"A302fe\":\"Back to event page\",\"VCoEm+\":\"Back to login\",\"MLZyiY\":\"Background color\",\"k1bLf+\":\"Background Color\",\"I7xjqg\":\"Background Type\",\"EOUool\":\"Basic Details\",\"7EGQKA\":\"Because you are the account owner, you cannot change your role or status.\",\"1mwMl+\":\"Before you send!\",\"wVfiR2\":\"Before you're event can go live, there's a few thing to do.\",\"/yeZ20\":\"Before your event can go live, there are a few things you need to do.\",\"1xAcxY\":\"Begin selling tickets in minutes\",\"R+w/Va\":\"Billing\",\"rp/zaT\":\"Brazilian Portuguese\",\"Ptp9MF\":\"Button color\",\"whqocw\":\"By registering you agree to our <0>Terms of Service and <1>Privacy Policy.\",\"bcCn6r\":\"Calculation Type\",\"+8bmSu\":\"California\",\"iStTQt\":\"Camera permission was denied. <0>Request Permission again, or if this doesn't work, you will need to <1>grant this page access to your camera in your browser settings.\",\"Jzn1qy\":\"Can't load events\",\"dEgA5A\":\"Cancel\",\"Gjt/py\":\"Cancel email change\",\"tVJk4q\":\"Cancel order\",\"Os6n2a\":\"Cancel Order\",\"Mz7Ygx\":[\"Cancel Order \",[\"0\"]],\"Ud7zwq\":\"Canceling will cancel all tickets associated with this order, and release the tickets back into the available pool.\",\"vv7kpg\":\"Cancelled\",\"QyjCeq\":\"Capacity\",\"V6Q5RZ\":\"Capacity Assignment created successfully\",\"k5p8dz\":\"Capacity Assignment deleted successfully\",\"nDBs04\":\"Capacity Management\",\"77/YgG\":\"Change Cover\",\"GptGxg\":\"Change password\",\"QndF4b\":\"check in\",\"xMDm+I\":\"Check In\",\"9FVFym\":\"check out\",\"/Ta1d4\":\"Check Out\",\"gXcPxc\":\"Check-in\",\"Y3FYXy\":\"Check-In\",\"fVUbUy\":\"Check-In List created successfully\",\"+CeSxK\":\"Check-In List deleted successfully\",\"+hBhWk\":\"Check-in list has expired\",\"mBsBHq\":\"Check-in list is not active\",\"vPqpQG\":\"Check-in list not found\",\"tejfAy\":\"Check-In Lists\",\"hD1ocH\":\"Check-In URL copied to clipboard\",\"CNafaC\":\"Checkbox options allow multiple selections\",\"SpabVf\":\"Checkboxes\",\"CRu4lK\":\"Checked In\",\"rfeicl\":\"Checked in successfully\",\"/ydvvl\":\"Checkout Messaging\",\"1WnhCL\":\"Checkout Settings\",\"h1IXFK\":\"Chinese\",\"6imsQS\":\"Chinese (Simplified)\",\"JjkX4+\":\"Choose a color for your background\",\"/Jizh9\":\"Choose an account\",\"jJGoVv\":\"Choose what notifications you want to receive\",\"3wV73y\":\"City\",\"FG98gC\":\"Clear Search Text\",\"EYeuMv\":\"click here\",\"sby+1/\":\"Click to copy\",\"yz7wBu\":\"Close\",\"62Ciis\":\"Close sidebar\",\"EWPtMO\":\"Code\",\"ercTDX\":\"Code must be between 3 and 50 characters long\",\"jZlrte\":\"Color\",\"Vd+LC3\":\"Color must be a valid hex color code. Example: #ffffff\",\"1HfW/F\":\"Colors\",\"VZeG/A\":\"Coming Soon\",\"yPI7n9\":\"Comma seperated keywords that describe the event. These will be used by search engines to help categorize and index the event\",\"NPZqBL\":\"Complete Order\",\"guBeyC\":\"Complete payment\",\"C8HNV2\":\"Complete Payment\",\"qqWcBV\":\"Completed\",\"DwF9eH\":\"Component Code\",\"7VpPHA\":\"Confirm\",\"ZaEJZM\":\"Confirm Email Change\",\"yjkELF\":\"Confirm New Password\",\"xnWESi\":\"Confirm password\",\"p2/GCq\":\"Confirm Password\",\"wnDgGj\":\"Confirming email address...\",\"DnLC08\":\"Congratulation on creating an event!\",\"pbAk7a\":\"Connect Stripe\",\"UMGQOh\":\"Connect with Stripe\",\"QKLP1W\":\"Connect your Stripe account to start receiving payments.\",\"5lcVkL\":\"Connection Details\",\"i3p844\":\"Contact email\",\"yAej59\":\"Content background color\",\"xGVfLh\":\"Continue\",\"X++RMT\":\"Continue button text\",\"AfNRFG\":\"Continue Button Text\",\"lIbwvN\":\"Continue Event Setup\",\"HB22j9\":\"Continue set up\",\"bZEa4H\":\"Continue Stripe Connect Setup\",\"RGVUUI\":\"Continue To Payment\",\"6V3Ea3\":\"Copied\",\"T5rdis\":\"copied to clipboard\",\"he3ygx\":\"Copy\",\"r2B2P8\":\"Copy Check-In URL\",\"8+cOrS\":\"Copy details to all attendees\",\"ENCIQz\":\"Copy Link\",\"E6nRW7\":\"Copy URL\",\"JNCzPW\":\"Country\",\"IF7RiR\":\"Cover\",\"P0rbCt\":\"Cover Image\",\"hYgDIe\":\"Create\",\"b9XOHo\":[\"Create \",[\"0\"]],\"6kdXbW\":\"Create a Promo Code\",\"n5pRtF\":\"Create a Ticket\",\"X6sRve\":[\"Create an account or <0>\",[\"0\"],\" to get started\"],\"nx+rqg\":\"create an organizer\",\"ipP6Ue\":\"Create Attendee\",\"VwdqVy\":\"Create Capacity Assignment\",\"WVbTwK\":\"Create Check-In List\",\"uN355O\":\"Create Event\",\"BOqY23\":\"Create new\",\"kpJAeS\":\"Create Organizer\",\"sYpiZP\":\"Create Promo Code\",\"a6YrKg\":\"Create promo codes\",\"n6H6AO\":\"Create promo codes to offer discounts to your attendees.\",\"B3Mkdt\":\"Create Question\",\"UKfi21\":\"Create Tax or Fee\",\"Tg323g\":\"Create Ticket\",\"agZ87r\":\"Create tickets for your event, set prices, and manage available quantity.\",\"d+F6q9\":\"Created\",\"Q2lUR2\":\"Currency\",\"DCKkhU\":\"Current Password\",\"uIElGP\":\"Custom Maps URL\",\"876pfE\":\"Customer\",\"QOg2Sf\":\"Customize the email and notification settings for this event\",\"Lu75d1\":\"Customize the email settings for this event\",\"RaxMyF\":\"Customize the event homepage and checkout experience\",\"Y9Z/vP\":\"Customize the event homepage and checkout messaging\",\"2E2O5H\":\"Customize the miscellaneous settings for this event\",\"iJhSxe\":\"Customize the SEO settings for this event\",\"KIhhpi\":\"Customize your event page\",\"nrGWUv\":\"Customize your event page to match your brand and style.\",\"Zz6Cxn\":\"Danger zone\",\"ZQKLI1\":\"Danger Zone\",\"7p5kLi\":\"Dashboard\",\"mYGY3B\":\"Date\",\"JvUngl\":\"Date & Time\",\"JJhRbH\":\"Day one capacity\",\"PqrqgF\":\"Day one check-in list\",\"RiXc4g\":\"Deactivate user\",\"cnGeoo\":\"Delete\",\"jRJZxD\":\"Delete Capacity\",\"Qrc8RZ\":\"Delete Check-In List\",\"WHf154\":\"Delete code\",\"heJllm\":\"Delete Cover\",\"KWa0gi\":\"Delete Image\",\"IatsLx\":\"Delete question\",\"GnyEfA\":\"Delete ticket\",\"E33LRn\":\"Delete user\",\"Nu4oKW\":\"Description\",\"YC3oXa\":\"Description for check-in staff\",\"s9iD5d\":\"Description should be less than 50,000 characters\",\"URmyfc\":\"Details\",\"x8uDKb\":\"Disable code\",\"Tgg8XQ\":\"Disable this capacity track capacity without stopping ticket sales\",\"H6Ma8Z\":\"Discount\",\"ypJ62C\":\"Discount %\",\"3LtiBI\":[\"Discount in \",[\"0\"]],\"C8JLas\":\"Discount Type\",\"1QfxQT\":\"Dismiss\",\"cVq+ga\":\"Don't have an account? <0>Sign Up\",\"4+aC/x\":\"Donation / Pay what you'd like ticket\",\"++S5i/\":\"Donation amount\",\"OO7MG7\":\"Donation Ticket\",\"0pEVi2\":\"Download Tickets PDF\",\"uABpqP\":\"Drag and drop or click\",\"3z2ium\":\"Drag to sort\",\"6skwyH\":\"Drop an image, or click here to replace the Cover Image\",\"S37RRV\":\"Drop an image, or click here to upload the Cover Image\",\"CfKofC\":\"Dropdown selection\",\"JzLDvy\":\"Duplicate Capacity Assignments\",\"ulMxl+\":\"Duplicate Check-In Lists\",\"vi8Q/5\":\"Duplicate event\",\"3ogkAk\":\"Duplicate Event\",\"Yu6m6X\":\"Duplicate Event Cover Image\",\"+fA4C7\":\"Duplicate Options\",\"57ALrd\":\"Duplicate Promo Codes\",\"83Hu4O\":\"Duplicate Questions\",\"20144c\":\"Duplicate Settings\",\"Wt9eV8\":\"Duplicate Tickets\",\"7Cx5It\":\"Early bird\",\"ePK91l\":\"Edit\",\"N6j2JH\":[\"Edit \",[\"0\"]],\"kNGp1D\":\"Edit attendee\",\"t2bbp8\":\"Edit Attendee\",\"kBkYSa\":\"Edit Capacity\",\"oHE9JT\":\"Edit Capacity Assignment\",\"FU1gvP\":\"Edit Check-In List\",\"iFgaVN\":\"Edit Code\",\"jrBSO1\":\"Edit Organizer\",\"9BdS63\":\"Edit Promo Code\",\"O0CE67\":\"Edit question\",\"EzwCw7\":\"Edit Question\",\"d+nnyk\":\"Edit Ticket\",\"poTr35\":\"Edit user\",\"GTOcxw\":\"Edit User\",\"pqFrv2\":\"eg. 2.50 for $2.50\",\"3yiej1\":\"eg. 23.5 for 23.5%\",\"O3oNi5\":\"Email\",\"VxYKoK\":\"Email & Notification Settings\",\"ATGYL1\":\"Email address\",\"hzKQCy\":\"Email Address\",\"HqP6Qf\":\"Email change cancelled successfully\",\"mISwW1\":\"Email change pending\",\"WiKda6\":\"Email Configuration\",\"APuxIE\":\"Email confirmation resent\",\"YaCgdO\":\"Email confirmation resent successfully\",\"jyt+cx\":\"Email footer message\",\"I6F3cp\":\"Email not verified\",\"G5zNMX\":\"Email Settings\",\"NTZ/NX\":\"Embed Code\",\"4rnJq4\":\"Embed Script\",\"nA31FG\":\"Enable this capacity to stop ticket sales when the limit is reached\",\"VFv2ZC\":\"End Date\",\"237hSL\":\"Ended\",\"nt4UkP\":\"Ended Events\",\"lYGfRP\":\"English\",\"MhVoma\":\"Enter an amount excluding taxes and fees.\",\"3Z223G\":\"Error confirming email address\",\"a6gga1\":\"Error confirming email change\",\"5/63nR\":\"EUR\",\"0pC/y6\":\"Event\",\"nuoP/j\":\"Event created successfully\",\"CFLUfD\":\"Event created successfully 🎉\",\"0Zptey\":\"Event Defaults\",\"6fuA9p\":\"Event duplicated successfully\",\"Xe3XMd\":\"Event is not visible to the public\",\"4pKXJS\":\"Event is visible to the public\",\"ClwUUD\":\"Event location & venue details\",\"OopDbA\":\"Event page\",\"JyD0LH\":\"Event Settings\",\"4/If97\":\"Event status update failed. Please try again later\",\"btxLWj\":\"Event status updated\",\"tst44n\":\"Events\",\"sZg7s1\":\"Expiration date\",\"KnN1Tu\":\"Expires\",\"uaSvqt\":\"Expiry Date\",\"GS+Mus\":\"Export\",\"9xAp/j\":\"Failed to cancel attendee\",\"ZpieFv\":\"Failed to cancel order\",\"z6tdjE\":\"Failed to delete message. Please try again.\",\"9zSt4h\":\"Failed to export attendees. Please try again.\",\"2uGNuE\":\"Failed to export orders. Please try again.\",\"d+KKMz\":\"Failed to load Check-In List\",\"ZQ15eN\":\"Failed to resend ticket email\",\"PLUB/s\":\"Fee\",\"YirHq7\":\"Feedback\",\"/mfICu\":\"Fees\",\"V1EGGU\":\"First name\",\"kODvZJ\":\"First Name\",\"S+tm06\":\"First name must be between 1 and 50 characters\",\"1g0dC4\":\"First Name, Last Name, and Email Address are default questions and are always included in the checkout process.\",\"QWa3Sk\":\"First Name, Last Name, and Email Address are default questions that are always included in the checkout process.\",\"TpqW74\":\"Fixed\",\"irpUxR\":\"Fixed amount\",\"TF9opW\":\"Flash is not available on this device\",\"UNMVei\":\"Forgot password?\",\"2POOFK\":\"Free\",\"/4rQr+\":\"Free Ticket\",\"01my8x\":\"Free ticket, no payment information required\",\"nLC6tu\":\"French\",\"ejVYRQ\":\"From\",\"DDcvSo\":\"German\",\"u6FPxT\":\"Get Tickets\",\"4GLxhy\":\"Getting Started\",\"4D3rRj\":\"Go back to profile\",\"cQPKZt\":\"Go to Dashboard\",\"9LCqFI\":\"Go to event homepage\",\"RUz8o/\":\"gross sales\",\"IgcAGN\":\"Gross sales\",\"yRg26W\":\"Gross Sales\",\"R4r4XO\":\"Guests\",\"26pGvx\":\"Have a promo code?\",\"V7yhws\":\"hello@awesome-events.com\",\"GNJ1kd\":\"Help & Support\",\"6K/IHl\":\"Here is an example of how you can use the component in your application.\",\"Y1SSqh\":\"Here is the React component you can use to embed the widget in your application.\",\"Ow9Hz5\":[\"Hi.Events Conference \",[\"0\"]],\"verBst\":\"Hi.Events Conference Center\",\"6eMEQO\":\"hi.events logo\",\"C4qOW8\":\"Hidden from public view\",\"gt3Xw9\":\"hidden question\",\"g3rqFe\":\"hidden questions\",\"k3dfFD\":\"Hidden questions are only visible to the event organizer and not to the customer.\",\"EeNE0j\":\"Hidden will not be shown to customers.\",\"vLyv1R\":\"Hide\",\"Mkkvfd\":\"Hide getting started page\",\"mFn5Xz\":\"Hide hidden questions\",\"SCimta\":\"Hide the getting started page from the sidebar\",\"Da29Y6\":\"Hide this question\",\"fsi6fC\":\"Hide this ticket from customers\",\"fvDQhr\":\"Hide this tier from users\",\"Fhzoa8\":\"Hide ticket after sale end date\",\"yhm3J/\":\"Hide ticket before sale start date\",\"k7/oGT\":\"Hide ticket unless user has applicable promo code\",\"L0ZOiu\":\"Hide ticket when sold out\",\"uno73L\":\"Hiding a ticket will prevent users from seeing it on the event page.\",\"tj6Gob\":\"Homepage & Checkout\",\"m07jN3\":\"Homepage & Checkout Settings\",\"ZOBwQn\":\"Homepage Design\",\"PRuBTd\":\"Homepage Designer\",\"YjVNGZ\":\"Homepage Preview\",\"c3E/kw\":\"Homer\",\"id+NIk\":\"How many minutes the customer has to complete their order\",\"8k8Njd\":\"How many minutes the customer has to complete their order. We recommend at least 15 minutes\",\"ySxKZe\":\"How many times can this code be used?\",\"dZsDbK\":[\"HTML character limit exceeded: \",[\"htmlLength\"],\"/\",[\"maxLength\"]],\"fYyXCd\":\"https://example-maps-service.com/...\",\"uOXLV3\":\"I agree to the <0>terms and conditions\",\"sIxFk5\":\"I agree to the terms and conditions\",\"Crwwhn\":[\"If a new tab did not open, please <0>\",[\"0\"],\".\"],\"93DUnd\":[\"If a new tab did not open, please <0><1>\",[\"0\"],\".\"],\"9gtsTP\":\"If blank, the address will be used to generate a Google map link\",\"muXhGi\":\"If enabled, the organizer will receive an email notification when a new order is placed\",\"6fLyj/\":\"If you did not request this change, please immediately change your password.\",\"n/ZDCz\":\"Image deleted successfully\",\"Gyl1h8\":\"Image dimensions must be at least 600px by 300px\",\"TiGacZ\":\"Image dimensions must be at least 900px by 450px\",\"UnTvkH\":\"Image dimensions must be between 3000px by 2000px. With a max height of 2000px and max width of 3000px\",\"Mfbc2v\":\"Image dimensions must be between 4000px by 4000px. With a max height of 4000px and max width of 4000px\",\"uPEIvq\":\"Image must be less than 5MB\",\"AGZmwV\":\"Image uploaded successfully\",\"ibi52/\":\"Image width must be at least 900px and height at least 50px\",\"NoNwIX\":\"Inactive\",\"T0K0yl\":\"Inactive users cannot log in.\",\"OFAmKP\":\"Include connection details for your online event\",\"BfPBBG\":\"Include connection details for your online event. These details will be after successful registration.\",\"6+pAOx\":\"Include connection details for your online event. These details will be shown after successful registration.\",\"evpD4c\":\"Include connection details for your online event. These details will be shown on the order summary page and attendee ticket page\",\"FlQKnG\":\"Include tax and fees in the price\",\"AXTNr8\":[\"Includes \",[\"0\"],\" tickets\"],\"7/Rzoe\":\"Includes 1 ticket\",\"nbfdhU\":\"Integrations\",\"OyLdaz\":\"Invitation resent!\",\"HE6KcK\":\"Invitation revoked!\",\"SQKPvQ\":\"Invite User\",\"PgdQrx\":\"Issue refund\",\"KFXip/\":\"John\",\"XcgRvb\":\"Johnson\",\"1IWWYX\":[\"KittenTech Conference \",[\"0\"]],\"ZgJEMX\":\"KittenTech Conference Center\",\"87a/t/\":\"Label\",\"vXIe7J\":\"Language\",\"I3yitW\":\"Last login\",\"1ZaQUH\":\"Last name\",\"UXBCwc\":\"Last Name\",\"CKcupn\":\"Latest Orders\",\"tITjB1\":\"Learn more about Stripe\",\"c+gAXc\":\"Let's get started by creating your first event\",\"vR92Yn\":\"Let's get started by creating your first organizer\",\"QfrKvi\":\"Link color\",\"wJijgU\":\"Location\",\"sQia9P\":\"Log in\",\"zUDyah\":\"Logging in\",\"z0t9bb\":\"Login\",\"nOhz3x\":\"Logout\",\"F2jAFv\":\"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Nam placerat elementum...\",\"XkhEf9\":\"Lorem ipsum...\",\"MU3ijv\":\"Make this question mandatory\",\"wckWOP\":\"Manage\",\"8mmINh\":\"Manage billing information and view invoices\",\"jWIznR\":\"Manage default settings for new events\",\"n4SpU5\":\"Manage event\",\"wqyqaF\":\"Manage general account settings\",\"cQrNR3\":\"Manage Profile\",\"f92Qak\":\"Manage taxes and fees which can be applied to tickets\",\"PlTcVr\":\"Manage taxes and fees which can be applied to your tickets\",\"ophZVW\":\"Manage tickets\",\"Wsx7Iu\":\"Manage users and their permissions\",\"DdHfeW\":\"Manage your account details and default settings\",\"QHcjP+\":\"Manage your billing and payment details\",\"S+UjNL\":\"Manage your Stripe payment details\",\"BfucwY\":\"Manage your users and their permissions\",\"1m+YT2\":\"Mandatory questions must be answered before the customer can checkout.\",\"Dim4LO\":\"Manually add an Attendee\",\"e4KdjJ\":\"Manually Add Attendee\",\"lzcrX3\":\"Manually adding an attendee will adjust ticket quantity.\",\"g9dPPQ\":\"Maximum Per Order\",\"l5OcwO\":\"Message attendee\",\"Gv5AMu\":\"Message Attendees\",\"1jRD0v\":\"Message attendees with specific tickets\",\"Lvi+gV\":\"Message buyer\",\"tNZzFb\":\"Message Content\",\"lYDV/s\":\"Message individual attendees\",\"V7DYWd\":\"Message Sent\",\"t7TeQU\":\"Messages\",\"xFRMlO\":\"Minimum Per Order\",\"QYcUEf\":\"Minimum Price\",\"mYLhkl\":\"Miscellaneous Settings\",\"KYveV8\":\"Multi line text box\",\"SVuGaP\":\"Multiple price options, users can choose which to pay\",\"6wbTro\":\"Multiple price options. Perfect for early bird tickets etc.\",\"/bhMdO\":\"My amazing event description...\",\"vX8/tc\":\"My amazing event title...\",\"hKtWk2\":\"My Profile\",\"pRjx4L\":\"Nam placerat elementum...\",\"6YtxFj\":\"Name\",\"hVuv90\":\"Name should be less than 150 characters\",\"AIUkyF\":\"Navigate to Attendee\",\"qqeAJM\":\"Never\",\"7vhWI8\":\"New Password\",\"m920rF\":\"New York\",\"1UzENP\":\"No\",\"LNWHXb\":\"No archived events to show.\",\"Wjz5KP\":\"No Attendees to show\",\"Razen5\":\"No attendees will be able to check in before this date using this list\",\"XUfgCI\":\"No Capacity Assignments\",\"a/gMx2\":\"No Check-In Lists\",\"fFeCKc\":\"No Discount\",\"HFucK5\":\"No ended events to show.\",\"Z6ILSe\":\"No events for this organizer\",\"yAlJXG\":\"No events to show\",\"KPWxKD\":\"No messages to show\",\"J2LkP8\":\"No orders to show\",\"+Y976X\":\"No Promo Codes to show\",\"Ev2r9A\":\"No results\",\"RHyZUL\":\"No search results.\",\"cU1op4\":\"No Taxes or Fees have been added yet.\",\"RY2eP1\":\"No Taxes or Fees have been added.\",\"uR2eFu\":\"No tickets available\",\"b7JZFg\":\"No tickets to show\",\"EdQY6l\":\"None\",\"OJx3wK\":\"Not available\",\"x5+Lcz\":\"Not Checked In\",\"Scbrsn\":\"Not On Sale\",\"hFwWnI\":\"Notification Settings\",\"xXqEPO\":\"Notify buyer of refund\",\"YpN29s\":\"Notify organizer of new orders\",\"qeQhNj\":\"Now let's create your first event\",\"2NPDz1\":\"On sale\",\"Ldu/RI\":\"On Sale\",\"Ug4SfW\":\"Once you create an event, you'll see it here.\",\"+P/tII\":\"Once you're ready, set your event live and start selling tickets.\",\"J6n7sl\":\"Ongoing\",\"z+nuVJ\":\"Online event\",\"WKHW0N\":\"Online Event Details\",\"/xkmKX\":\"Only important emails, which are directly related to this event, should be sent using this form.\\nAny misuse, including sending promotional emails, will lead to an immediate account ban.\",\"Qqqrwa\":\"Open Check-In Page\",\"OdnLE4\":\"Open sidebar\",\"ZZEYpT\":[\"Option \",[\"i\"]],\"0zpgxV\":\"Options\",\"BzEFor\":\"or\",\"UYUgdb\":\"Order\",\"mm+eaX\":\"Order #\",\"B3gPuX\":\"Order Cancelled\",\"SIbded\":\"Order Completed\",\"q/CcwE\":\"Order Date\",\"Tol4BF\":\"Order Details\",\"L4kzeZ\":[\"Order Details \",[\"0\"]],\"WbImlQ\":\"Order has been canceled and the order owner has been notified.\",\"VCOi7U\":\"Order questions\",\"wg9MPp\":\"Order questions are asked once per order. By default, people are asked for their first name, last name, and email address.\",\"+KNVxX\":\"Order questions are asked once per order. By default, we ask for the first name, last name, and email address.\",\"TPoYsF\":\"Order Reference\",\"GX6dZv\":\"Order Summary\",\"tDTq0D\":\"Order timeout\",\"1h+RBg\":\"Orders\",\"mz+c33\":\"Orders Created\",\"G5RhpL\":\"Organizer\",\"m/ebSk\":\"Organizer Details\",\"mYygCM\":\"Organizer is required\",\"Pa6G7v\":\"Organizer Name\",\"J2cXxX\":\"Organizers can only manage events and tickets. They cannot manage users, account settings or billing information.\",\"fdjq4c\":\"Padding\",\"ErggF8\":\"Page background color\",\"8F1i42\":\"Page not found\",\"QbrUIo\":\"Page views\",\"6D8ePg\":\"page.\",\"IkGIz8\":\"paid\",\"2w/FiJ\":\"Paid Ticket\",\"8ZsakT\":\"Password\",\"TUJAyx\":\"Password must be a minimum of 8 characters\",\"vwGkYB\":\"Password must be at least 8 characters\",\"BLTZ42\":\"Password reset successfully. Please login with your new password.\",\"f7SUun\":\"Passwords are not the same\",\"aEDp5C\":\"Paste this where you want the widget to appear.\",\"+23bI/\":\"Patrick\",\"iAS9f2\":\"patrick@acme.com\",\"iq5IUr\":\"Pause Ticket\",\"621rYf\":\"Payment\",\"JhtZAK\":\"Payment Failed\",\"xgav5v\":\"Payment succeeded!\",\"CcK+Ft\":\"PDF\",\"att1Hj\":\"percent\",\"/roQKz\":\"Percentage\",\"vPJ1FI\":\"Percentage Amount\",\"xdA9ud\":\"Place this in the of your website.\",\"blK94r\":\"Please add at least one option\",\"FJ9Yat\":\"Please check the provided information is correct\",\"TkQVup\":\"Please check your email and password and try again\",\"sMiGXD\":\"Please check your email is valid\",\"Ajavq0\":\"Please check your email to confirm your email address\",\"MdfrBE\":\"Please complete the form below to accept your invitation\",\"b1Jvg+\":\"Please continue in the new tab\",\"q40YFl\":\"Please continue your order in the new tab\",\"cdR8d6\":\"Please create a ticket\",\"ZJG4Di\":\"Please ensure you only send emails directly related to the order. Promotional emails\\nshould not be sent using this form.\",\"o+HaYe\":\"Please enter a valid promo code\",\"HnNept\":\"Please enter your new password\",\"5FSIzj\":\"Please Note\",\"MA04r/\":\"Please remove filters and set sorting to \\\"Homepage order\\\" to enable sorting\",\"pJLvdS\":\"Please select\",\"yygcoG\":\"Please select at least one ticket\",\"igBrCH\":\"Please verify your email address to access all features\",\"MOERNx\":\"Portuguese\",\"R7+D0/\":\"Portuguese (Brazil)\",\"qCJyMx\":\"Post Checkout message\",\"g2UNkE\":\"Powered by\",\"Qs7yI0\":\"Powered By\",\"lqAWKB\":\"Powered by <0>Hi.Events 👋\",\"3n47kV\":\"Powered By Hi.Events\",\"ddi4j4\":\"Powered by Stripe\",\"Rs7IQv\":\"Pre Checkout message\",\"rdUucN\":\"Preview\",\"a7u1N9\":\"Price\",\"CmoB9j\":\"Price display mode\",\"Q8PWaJ\":\"Price tiers\",\"a5jvSX\":\"Price Tiers\",\"6RmHKN\":\"Primary Color\",\"G/ZwV1\":\"Primary Colour\",\"8cBtvm\":\"Primary Text Color\",\"BZz12Q\":\"Print\",\"MT7dxz\":\"Print All Tickets\",\"vERlcd\":\"Profile\",\"kUlL8W\":\"Profile updated successfully\",\"cl5WYc\":[\"Promo \",[\"promo_code\"],\" code applied\"],\"ZXpm3a\":[\"Promo \",[\"promoCode\"],\" code applied\"],\"yKWfjC\":\"Promo Code page\",\"RVb8Fo\":\"Promo Codes\",\"BZ9GWa\":\"Promo codes can be used to offer discounts, presale access, or provide special access to your event.\",\"4kyDD5\":\"Provide additional context or instructions for this question. Use this field to add terms\\nand conditions, guidelines, or any important information that attendees need to know before answering.\",\"812gwg\":\"Purchase License\",\"LkMOWF\":\"Quantity Available\",\"XKJuAX\":\"Question deleted\",\"avf0gk\":\"Question Description\",\"oQvMPn\":\"Question Title\",\"enzGAL\":\"Questions\",\"K885Eq\":\"Questions sorted successfully\",\"OMJ035\":\"Radio Option\",\"C4TjpG\":\"Read less\",\"I3QpvQ\":\"Recipient\",\"N2C89m\":\"Reference\",\"gxFu7d\":[\"Refund amount (\",[\"0\"],\")\"],\"n10yGu\":\"Refund order\",\"zPH6gp\":\"Refund Order\",\"/BI0y9\":\"Refunded\",\"fgLNSM\":\"Register\",\"tasfos\":\"remove\",\"t/YqKh\":\"Remove\",\"RloWNu\":\"Reply to email\",\"EGm34e\":\"Resend confirmation email\",\"lnrkNz\":\"Resend email confirmation\",\"wIa8Qe\":\"Resend invitation\",\"VeKsnD\":\"Resend order email\",\"dFuEhO\":\"Resend ticket email\",\"o6+Y6d\":\"Resending...\",\"RfwZxd\":\"Reset password\",\"KbS2K9\":\"Reset Password\",\"e99fHm\":\"Restore event\",\"vtc20Z\":\"Return to event page\",\"8YBH95\":\"Revenue\",\"PO/sOY\":\"Revoke invitation\",\"GDvlUT\":\"Role\",\"ELa4O9\":\"Sale End Date\",\"5uo5eP\":\"Sale ended\",\"Qm5XkZ\":\"Sale Start Date\",\"hVF4dJ\":\"Sale starts\",\"hBsw5C\":\"Sales ended\",\"kpAzPe\":\"Sales start\",\"P/wEOX\":\"San Francisco\",\"tfDRzk\":\"Save\",\"IUwGEM\":\"Save Changes\",\"U65fiW\":\"Save Organizer\",\"UGT5vp\":\"Save Settings\",\"ovB7m2\":\"Scan QR Code\",\"lBAlVv\":\"Seach by name, order #, attendee # or email...\",\"W4kWXJ\":\"Search by attendee name, email or order #...\",\"ulAuWO\":\"Search by event name or description...\",\"+pr/FY\":\"Search by event name...\",\"NQSiYb\":\"Search by name or description...\",\"3zRbWw\":\"Search by name, email, or order #...\",\"BiYOdA\":\"Search by name...\",\"B1bB1j\":\"Search by order #, name or email...\",\"jA4hXE\":\"Search by subject or body...\",\"YEjitp\":\"Search by subject or content...\",\"HYnGee\":\"Search by ticket name...\",\"Pjsch9\":\"Search capacity assignments...\",\"r9M1hc\":\"Search check-in lists...\",\"YIix5Y\":\"Search...\",\"OeW+DS\":\"Secondary color\",\"DnXcDK\":\"Secondary Color\",\"cZF6em\":\"Secondary text color\",\"ZIgYeg\":\"Secondary Text Color\",\"QuNKRX\":\"Select Camera\",\"kWI/37\":\"Select organizer\",\"hAjDQy\":\"Select status\",\"QYARw/\":\"Select Ticket\",\"XH5juP\":\"Select Ticket Tier\",\"OMX4tH\":\"Select tickets\",\"nuWxSr\":\"Select Tickets\",\"O/7I0o\":\"Select...\",\"JlFcis\":\"Send\",\"qKWv5N\":[\"Send a copy to <0>\",[\"0\"],\"\"],\"RktTWf\":\"Send a message\",\"/mQ/tD\":\"Send as a test. This will send the message to your email address instead of the recipients.\",\"471O/e\":\"Send confirmation email\",\"M/WIer\":\"Send Message\",\"D7ZemV\":\"Send order confirmation and ticket email\",\"v1rRtW\":\"Send Test\",\"j1VfcT\":\"SEO Description\",\"/SIY6o\":\"SEO Keywords\",\"GfWoKv\":\"SEO Settings\",\"rXngLf\":\"SEO Title\",\"/jZOZa\":\"Service Fee\",\"vu4F0h\":\"Set a minimum price and let users donate more\",\"Bj/QGQ\":\"Set a minimum price and let users pay more if they choose\",\"nYNT+5\":\"Set up your event\",\"A8iqfq\":\"Set your event live\",\"Tz0i8g\":\"Settings\",\"Z8lGw6\":\"Share\",\"FFbYHm\":[\"Should this \",[\"type\"],\" be applied to all new tickets?\"],\"8vETh9\":\"Show\",\"smd87r\":\"Show available ticket quantity\",\"qDsmzu\":\"Show hidden questions\",\"fMPkxb\":\"Show more\",\"izwOOD\":\"Show tax and fees separately\",\"j3b+OW\":\"Shown to the customer after they checkout, on the order summary page\",\"YfHZv0\":\"Shown to the customer before they checkout\",\"CBBcly\":\"Shows common address fields, including country\",\"yTnnYg\":\"Simpson\",\"TNaCfq\":\"Single line text box\",\"+P0Cn2\":\"Skip this step\",\"YSEnLE\":\"Smith\",\"lgFfeO\":\"Sold out\",\"Mi1rVn\":\"Sold Out\",\"nwtY4N\":\"Something went wrong\",\"GRChTw\":\"Something went wrong while deleting the Tax or Fee\",\"YHFrbe\":\"Something went wrong! Please try again\",\"kf83Ld\":\"Something went wrong.\",\"fWsBTs\":\"Something went wrong. Please try again.\",\"F6YahU\":\"Sorry, something has gone wrong. Please restart the checkout process.\",\"KWgppI\":\"Sorry, something went wrong loading this page.\",\"/TCOIK\":\"Sorry, this order no longer exists.\",\"DvCwYF\":\"Sorry, this promo code is invalid'\",\"6a/UJE\":\"Sorry, this promo code is not recognized\",\"9rRZZ+\":\"Sorry, your order has expired. Please start a new order.\",\"a4SyEE\":\"Sorting is disabled while filters and sorting are applied\",\"65A04M\":\"Spanish\",\"4nG1lG\":\"Standard ticket with a fixed price\",\"D3iCkb\":\"Start Date\",\"RS0o7b\":\"State\",\"/2by1f\":\"State or Region\",\"uAQUqI\":\"Status\",\"UJmAAK\":\"Subject\",\"X2rrlw\":\"Subtotal\",\"b0HJ45\":[\"Success! \",[\"0\"],\" will receive an email shortly.\"],\"BJIEiF\":[\"Successfully \",[\"0\"],\" attendee\"],\"Ih8kN0\":[\"Successfully $\",[\"0\"],\" attendee\"],\"xHl17l\":[\"Successfully checked <0>\",[\"0\"],\" \",[\"1\"],\" \",[\"2\"]],\"OtgNFx\":\"Successfully confirmed email address\",\"IKwyaF\":\"Successfully confirmed email change\",\"zLmvhE\":\"Successfully created attendee\",\"9mZEgt\":\"Successfully Created Promo Code\",\"aIA9C4\":\"Successfully Created Question\",\"onFQYs\":\"Successfully Created Ticket\",\"Hgj/mB\":\"Successfully deleted ticket\",\"J3RJSZ\":\"Successfully updated attendee\",\"3suLF0\":\"Successfully updated Capacity Assignment\",\"Z+rnth\":\"Successfully updated Check-In List\",\"vzJenu\":\"Successfully Updated Email Settings\",\"7kOMfV\":\"Successfully Updated Event\",\"G0KW+e\":\"Successfully Updated Homepage Design\",\"k9m6/E\":\"Successfully Updated Homepage Settings\",\"y/NR6s\":\"Successfully Updated Location\",\"73nxDO\":\"Successfully Updated Misc Settings\",\"70dYC8\":\"Successfully Updated Promo Code\",\"F+pJnL\":\"Successfully Updated Seo Settings\",\"g2lRrH\":\"Successfully updated ticket\",\"DXZRk5\":\"Suite 100\",\"GNcfRk\":\"Support Email\",\"JpohL9\":\"Tax\",\"geUFpZ\":\"Tax & Fees\",\"0RXCDo\":\"Tax or Fee deleted successfully\",\"ZowkxF\":\"Taxes\",\"EEZnW+\":\"Taxes & Fees\",\"qu6/03\":\"Taxes and Fees\",\"gVjSFp\":\"Taxes and Fees can be associated with tickets and will be added to the ticket price.\",\"e0ZSh4\":\"Text Colour\",\"gypigA\":\"That promo code is invalid\",\"0ozSQu\":\"The background color for the event homepage\",\"LbHWgW\":\"The background color for the ticket widget on the event homepage\",\"75Xclv\":\"The basic details of your event\",\"5ShqeM\":\"The check-in list you are looking for does not exist.\",\"UNqHnV\":\"The color of the buttons on the event homepage\",\"0amhbL\":\"The color of the links on the event homepage\",\"QXlz+n\":\"The default currency for your events.\",\"mnafgQ\":\"The default timezone for your events.\",\"o7s5FA\":\"The language the attendee will receive emails in.\",\"NlfnUd\":\"The link you clicked is invalid.\",\"FqjKfd\":\"The location of your event\",\"kIXEVN\":[\"The maximum numbers number of tickets for \",[\"0\"],\"is \",[\"1\"]],\"FeAfXO\":[\"The maximum numbers number of tickets for Generals is \",[\"0\"]],\"POEqXB\":\"The organizer details of your event\",\"TSAiPM\":\"The page you are looking for does not exist\",\"MSmKHn\":\"The price displayed to the customer will include taxes and fees.\",\"6zQOg1\":\"The price displayed to the customer will not include taxes and fees. They will be shown separately\",\"ne/9Ur\":\"The styling settings you choose apply only to copied HTML and won't be stored.\",\"TJZByZ\":\"The tax and fee to apply to this ticket. You can create new taxes and fees on the\",\"OJYwh9\":\"The taxes and fees to apply to this ticket. You can create new taxes and fees on the\",\"6BpBfZ\":\"The text color for the event homepage\",\"rljHp7\":\"The text color for the ticket widget on the event homepage\",\"s4di40\":\"The text to display in the 'Continue' button. Defaults to 'Continue'\",\"esY5SG\":\"The title of the event that will be displayed in search engine results and when sharing on social media. By default, the event title will be used\",\"wgAiDb\":\"The user must login to change their email.\",\"jvxN9/\":\"There are no tickets available for this event\",\"rMcHYt\":\"There is a refund pending. Please wait for it to complete before requesting another refund.\",\"hjLUr+\":\"There was an error loading this content. Please refresh the page and try again.\",\"68Axnm\":\"There was an error processing your request. Please try again.\",\"mVKOW6\":\"There was an error sending your message\",\"Um/adz\":\"These allow multiple selections\",\"vWeHWp\":\"These colors are not saved in our system.\",\"7qzHGS\":\"These colors are not saved in our system. They are only used to generate the widget.\",\"xxv3BZ\":\"This check-in list has expired\",\"Sa7w7S\":\"This check-in list has expired and is no longer available for check-ins.\",\"Uicx2U\":\"This check-in list is active\",\"1k0Mp4\":\"This check-in list is not active yet\",\"K6fmBI\":\"This check-in list is not yet active and is not available for check-ins.\",\"t/ePFj\":\"This description will be shown to the check-in staff\",\"MLTkH7\":\"This email is not promotional and is directly related to the event.\",\"2eIpBM\":\"This event is not available at the moment. Please check back later.\",\"Z6LdQU\":\"This event is not available.\",\"CNk/ro\":\"This is an online event\",\"GabtCa\":\"This is the email address that will be used as the reply-to address for all emails sent from this event\",\"FwXnJd\":\"This list will no longer be available for check-ins after this date\",\"CKkb5E\":\"This message is how below the\",\"cHO4ec\":\"This message will be included in the footer of all emails sent from this event\",\"RjwlZt\":\"This order has already been paid.\",\"axERYu\":\"This order has already been paid. <0>View order details\",\"wY+HO9\":\"This order has already been processed.\",\"5K8REg\":\"This order has already been refunded.\",\"OiQMhP\":\"This order has been cancelled\",\"YyEJij\":\"This order has been cancelled.\",\"D44cEI\":\"This order has been completed.\",\"HILpDX\":\"This order is awaiting payment\",\"0vRWbB\":\"This order is awaiting payment.\",\"BdYtn9\":\"This order is complete\",\"e3uMJH\":\"This order is complete.\",\"YNKXOK\":\"This order is processing.\",\"LIjb4v\":\"This order is processing. TODO - a nice image and poll the API\",\"yPZN4i\":\"This order page is no longer available.\",\"5189cf\":\"This overrides all visibility settings and will hide the ticket from all customers.\",\"4vwjho\":\"This page has expired. <0>View order details\",\"Qt7RBu\":\"This question is only visible to the event organizer\",\"os29v1\":\"This reset password link is invalid or expired.\",\"WJqBqd\":\"This ticket cannot be deleted because it is\\nassociated with an order. You can hide it instead.\",\"ma6qdu\":\"This ticket is hidden from public view\",\"xJ8nzj\":\"This ticket is hidden unless targeted by a Promo Code\",\"IV9xTT\":\"This user is not active, as they have not accepted their invitation.\",\"5AnPaO\":\"ticket\",\"kjAL4v\":\"Ticket\",\"KosivG\":\"Ticket deleted successfully\",\"dtGC3q\":\"Ticket email has been resent to attendee\",\"USk+Mn\":\"Ticket page message\",\"mRM6XH\":\"Ticket Sales\",\"NirIiz\":\"Ticket Tier\",\"8jLPgH\":\"Ticket Type\",\"jqWDf9\":\"Ticket widget background color\",\"UrMVAz\":\"Ticket Widget Preview\",\"ngtDy7\":\"Ticket widget text color\",\"N+YYpo\":\"Ticket(s)\",\"6GQNLE\":\"Tickets\",\"54q0zp\":\"Tickets for\",\"ikA//P\":\"tickets sold\",\"i+idBz\":\"Tickets sold\",\"AGRilS\":\"Tickets Sold\",\"56Qw2C\":\"Tickets sorted successfully\",\"4f8A8M\":\"Tickets to which the promo code applies (Applies to all by default)\",\"xN9AhL\":[\"Tier \",[\"0\"]],\"oYaHuq\":\"Tiered Ticket\",\"XZrhpz\":\"Tiered Ticket - Coming Soon\",\"4M150e\":\"Tiered tickets allow you to offer multiple price options for the same ticket.\\nThis is perfect for early bird tickets, or offering different price\\noptions for different groups of people.\",\"jQoYTX\":\"Tiered tickets allow you to offer multiple price options for the same ticket. This is perfect for early bird tickets or offering different price options for different groups of people.\",\"s/0RpH\":\"Times used\",\"40Gx0U\":\"Timezone\",\"oDGm7V\":\"TIP\",\"MHrjPM\":\"Title\",\"xdA/+p\":\"Tools\",\"72c5Qo\":\"Total\",\"BxsfMK\":\"Total Fees\",\"mpB/d9\":\"Total order amount\",\"m3FM1g\":\"Total refunded\",\"GBBIy+\":\"Total remaining\",\"/SgoNA\":\"Total Tax\",\"+zy2Nq\":\"Type\",\"mLGbAS\":[\"Unable to \",[\"0\"],\" attendee\"],\"FMdMfZ\":\"Unable to check in attendee\",\"bPWBLL\":\"Unable to check out attendee\",\"/cSMqv\":\"Unable to create question. Please check the your details\",\"nNdxt9\":\"Unable to create ticket. Please check the your details\",\"MH/lj8\":\"Unable to update question. Please check the your details\",\"Mqy/Zy\":\"United States\",\"NIuIk1\":\"Unlimited\",\"oMcLhS\":\"Unlimited ticket quantity available\",\"E0q9qH\":\"Unlimited usages allowed\",\"ia8YsC\":\"Upcoming\",\"TlEeFv\":\"Upcoming Events\",\"L/gNNk\":[\"Update \",[\"0\"]],\"+qqX74\":\"Update event name, description and dates\",\"vXPSuB\":\"Update profile\",\"gsehpV\":\"Upload an image to be displayed on the event page\",\"BNBfrU\":\"Upload Cover\",\"UtDm3q\":\"URL copied to clipboard\",\"e5lF64\":\"Usage Example\",\"sGEOe4\":\"Use a blurred version of the cover image as the background\",\"OadMRm\":\"Use cover image\",\"7PzzBU\":\"User\",\"yDOdwQ\":\"User Management\",\"Sxm8rQ\":\"Users\",\"VEsDvU\":\"Users can change their email in <0>Profile Settings\",\"vgwVkd\":\"UTC\",\"khBZkl\":\"VAT\",\"E/9LUk\":\"Venue Name\",\"AM+zF3\":\"View attendee\",\"e4mhwd\":\"View event homepage\",\"/5PEQz\":\"View event page\",\"fFornT\":\"View full message\",\"YIsEhQ\":\"View map\",\"Ep3VfY\":\"View on Google Maps\",\"AMkkeL\":\"View order\",\"Y8s4f6\":\"View order details\",\"QIWCnW\":\"VIP check-in list\",\"tF+VVr\":\"VIP Ticket\",\"2q/Q7x\":\"Visibility\",\"vmOFL/\":\"We could not process your payment. Please try again or contact support.\",\"1E0vyy\":\"We couldn't load the data. Please try again.\",\"VGioT0\":\"We recommend dimensions of 2160px by 1080px, and a maximum file size of 5MB\",\"b9UB/w\":\"We use Stripe to process payments. Connect your Stripe account to start receiving payments.\",\"01WH0a\":\"We were unable to confirm your payment. Please try again or contact support.\",\"Gspam9\":\"We're processing your order. Please wait...\",\"LuY52w\":\"Welcome aboard! Please login to continue.\",\"dVxpp5\":[\"Welcome back\",[\"0\"],\" 👋\"],\"NxOVCl\":[\"Welcome to Hi.Events, \",[\"0\"],\" 👋\"],\"wjqPqF\":\"What are Tiered Tickets?\",\"f1jUC0\":\"What date should this check-in list become active?\",\"5iXvHA\":\"What is a Tiered Ticketing?\",\"MhhnvW\":\"What tickets does this code apply to? (Applies to all by default)\",\"dCil3h\":\"What tickets should this question be apply to?\",\"Rb0XUE\":\"What time will you be arriving?\",\"5N4wLD\":\"What type of question is this?\",\"D7C6XV\":\"When should this check-in list expire?\",\"FVetkT\":\"Which tickets should be associated with this check-in list?\",\"S+OdxP\":\"Who is organizing this event?\",\"LINr2M\":\"Who is this message to?\",\"nWhye/\":\"Who should be asked this question?\",\"vVGiM4\":\"Who type of question is this?\",\"onLsWS\":\"Whoops! something went wrong. Please try again or contact support if the problem persists.\",\"AHXN2z\":\"Widget\",\"AU/8QR\":\"Widget Configuration\",\"VxFvXQ\":\"Widget Embed\",\"v1P7Gm\":\"Widget Settings\",\"b4itZn\":\"Working\",\"hqmXmc\":\"Working...\",\"l75CjT\":\"Yes\",\"QcwyCh\":\"Yes, remove them\",\"ySeBKv\":\"You already scanned this ticket\",\"P+Sty0\":[\"You are changing your email to <0>\",[\"0\"],\".\"],\"gGhBmF\":\"You are offline\",\"4ysd6z\":\"You can connecting using this Zoom link...\",\"9HGdDw\":\"You can create a promo code which targets this ticket on the\",\"KRhIxT\":\"You can now start receiving payments through Stripe.\",\"UqVaVO\":\"You cannot change the ticket type as there are attendees associated with this ticket.\",\"zQ8idk\":\"You cannot change the ticket type because there are already tickets sold for this ticket.\",\"3vRX5A\":\"You cannot delete this price tier because there are already tickets sold for this tier. You can hide it instead.\",\"RCC09s\":\"You cannot edit a default question\",\"tFbRKJ\":\"You cannot edit the role or status of the account owner.\",\"fHfiEo\":\"You cannot refund a manually created order.\",\"hK9c7R\":\"You created a hidden question but disabled the option to show hidden questions. It has been enabled.\",\"NOaWRX\":\"You do not have permission to access this page\",\"BRArmD\":\"You have access to multiple accounts. Please choose one to continue.\",\"Z6q0Vl\":\"You have already accepted this invitation. Please login to continue.\",\"rdk1xK\":\"You have connected your Stripe account\",\"ofEncr\":\"You have no attendee questions.\",\"XoeazJ\":\"You have no attendee questions. Attendee questions are asked once per attendee.\",\"CoZHDB\":\"You have no order questions.\",\"FZKDIe\":\"You have no order questions. Order questions are asked once per order.\",\"15qAvl\":\"You have no pending email change.\",\"n81Qk8\":\"You have not completed your Stripe Connect setup\",\"jxsiqJ\":\"You have not connected your Stripe account\",\"183zcL\":\"You have taxes and fees added to a Free Ticket. Would you like to remove or obscure them?\",\"2v5MI1\":\"You haven't sent any messages yet. You can send messages to all attendees, or to specific ticket holders.\",\"R6i9o9\":\"You must acknowledge that this email is not promotional\",\"3ZI8IL\":\"You must agree to the terms and conditions\",\"dMd3Uf\":\"You must confirm your email address before your event can go live.\",\"H35u3n\":\"You must create a ticket before you can manually add an attendee.\",\"jE4Z8R\":\"You must have at least one price tier\",\"LRguuL\":\"You must have at least one tier\",\"8/eLoa\":\"You need to verify your account before you can send messages.\",\"L/+xOk\":\"You'll need a ticket before you can create a check-in list.\",\"8QNzin\":\"You'll need at a ticket before you can create a capacity assignment.\",\"WHXRMI\":\"You'll need at least one ticket to get started. Free, paid or let the user decide what to pay.\",\"bdg03s\":\"Your account email in outgoing emails.\",\"ROR8QD\":\"Your account name is used on event pages and in emails.\",\"veessc\":\"Your attendees will appear here once they have registered for your event. You can also manually add attendees.\",\"Eh5Wrd\":\"Your awesome website 🎉\",\"lkMK2r\":\"Your Details\",\"3ENYTQ\":[\"Your email request change to <0>\",[\"0\"],\" is pending. Please check your email to confirm\"],\"yZfBoy\":\"Your message has been sent\",\"la26JS\":\"Your order is in progress\",\"7YJdgG\":\"Your orders will appear here once they start rolling in.\",\"9TO8nT\":\"Your password\",\"P8hBau\":\"Your payment is processing.\",\"UdY1lL\":\"Your payment was not successful, please try again.\",\"fzuM26\":\"Your payment was unsuccessful. Please try again.\",\"cJ4Y4R\":\"Your refund is processing.\",\"IFHV2p\":\"Your ticket for\",\"3k7HDY\":\"Zip\",\"BM/KQm\":\"Zip or Postal Code\",\"VftCuk\":\"Zoom link, Google Meet link, etc.\",\"ySU+JY\":\"your@email.com\"}")}; \ No newline at end of file +/*eslint-disable*/module.exports={messages:JSON.parse("{\"1bpx9A\":\"...\",\"f8qS7T\":\"'There\\\\'s nothing to show yet'\",\"4zldrf\":[[\"0\",\"plural\",{\"one\":[\"#\",\" hidden question\"],\"other\":[\"#\",\" hidden questions\"]}]],\"J/hVSQ\":[[\"0\"]],\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"Jv22kr\":[[\"0\"],\" <0>checked in successfully\"],\"yxhYRZ\":[[\"0\"],\" <0>checked out successfully\"],\"KMgp2+\":[[\"0\"],\" available\"],\"tmew5X\":[[\"0\"],\" checked in\"],\"Pmr5xp\":[[\"0\"],\" created successfully\"],\"FImCSc\":[[\"0\"],\" updated successfully\"],\"KOr9b4\":[[\"0\"],\"'s Events\"],\"qSiUsc\":[[\"0\"],[\"1\"]],\"cU8MWb\":[[\"0\"],\"/\",[\"1\"],\" checked in\"],\"Vjij1k\":[[\"days\"],\" days, \",[\"hours\"],\" hours, \",[\"minutes\"],\" minutes, and \",[\"seconds\"],\" seconds\"],\"f3RdEk\":[[\"hours\"],\" hours, \",[\"minutes\"],\" minutes, and \",[\"seconds\"],\" seconds\"],\"wapGcj\":[[\"message\"]],\"fyE7Au\":[[\"minutes\"],\" minutes and \",[\"seconds\"],\" seconds\"],\"NlQ0cx\":[[\"organizerName\"],\"'s first event\"],\"Ul6IgC\":\"<0>Capacity assignments let you manage capacity across tickets or an entire event. Ideal for multi-day events, workshops, and more, where controlling attendance is crucial.<1>For instance, you can associate a capacity assignment with <2>Day One and <3>All Days ticket. Once the capacity is reached, both tickets will automatically stop being available for sale.\",\"Exjbj7\":\"<0>Check-in lists help manage attendee entry for your event. You can associate multiple tickets with a check-in list and ensure only those with valid tickets can enter.\",\"OXku3b\":\"<0>https://your-website.com\",\"qnSLLW\":\"<0>Please enter the price excluding taxes and fees.<1>Taxes and fees can be added below.\",\"0940VN\":\"<0>The number of tickets available for this ticket<1>This value can be overridden if there are <2>Capacity Limits associated with this ticket.\",\"E15xs8\":\"⚡️ Set up your event\",\"FL6OwU\":\"✉️ Confirm your email address\",\"y1NShf\":\"🎉 Congratulation on creating an event!\",\"BN0OQd\":\"🎉 Congratulations on creating an event!\",\"fAv9QG\":\"🎟️ Add tickets\",\"4WT5tD\":\"🎨 Customize your event page\",\"3VPPdS\":\"💳 Connect with Stripe\",\"s4Tgn6\":\"📢 Promote your event\",\"cjdktw\":\"🚀 Set your event live\",\"rmelwV\":\"0 minutes and 0 seconds\",\"UQ7pBY\":\"0.50 for $0.50\",\"i1+xzD\":\"1.75 for 1.75%\",\"i0puaE\":\"10.00\",\"W9+fkZ\":\"10001\",\"qdfdgM\":\"123 Main Street\",\"IoRZzD\":\"20\",\"+H1RMb\":\"2024-01-01 10:00\",\"Q/T49U\":\"2024-01-01 18:00\",\"hMT8+2\":\"94103\",\"efAM7X\":\"A date input. Perfect for asking for a date of birth etc.\",\"d9El7Q\":[\"A default \",[\"type\"],\" is automaticaly applied to all new tickets. You can override this on a per ticket basis.\"],\"SMUbbQ\":\"A Dropdown input allows only one selection\",\"qv4bfj\":\"A fee, like a booking fee or a service fee\",\"Pgaiuj\":\"A fixed amount per ticket. E.g, $0.50 per ticket\",\"f4vJgj\":\"A multi line text input\",\"ySO/4f\":\"A percentage of the ticket price. E.g., 3.5% of the ticket price\",\"WXeXGB\":\"A promo code with no discount can be used to reveal hidden tickets.\",\"GMhWB5\":\"A Radio option allows has multiple options but only one can be selected.\",\"CBt3s7\":\"A Radio Option allows only one selection\",\"AG/qmQ\":\"A Radio option has multiple options but only one can be selected.\",\"7g61G9\":\"A short description of Awesome Events Ltd.\",\"h179TP\":\"A short description of the event that will be displayed in search engine results and when sharing on social media. By default, the event description will be used\",\"WKMnh4\":\"A single line text input\",\"zCk10D\":\"A single question per attendee. E.g, What is your preferred meal?\",\"ap3v36\":\"A single question per order. E.g, What is your company name?\",\"RlJmQg\":\"A standard tax, like VAT or GST\",\"pDwHGk\":\"About hi.events\",\"uIKNjo\":\"About the event\",\"bfXQ+N\":\"Accept Invitation\",\"iwyhk4\":\"Access to the VIP area...\",\"AeXO77\":\"Account\",\"0b79Xf\":\"Account Email\",\"lkNdiH\":\"Account Name\",\"Puv7+X\":\"Account Settings\",\"OmylXO\":\"Account updated successfully\",\"7L01XJ\":\"Actions\",\"FQBaXG\":\"Activate\",\"5T2HxQ\":\"Activation date\",\"F6pfE9\":\"Active\",\"m16xKo\":\"Add\",\"LKNynS\":\"Add a cover image, description, and more to make your event stand out.\",\"/PN1DA\":\"Add a description for this check-in list\",\"PGPGsL\":\"Add description\",\"gMK0ps\":\"Add event details and and manage event settings.\",\"Fb+SDI\":\"Add More tickets\",\"ApsD9J\":\"Add New\",\"TZxnm8\":\"Add Option\",\"Cw27zP\":\"Add question\",\"yWiPh+\":\"Add Tax or Fee\",\"BGD9Yt\":\"Add tickets\",\"goOKRY\":\"Add tier\",\"p59pEv\":\"Additional Details\",\"Y8DIQy\":\"Additional Options\",\"Du6bPw\":\"Address\",\"NY/x1b\":\"Address line 1\",\"POdIrN\":\"Address Line 1\",\"cormHa\":\"Address line 2\",\"gwk5gg\":\"Address Line 2\",\"U3pytU\":\"Admin\",\"HLDaLi\":\"Admin users have full access to events and account settings.\",\"CPXP5Z\":\"Affiliates\",\"W7AfhC\":\"All attendees of this event\",\"QsYjci\":\"All Events\",\"/twVAS\":\"All Tickets\",\"ipYKgM\":\"Allow search engine indexing\",\"LRbt6D\":\"Allow search engines to index this event\",\"+MHcJD\":\"Almost there! We're just waiting for your payment to be processed. This should only take a few seconds..\",\"8wYDMp\":\"Already have an account?\",\"ApOYO8\":\"Amazing, Event, Keywords...\",\"hehnjM\":\"Amount\",\"TRYjHa\":[\"amount in \",[\"0\"]],\"R2O9Rg\":[\"Amount paid (\",[\"0\"],\")\"],\"tLjOgo\":[\"Amount paid $\",[\"0\"]],\"V7MwOy\":\"An error occurred while loading the page\",\"Q7UCEH\":\"An error occurred while sorting the questions. Please try again or refresh the page\",\"er3d/4\":\"An error occurred while sorting the tickets. Please try again or refresh the page\",\"hhvESd\":\"An event is the actual event you are hosting\",\"jD/OCQ\":\"An event is the actual event you are hosting. You can add more details later.\",\"oBkF+i\":\"An organizer is the company or person who is hosting the event\",\"W5A0Ly\":\"An unexpected error occurred.\",\"byKna+\":\"An unexpected error occurred. Please try again.\",\"j4DliD\":\"Any queries from ticket holders will be sent to this email address. This will also be used as the \\\"reply-to\\\" address for all emails sent from this event\",\"aAIQg2\":\"Appearance\",\"Ym1gnK\":\"applied\",\"epTbAK\":[\"Applies to \",[\"0\"],\" tickets\"],\"6MkQ2P\":\"Applies to 1 ticket\",\"DB8zMK\":\"Apply\",\"GctSSm\":\"Apply Promo Code\",\"jcnZEw\":[\"Apply this \",[\"type\"],\" to all new tickets\"],\"S0ctOE\":\"Archive event\",\"TdfEV7\":\"Archived\",\"A6AtLP\":\"Archived Events\",\"q7TRd7\":\"Are you sure you want to activate this attendee?\",\"TvkW9+\":\"Are you sure you want to archive this event?\",\"/CV2x+\":\"Are you sure you want to cancel this attendee? This will void their ticket\",\"YgRSEE\":\"Are you sure you want to delete this promo code?\",\"iU234U\":\"Are you sure you want to delete this question?\",\"CMyVEK\":\"Are you sure you want to make this event draft? This will make the event invisible to the public\",\"mEHQ8I\":\"Are you sure you want to make this event public? This will make the event visible to the public\",\"s4JozW\":\"Are you sure you want to restore this event? It will be restored as a draft event.\",\"vJuISq\":\"Are you sure you would like to delete this Capacity Assignment?\",\"baHeCz\":\"Are you sure you would like to delete this Check-In List?\",\"2xEpch\":\"Ask once per attendee\",\"LBLOqH\":\"Ask once per order\",\"ss9PbX\":\"Attendee\",\"m0CFV2\":\"Attendee Details\",\"lXcSD2\":\"Attendee questions\",\"VvYqMB\":\"Attendee questions are asked once per attendee. By default, people are asked for their first name, last name, and email address.\",\"spxPEv\":\"Attendee questions are asked once per attendee. By default, we ask for the attendee's first name, last name, and email address.\",\"9SZT4E\":\"Attendees\",\"5UbY+B\":\"Attendees with a specific ticket\",\"IMJ6rh\":\"Auto Resize\",\"vZ5qKF\":\"Automatically resize the widget height based on the content. When disabled, the widget will fill the height of the container.\",\"lXkUEV\":\"Availability\",\"ioG+xt\":\"Awaiting Payment\",\"3PmQfI\":\"Awesome Event\",\"kNmmvE\":\"Awesome Events Ltd.\",\"Yrbm6T\":\"Awesome Organizer Ltd.\",\"9002sI\":\"Back to all events\",\"0TGkYM\":\"Back to event homepage\",\"A302fe\":\"Back to event page\",\"VCoEm+\":\"Back to login\",\"MLZyiY\":\"Background color\",\"k1bLf+\":\"Background Color\",\"I7xjqg\":\"Background Type\",\"EOUool\":\"Basic Details\",\"7EGQKA\":\"Because you are the account owner, you cannot change your role or status.\",\"1mwMl+\":\"Before you send!\",\"wVfiR2\":\"Before you're event can go live, there's a few thing to do.\",\"/yeZ20\":\"Before your event can go live, there are a few things you need to do.\",\"1xAcxY\":\"Begin selling tickets in minutes\",\"R+w/Va\":\"Billing\",\"rp/zaT\":\"Brazilian Portuguese\",\"Ptp9MF\":\"Button color\",\"whqocw\":\"By registering you agree to our <0>Terms of Service and <1>Privacy Policy.\",\"bcCn6r\":\"Calculation Type\",\"+8bmSu\":\"California\",\"iStTQt\":\"Camera permission was denied. <0>Request Permission again, or if this doesn't work, you will need to <1>grant this page access to your camera in your browser settings.\",\"Jzn1qy\":\"Can't load events\",\"dEgA5A\":\"Cancel\",\"Gjt/py\":\"Cancel email change\",\"tVJk4q\":\"Cancel order\",\"Os6n2a\":\"Cancel Order\",\"Mz7Ygx\":[\"Cancel Order \",[\"0\"]],\"Ud7zwq\":\"Canceling will cancel all tickets associated with this order, and release the tickets back into the available pool.\",\"vv7kpg\":\"Cancelled\",\"QyjCeq\":\"Capacity\",\"V6Q5RZ\":\"Capacity Assignment created successfully\",\"k5p8dz\":\"Capacity Assignment deleted successfully\",\"nDBs04\":\"Capacity Management\",\"77/YgG\":\"Change Cover\",\"GptGxg\":\"Change password\",\"QndF4b\":\"check in\",\"xMDm+I\":\"Check In\",\"9FVFym\":\"check out\",\"/Ta1d4\":\"Check Out\",\"gXcPxc\":\"Check-in\",\"Y3FYXy\":\"Check-In\",\"fVUbUy\":\"Check-In List created successfully\",\"+CeSxK\":\"Check-In List deleted successfully\",\"+hBhWk\":\"Check-in list has expired\",\"mBsBHq\":\"Check-in list is not active\",\"vPqpQG\":\"Check-in list not found\",\"tejfAy\":\"Check-In Lists\",\"hD1ocH\":\"Check-In URL copied to clipboard\",\"CNafaC\":\"Checkbox options allow multiple selections\",\"SpabVf\":\"Checkboxes\",\"CRu4lK\":\"Checked In\",\"rfeicl\":\"Checked in successfully\",\"/ydvvl\":\"Checkout Messaging\",\"1WnhCL\":\"Checkout Settings\",\"h1IXFK\":\"Chinese\",\"6imsQS\":\"Chinese (Simplified)\",\"JjkX4+\":\"Choose a color for your background\",\"/Jizh9\":\"Choose an account\",\"jJGoVv\":\"Choose what notifications you want to receive\",\"3wV73y\":\"City\",\"FG98gC\":\"Clear Search Text\",\"EYeuMv\":\"click here\",\"sby+1/\":\"Click to copy\",\"yz7wBu\":\"Close\",\"62Ciis\":\"Close sidebar\",\"EWPtMO\":\"Code\",\"ercTDX\":\"Code must be between 3 and 50 characters long\",\"jZlrte\":\"Color\",\"Vd+LC3\":\"Color must be a valid hex color code. Example: #ffffff\",\"1HfW/F\":\"Colors\",\"VZeG/A\":\"Coming Soon\",\"yPI7n9\":\"Comma seperated keywords that describe the event. These will be used by search engines to help categorize and index the event\",\"NPZqBL\":\"Complete Order\",\"guBeyC\":\"Complete payment\",\"C8HNV2\":\"Complete Payment\",\"qqWcBV\":\"Completed\",\"DwF9eH\":\"Component Code\",\"7VpPHA\":\"Confirm\",\"ZaEJZM\":\"Confirm Email Change\",\"yjkELF\":\"Confirm New Password\",\"xnWESi\":\"Confirm password\",\"p2/GCq\":\"Confirm Password\",\"wnDgGj\":\"Confirming email address...\",\"DnLC08\":\"Congratulation on creating an event!\",\"pbAk7a\":\"Connect Stripe\",\"UMGQOh\":\"Connect with Stripe\",\"QKLP1W\":\"Connect your Stripe account to start receiving payments.\",\"5lcVkL\":\"Connection Details\",\"i3p844\":\"Contact email\",\"yAej59\":\"Content background color\",\"xGVfLh\":\"Continue\",\"X++RMT\":\"Continue button text\",\"AfNRFG\":\"Continue Button Text\",\"lIbwvN\":\"Continue Event Setup\",\"HB22j9\":\"Continue set up\",\"bZEa4H\":\"Continue Stripe Connect Setup\",\"RGVUUI\":\"Continue To Payment\",\"6V3Ea3\":\"Copied\",\"T5rdis\":\"copied to clipboard\",\"he3ygx\":\"Copy\",\"r2B2P8\":\"Copy Check-In URL\",\"8+cOrS\":\"Copy details to all attendees\",\"ENCIQz\":\"Copy Link\",\"E6nRW7\":\"Copy URL\",\"JNCzPW\":\"Country\",\"IF7RiR\":\"Cover\",\"P0rbCt\":\"Cover Image\",\"hYgDIe\":\"Create\",\"b9XOHo\":[\"Create \",[\"0\"]],\"6kdXbW\":\"Create a Promo Code\",\"n5pRtF\":\"Create a Ticket\",\"X6sRve\":[\"Create an account or <0>\",[\"0\"],\" to get started\"],\"nx+rqg\":\"create an organizer\",\"ipP6Ue\":\"Create Attendee\",\"VwdqVy\":\"Create Capacity Assignment\",\"WVbTwK\":\"Create Check-In List\",\"uN355O\":\"Create Event\",\"BOqY23\":\"Create new\",\"kpJAeS\":\"Create Organizer\",\"a0EjD+\":\"Create Product\",\"sYpiZP\":\"Create Promo Code\",\"a6YrKg\":\"Create promo codes\",\"n6H6AO\":\"Create promo codes to offer discounts to your attendees.\",\"B3Mkdt\":\"Create Question\",\"UKfi21\":\"Create Tax or Fee\",\"Tg323g\":\"Create Ticket\",\"agZ87r\":\"Create tickets for your event, set prices, and manage available quantity.\",\"d+F6q9\":\"Created\",\"Q2lUR2\":\"Currency\",\"DCKkhU\":\"Current Password\",\"uIElGP\":\"Custom Maps URL\",\"876pfE\":\"Customer\",\"QOg2Sf\":\"Customize the email and notification settings for this event\",\"Lu75d1\":\"Customize the email settings for this event\",\"RaxMyF\":\"Customize the event homepage and checkout experience\",\"Y9Z/vP\":\"Customize the event homepage and checkout messaging\",\"2E2O5H\":\"Customize the miscellaneous settings for this event\",\"iJhSxe\":\"Customize the SEO settings for this event\",\"KIhhpi\":\"Customize your event page\",\"nrGWUv\":\"Customize your event page to match your brand and style.\",\"Zz6Cxn\":\"Danger zone\",\"ZQKLI1\":\"Danger Zone\",\"7p5kLi\":\"Dashboard\",\"mYGY3B\":\"Date\",\"JvUngl\":\"Date & Time\",\"JJhRbH\":\"Day one capacity\",\"PqrqgF\":\"Day one check-in list\",\"RiXc4g\":\"Deactivate user\",\"cnGeoo\":\"Delete\",\"jRJZxD\":\"Delete Capacity\",\"Qrc8RZ\":\"Delete Check-In List\",\"WHf154\":\"Delete code\",\"heJllm\":\"Delete Cover\",\"KWa0gi\":\"Delete Image\",\"IatsLx\":\"Delete question\",\"GnyEfA\":\"Delete ticket\",\"E33LRn\":\"Delete user\",\"Nu4oKW\":\"Description\",\"YC3oXa\":\"Description for check-in staff\",\"s9iD5d\":\"Description should be less than 50,000 characters\",\"URmyfc\":\"Details\",\"x8uDKb\":\"Disable code\",\"Tgg8XQ\":\"Disable this capacity track capacity without stopping ticket sales\",\"H6Ma8Z\":\"Discount\",\"ypJ62C\":\"Discount %\",\"3LtiBI\":[\"Discount in \",[\"0\"]],\"C8JLas\":\"Discount Type\",\"1QfxQT\":\"Dismiss\",\"cVq+ga\":\"Don't have an account? <0>Sign Up\",\"4+aC/x\":\"Donation / Pay what you'd like ticket\",\"++S5i/\":\"Donation amount\",\"OO7MG7\":\"Donation Ticket\",\"0pEVi2\":\"Download Tickets PDF\",\"uABpqP\":\"Drag and drop or click\",\"3z2ium\":\"Drag to sort\",\"6skwyH\":\"Drop an image, or click here to replace the Cover Image\",\"S37RRV\":\"Drop an image, or click here to upload the Cover Image\",\"CfKofC\":\"Dropdown selection\",\"JzLDvy\":\"Duplicate Capacity Assignments\",\"ulMxl+\":\"Duplicate Check-In Lists\",\"vi8Q/5\":\"Duplicate event\",\"3ogkAk\":\"Duplicate Event\",\"Yu6m6X\":\"Duplicate Event Cover Image\",\"+fA4C7\":\"Duplicate Options\",\"57ALrd\":\"Duplicate Promo Codes\",\"83Hu4O\":\"Duplicate Questions\",\"20144c\":\"Duplicate Settings\",\"Wt9eV8\":\"Duplicate Tickets\",\"7Cx5It\":\"Early bird\",\"ePK91l\":\"Edit\",\"N6j2JH\":[\"Edit \",[\"0\"]],\"kNGp1D\":\"Edit attendee\",\"t2bbp8\":\"Edit Attendee\",\"kBkYSa\":\"Edit Capacity\",\"oHE9JT\":\"Edit Capacity Assignment\",\"FU1gvP\":\"Edit Check-In List\",\"iFgaVN\":\"Edit Code\",\"jrBSO1\":\"Edit Organizer\",\"9BdS63\":\"Edit Promo Code\",\"O0CE67\":\"Edit question\",\"EzwCw7\":\"Edit Question\",\"d+nnyk\":\"Edit Ticket\",\"poTr35\":\"Edit user\",\"GTOcxw\":\"Edit User\",\"pqFrv2\":\"eg. 2.50 for $2.50\",\"3yiej1\":\"eg. 23.5 for 23.5%\",\"O3oNi5\":\"Email\",\"VxYKoK\":\"Email & Notification Settings\",\"ATGYL1\":\"Email address\",\"hzKQCy\":\"Email Address\",\"HqP6Qf\":\"Email change cancelled successfully\",\"mISwW1\":\"Email change pending\",\"WiKda6\":\"Email Configuration\",\"APuxIE\":\"Email confirmation resent\",\"YaCgdO\":\"Email confirmation resent successfully\",\"jyt+cx\":\"Email footer message\",\"I6F3cp\":\"Email not verified\",\"G5zNMX\":\"Email Settings\",\"NTZ/NX\":\"Embed Code\",\"4rnJq4\":\"Embed Script\",\"nA31FG\":\"Enable this capacity to stop ticket sales when the limit is reached\",\"VFv2ZC\":\"End Date\",\"237hSL\":\"Ended\",\"nt4UkP\":\"Ended Events\",\"lYGfRP\":\"English\",\"MhVoma\":\"Enter an amount excluding taxes and fees.\",\"3Z223G\":\"Error confirming email address\",\"a6gga1\":\"Error confirming email change\",\"5/63nR\":\"EUR\",\"0pC/y6\":\"Event\",\"nuoP/j\":\"Event created successfully\",\"CFLUfD\":\"Event created successfully 🎉\",\"0Zptey\":\"Event Defaults\",\"6fuA9p\":\"Event duplicated successfully\",\"Xe3XMd\":\"Event is not visible to the public\",\"4pKXJS\":\"Event is visible to the public\",\"ClwUUD\":\"Event location & venue details\",\"OopDbA\":\"Event page\",\"JyD0LH\":\"Event Settings\",\"4/If97\":\"Event status update failed. Please try again later\",\"btxLWj\":\"Event status updated\",\"tst44n\":\"Events\",\"sZg7s1\":\"Expiration date\",\"KnN1Tu\":\"Expires\",\"uaSvqt\":\"Expiry Date\",\"GS+Mus\":\"Export\",\"9xAp/j\":\"Failed to cancel attendee\",\"ZpieFv\":\"Failed to cancel order\",\"z6tdjE\":\"Failed to delete message. Please try again.\",\"9zSt4h\":\"Failed to export attendees. Please try again.\",\"2uGNuE\":\"Failed to export orders. Please try again.\",\"d+KKMz\":\"Failed to load Check-In List\",\"ZQ15eN\":\"Failed to resend ticket email\",\"PLUB/s\":\"Fee\",\"YirHq7\":\"Feedback\",\"/mfICu\":\"Fees\",\"V1EGGU\":\"First name\",\"kODvZJ\":\"First Name\",\"S+tm06\":\"First name must be between 1 and 50 characters\",\"1g0dC4\":\"First Name, Last Name, and Email Address are default questions and are always included in the checkout process.\",\"QWa3Sk\":\"First Name, Last Name, and Email Address are default questions that are always included in the checkout process.\",\"TpqW74\":\"Fixed\",\"irpUxR\":\"Fixed amount\",\"TF9opW\":\"Flash is not available on this device\",\"UNMVei\":\"Forgot password?\",\"2POOFK\":\"Free\",\"/4rQr+\":\"Free Ticket\",\"01my8x\":\"Free ticket, no payment information required\",\"nLC6tu\":\"French\",\"ejVYRQ\":\"From\",\"DDcvSo\":\"German\",\"u6FPxT\":\"Get Tickets\",\"4GLxhy\":\"Getting Started\",\"4D3rRj\":\"Go back to profile\",\"cQPKZt\":\"Go to Dashboard\",\"9LCqFI\":\"Go to event homepage\",\"RUz8o/\":\"gross sales\",\"IgcAGN\":\"Gross sales\",\"yRg26W\":\"Gross Sales\",\"R4r4XO\":\"Guests\",\"26pGvx\":\"Have a promo code?\",\"V7yhws\":\"hello@awesome-events.com\",\"GNJ1kd\":\"Help & Support\",\"6K/IHl\":\"Here is an example of how you can use the component in your application.\",\"Y1SSqh\":\"Here is the React component you can use to embed the widget in your application.\",\"Ow9Hz5\":[\"Hi.Events Conference \",[\"0\"]],\"verBst\":\"Hi.Events Conference Center\",\"6eMEQO\":\"hi.events logo\",\"C4qOW8\":\"Hidden from public view\",\"gt3Xw9\":\"hidden question\",\"g3rqFe\":\"hidden questions\",\"k3dfFD\":\"Hidden questions are only visible to the event organizer and not to the customer.\",\"EeNE0j\":\"Hidden will not be shown to customers.\",\"vLyv1R\":\"Hide\",\"Mkkvfd\":\"Hide getting started page\",\"mFn5Xz\":\"Hide hidden questions\",\"SCimta\":\"Hide the getting started page from the sidebar\",\"Da29Y6\":\"Hide this question\",\"fsi6fC\":\"Hide this ticket from customers\",\"fvDQhr\":\"Hide this tier from users\",\"Fhzoa8\":\"Hide ticket after sale end date\",\"yhm3J/\":\"Hide ticket before sale start date\",\"k7/oGT\":\"Hide ticket unless user has applicable promo code\",\"L0ZOiu\":\"Hide ticket when sold out\",\"uno73L\":\"Hiding a ticket will prevent users from seeing it on the event page.\",\"tj6Gob\":\"Homepage & Checkout\",\"m07jN3\":\"Homepage & Checkout Settings\",\"ZOBwQn\":\"Homepage Design\",\"PRuBTd\":\"Homepage Designer\",\"YjVNGZ\":\"Homepage Preview\",\"c3E/kw\":\"Homer\",\"id+NIk\":\"How many minutes the customer has to complete their order\",\"8k8Njd\":\"How many minutes the customer has to complete their order. We recommend at least 15 minutes\",\"ySxKZe\":\"How many times can this code be used?\",\"dZsDbK\":[\"HTML character limit exceeded: \",[\"htmlLength\"],\"/\",[\"maxLength\"]],\"fYyXCd\":\"https://example-maps-service.com/...\",\"uOXLV3\":\"I agree to the <0>terms and conditions\",\"sIxFk5\":\"I agree to the terms and conditions\",\"Crwwhn\":[\"If a new tab did not open, please <0>\",[\"0\"],\".\"],\"93DUnd\":[\"If a new tab did not open, please <0><1>\",[\"0\"],\".\"],\"9gtsTP\":\"If blank, the address will be used to generate a Google map link\",\"muXhGi\":\"If enabled, the organizer will receive an email notification when a new order is placed\",\"6fLyj/\":\"If you did not request this change, please immediately change your password.\",\"n/ZDCz\":\"Image deleted successfully\",\"Gyl1h8\":\"Image dimensions must be at least 600px by 300px\",\"TiGacZ\":\"Image dimensions must be at least 900px by 450px\",\"UnTvkH\":\"Image dimensions must be between 3000px by 2000px. With a max height of 2000px and max width of 3000px\",\"Mfbc2v\":\"Image dimensions must be between 4000px by 4000px. With a max height of 4000px and max width of 4000px\",\"uPEIvq\":\"Image must be less than 5MB\",\"AGZmwV\":\"Image uploaded successfully\",\"ibi52/\":\"Image width must be at least 900px and height at least 50px\",\"NoNwIX\":\"Inactive\",\"T0K0yl\":\"Inactive users cannot log in.\",\"OFAmKP\":\"Include connection details for your online event\",\"BfPBBG\":\"Include connection details for your online event. These details will be after successful registration.\",\"6+pAOx\":\"Include connection details for your online event. These details will be shown after successful registration.\",\"evpD4c\":\"Include connection details for your online event. These details will be shown on the order summary page and attendee ticket page\",\"FlQKnG\":\"Include tax and fees in the price\",\"AXTNr8\":[\"Includes \",[\"0\"],\" tickets\"],\"7/Rzoe\":\"Includes 1 ticket\",\"nbfdhU\":\"Integrations\",\"OyLdaz\":\"Invitation resent!\",\"HE6KcK\":\"Invitation revoked!\",\"SQKPvQ\":\"Invite User\",\"PgdQrx\":\"Issue refund\",\"KFXip/\":\"John\",\"XcgRvb\":\"Johnson\",\"1IWWYX\":[\"KittenTech Conference \",[\"0\"]],\"ZgJEMX\":\"KittenTech Conference Center\",\"87a/t/\":\"Label\",\"vXIe7J\":\"Language\",\"I3yitW\":\"Last login\",\"1ZaQUH\":\"Last name\",\"UXBCwc\":\"Last Name\",\"CKcupn\":\"Latest Orders\",\"tITjB1\":\"Learn more about Stripe\",\"c+gAXc\":\"Let's get started by creating your first event\",\"vR92Yn\":\"Let's get started by creating your first organizer\",\"QfrKvi\":\"Link color\",\"wJijgU\":\"Location\",\"sQia9P\":\"Log in\",\"zUDyah\":\"Logging in\",\"z0t9bb\":\"Login\",\"nOhz3x\":\"Logout\",\"F2jAFv\":\"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Nam placerat elementum...\",\"XkhEf9\":\"Lorem ipsum...\",\"MU3ijv\":\"Make this question mandatory\",\"wckWOP\":\"Manage\",\"8mmINh\":\"Manage billing information and view invoices\",\"jWIznR\":\"Manage default settings for new events\",\"n4SpU5\":\"Manage event\",\"wqyqaF\":\"Manage general account settings\",\"cQrNR3\":\"Manage Profile\",\"f92Qak\":\"Manage taxes and fees which can be applied to tickets\",\"PlTcVr\":\"Manage taxes and fees which can be applied to your tickets\",\"ophZVW\":\"Manage tickets\",\"Wsx7Iu\":\"Manage users and their permissions\",\"DdHfeW\":\"Manage your account details and default settings\",\"QHcjP+\":\"Manage your billing and payment details\",\"S+UjNL\":\"Manage your Stripe payment details\",\"BfucwY\":\"Manage your users and their permissions\",\"1m+YT2\":\"Mandatory questions must be answered before the customer can checkout.\",\"Dim4LO\":\"Manually add an Attendee\",\"e4KdjJ\":\"Manually Add Attendee\",\"lzcrX3\":\"Manually adding an attendee will adjust ticket quantity.\",\"g9dPPQ\":\"Maximum Per Order\",\"l5OcwO\":\"Message attendee\",\"Gv5AMu\":\"Message Attendees\",\"1jRD0v\":\"Message attendees with specific tickets\",\"Lvi+gV\":\"Message buyer\",\"tNZzFb\":\"Message Content\",\"lYDV/s\":\"Message individual attendees\",\"V7DYWd\":\"Message Sent\",\"t7TeQU\":\"Messages\",\"xFRMlO\":\"Minimum Per Order\",\"QYcUEf\":\"Minimum Price\",\"mYLhkl\":\"Miscellaneous Settings\",\"KYveV8\":\"Multi line text box\",\"SVuGaP\":\"Multiple price options, users can choose which to pay\",\"6wbTro\":\"Multiple price options. Perfect for early bird tickets etc.\",\"/bhMdO\":\"My amazing event description...\",\"vX8/tc\":\"My amazing event title...\",\"hKtWk2\":\"My Profile\",\"pRjx4L\":\"Nam placerat elementum...\",\"6YtxFj\":\"Name\",\"hVuv90\":\"Name should be less than 150 characters\",\"AIUkyF\":\"Navigate to Attendee\",\"qqeAJM\":\"Never\",\"7vhWI8\":\"New Password\",\"m920rF\":\"New York\",\"1UzENP\":\"No\",\"LNWHXb\":\"No archived events to show.\",\"Wjz5KP\":\"No Attendees to show\",\"Razen5\":\"No attendees will be able to check in before this date using this list\",\"XUfgCI\":\"No Capacity Assignments\",\"a/gMx2\":\"No Check-In Lists\",\"fFeCKc\":\"No Discount\",\"HFucK5\":\"No ended events to show.\",\"Z6ILSe\":\"No events for this organizer\",\"yAlJXG\":\"No events to show\",\"KPWxKD\":\"No messages to show\",\"J2LkP8\":\"No orders to show\",\"+Y976X\":\"No Promo Codes to show\",\"Ev2r9A\":\"No results\",\"RHyZUL\":\"No search results.\",\"cU1op4\":\"No Taxes or Fees have been added yet.\",\"RY2eP1\":\"No Taxes or Fees have been added.\",\"uR2eFu\":\"No tickets available\",\"b7JZFg\":\"No tickets to show\",\"EdQY6l\":\"None\",\"OJx3wK\":\"Not available\",\"x5+Lcz\":\"Not Checked In\",\"Scbrsn\":\"Not On Sale\",\"hFwWnI\":\"Notification Settings\",\"xXqEPO\":\"Notify buyer of refund\",\"YpN29s\":\"Notify organizer of new orders\",\"qeQhNj\":\"Now let's create your first event\",\"2NPDz1\":\"On sale\",\"Ldu/RI\":\"On Sale\",\"Ug4SfW\":\"Once you create an event, you'll see it here.\",\"+P/tII\":\"Once you're ready, set your event live and start selling tickets.\",\"J6n7sl\":\"Ongoing\",\"z+nuVJ\":\"Online event\",\"WKHW0N\":\"Online Event Details\",\"/xkmKX\":\"Only important emails, which are directly related to this event, should be sent using this form.\\nAny misuse, including sending promotional emails, will lead to an immediate account ban.\",\"Qqqrwa\":\"Open Check-In Page\",\"OdnLE4\":\"Open sidebar\",\"ZZEYpT\":[\"Option \",[\"i\"]],\"0zpgxV\":\"Options\",\"BzEFor\":\"or\",\"UYUgdb\":\"Order\",\"mm+eaX\":\"Order #\",\"B3gPuX\":\"Order Cancelled\",\"SIbded\":\"Order Completed\",\"q/CcwE\":\"Order Date\",\"Tol4BF\":\"Order Details\",\"L4kzeZ\":[\"Order Details \",[\"0\"]],\"WbImlQ\":\"Order has been canceled and the order owner has been notified.\",\"VCOi7U\":\"Order questions\",\"wg9MPp\":\"Order questions are asked once per order. By default, people are asked for their first name, last name, and email address.\",\"+KNVxX\":\"Order questions are asked once per order. By default, we ask for the first name, last name, and email address.\",\"TPoYsF\":\"Order Reference\",\"GX6dZv\":\"Order Summary\",\"tDTq0D\":\"Order timeout\",\"1h+RBg\":\"Orders\",\"mz+c33\":\"Orders Created\",\"G5RhpL\":\"Organizer\",\"m/ebSk\":\"Organizer Details\",\"mYygCM\":\"Organizer is required\",\"Pa6G7v\":\"Organizer Name\",\"J2cXxX\":\"Organizers can only manage events and tickets. They cannot manage users, account settings or billing information.\",\"fdjq4c\":\"Padding\",\"ErggF8\":\"Page background color\",\"8F1i42\":\"Page not found\",\"QbrUIo\":\"Page views\",\"6D8ePg\":\"page.\",\"IkGIz8\":\"paid\",\"2w/FiJ\":\"Paid Ticket\",\"8ZsakT\":\"Password\",\"TUJAyx\":\"Password must be a minimum of 8 characters\",\"vwGkYB\":\"Password must be at least 8 characters\",\"BLTZ42\":\"Password reset successfully. Please login with your new password.\",\"f7SUun\":\"Passwords are not the same\",\"aEDp5C\":\"Paste this where you want the widget to appear.\",\"+23bI/\":\"Patrick\",\"iAS9f2\":\"patrick@acme.com\",\"iq5IUr\":\"Pause Ticket\",\"621rYf\":\"Payment\",\"JhtZAK\":\"Payment Failed\",\"xgav5v\":\"Payment succeeded!\",\"CcK+Ft\":\"PDF\",\"att1Hj\":\"percent\",\"/roQKz\":\"Percentage\",\"vPJ1FI\":\"Percentage Amount\",\"xdA9ud\":\"Place this in the of your website.\",\"blK94r\":\"Please add at least one option\",\"FJ9Yat\":\"Please check the provided information is correct\",\"TkQVup\":\"Please check your email and password and try again\",\"sMiGXD\":\"Please check your email is valid\",\"Ajavq0\":\"Please check your email to confirm your email address\",\"MdfrBE\":\"Please complete the form below to accept your invitation\",\"b1Jvg+\":\"Please continue in the new tab\",\"q40YFl\":\"Please continue your order in the new tab\",\"cdR8d6\":\"Please create a ticket\",\"ZJG4Di\":\"Please ensure you only send emails directly related to the order. Promotional emails\\nshould not be sent using this form.\",\"o+HaYe\":\"Please enter a valid promo code\",\"HnNept\":\"Please enter your new password\",\"5FSIzj\":\"Please Note\",\"MA04r/\":\"Please remove filters and set sorting to \\\"Homepage order\\\" to enable sorting\",\"pJLvdS\":\"Please select\",\"yygcoG\":\"Please select at least one ticket\",\"igBrCH\":\"Please verify your email address to access all features\",\"MOERNx\":\"Portuguese\",\"R7+D0/\":\"Portuguese (Brazil)\",\"qCJyMx\":\"Post Checkout message\",\"g2UNkE\":\"Powered by\",\"Qs7yI0\":\"Powered By\",\"lqAWKB\":\"Powered by <0>Hi.Events 👋\",\"3n47kV\":\"Powered By Hi.Events\",\"ddi4j4\":\"Powered by Stripe\",\"Rs7IQv\":\"Pre Checkout message\",\"rdUucN\":\"Preview\",\"a7u1N9\":\"Price\",\"CmoB9j\":\"Price display mode\",\"Q8PWaJ\":\"Price tiers\",\"a5jvSX\":\"Price Tiers\",\"6RmHKN\":\"Primary Color\",\"G/ZwV1\":\"Primary Colour\",\"8cBtvm\":\"Primary Text Color\",\"BZz12Q\":\"Print\",\"MT7dxz\":\"Print All Tickets\",\"N0qXpE\":\"Products\",\"vERlcd\":\"Profile\",\"kUlL8W\":\"Profile updated successfully\",\"cl5WYc\":[\"Promo \",[\"promo_code\"],\" code applied\"],\"ZXpm3a\":[\"Promo \",[\"promoCode\"],\" code applied\"],\"yKWfjC\":\"Promo Code page\",\"RVb8Fo\":\"Promo Codes\",\"BZ9GWa\":\"Promo codes can be used to offer discounts, presale access, or provide special access to your event.\",\"4kyDD5\":\"Provide additional context or instructions for this question. Use this field to add terms\\nand conditions, guidelines, or any important information that attendees need to know before answering.\",\"812gwg\":\"Purchase License\",\"LkMOWF\":\"Quantity Available\",\"XKJuAX\":\"Question deleted\",\"avf0gk\":\"Question Description\",\"oQvMPn\":\"Question Title\",\"enzGAL\":\"Questions\",\"K885Eq\":\"Questions sorted successfully\",\"OMJ035\":\"Radio Option\",\"C4TjpG\":\"Read less\",\"I3QpvQ\":\"Recipient\",\"N2C89m\":\"Reference\",\"gxFu7d\":[\"Refund amount (\",[\"0\"],\")\"],\"n10yGu\":\"Refund order\",\"zPH6gp\":\"Refund Order\",\"/BI0y9\":\"Refunded\",\"fgLNSM\":\"Register\",\"tasfos\":\"remove\",\"t/YqKh\":\"Remove\",\"RloWNu\":\"Reply to email\",\"EGm34e\":\"Resend confirmation email\",\"lnrkNz\":\"Resend email confirmation\",\"wIa8Qe\":\"Resend invitation\",\"VeKsnD\":\"Resend order email\",\"dFuEhO\":\"Resend ticket email\",\"o6+Y6d\":\"Resending...\",\"RfwZxd\":\"Reset password\",\"KbS2K9\":\"Reset Password\",\"e99fHm\":\"Restore event\",\"vtc20Z\":\"Return to event page\",\"8YBH95\":\"Revenue\",\"PO/sOY\":\"Revoke invitation\",\"GDvlUT\":\"Role\",\"ELa4O9\":\"Sale End Date\",\"5uo5eP\":\"Sale ended\",\"Qm5XkZ\":\"Sale Start Date\",\"hVF4dJ\":\"Sale starts\",\"hBsw5C\":\"Sales ended\",\"kpAzPe\":\"Sales start\",\"P/wEOX\":\"San Francisco\",\"tfDRzk\":\"Save\",\"IUwGEM\":\"Save Changes\",\"U65fiW\":\"Save Organizer\",\"UGT5vp\":\"Save Settings\",\"ovB7m2\":\"Scan QR Code\",\"lBAlVv\":\"Seach by name, order #, attendee # or email...\",\"W4kWXJ\":\"Search by attendee name, email or order #...\",\"ulAuWO\":\"Search by event name or description...\",\"+pr/FY\":\"Search by event name...\",\"NQSiYb\":\"Search by name or description...\",\"3zRbWw\":\"Search by name, email, or order #...\",\"BiYOdA\":\"Search by name...\",\"B1bB1j\":\"Search by order #, name or email...\",\"KZpERn\":\"Search by product name...\",\"jA4hXE\":\"Search by subject or body...\",\"YEjitp\":\"Search by subject or content...\",\"HYnGee\":\"Search by ticket name...\",\"Pjsch9\":\"Search capacity assignments...\",\"r9M1hc\":\"Search check-in lists...\",\"YIix5Y\":\"Search...\",\"OeW+DS\":\"Secondary color\",\"DnXcDK\":\"Secondary Color\",\"cZF6em\":\"Secondary text color\",\"ZIgYeg\":\"Secondary Text Color\",\"QuNKRX\":\"Select Camera\",\"kWI/37\":\"Select organizer\",\"hAjDQy\":\"Select status\",\"QYARw/\":\"Select Ticket\",\"XH5juP\":\"Select Ticket Tier\",\"OMX4tH\":\"Select tickets\",\"nuWxSr\":\"Select Tickets\",\"O/7I0o\":\"Select...\",\"JlFcis\":\"Send\",\"qKWv5N\":[\"Send a copy to <0>\",[\"0\"],\"\"],\"RktTWf\":\"Send a message\",\"/mQ/tD\":\"Send as a test. This will send the message to your email address instead of the recipients.\",\"471O/e\":\"Send confirmation email\",\"M/WIer\":\"Send Message\",\"D7ZemV\":\"Send order confirmation and ticket email\",\"v1rRtW\":\"Send Test\",\"j1VfcT\":\"SEO Description\",\"/SIY6o\":\"SEO Keywords\",\"GfWoKv\":\"SEO Settings\",\"rXngLf\":\"SEO Title\",\"/jZOZa\":\"Service Fee\",\"vu4F0h\":\"Set a minimum price and let users donate more\",\"Bj/QGQ\":\"Set a minimum price and let users pay more if they choose\",\"nYNT+5\":\"Set up your event\",\"A8iqfq\":\"Set your event live\",\"Tz0i8g\":\"Settings\",\"Z8lGw6\":\"Share\",\"FFbYHm\":[\"Should this \",[\"type\"],\" be applied to all new tickets?\"],\"8vETh9\":\"Show\",\"smd87r\":\"Show available ticket quantity\",\"qDsmzu\":\"Show hidden questions\",\"fMPkxb\":\"Show more\",\"izwOOD\":\"Show tax and fees separately\",\"j3b+OW\":\"Shown to the customer after they checkout, on the order summary page\",\"YfHZv0\":\"Shown to the customer before they checkout\",\"CBBcly\":\"Shows common address fields, including country\",\"yTnnYg\":\"Simpson\",\"TNaCfq\":\"Single line text box\",\"+P0Cn2\":\"Skip this step\",\"YSEnLE\":\"Smith\",\"lgFfeO\":\"Sold out\",\"Mi1rVn\":\"Sold Out\",\"nwtY4N\":\"Something went wrong\",\"GRChTw\":\"Something went wrong while deleting the Tax or Fee\",\"YHFrbe\":\"Something went wrong! Please try again\",\"kf83Ld\":\"Something went wrong.\",\"fWsBTs\":\"Something went wrong. Please try again.\",\"F6YahU\":\"Sorry, something has gone wrong. Please restart the checkout process.\",\"KWgppI\":\"Sorry, something went wrong loading this page.\",\"/TCOIK\":\"Sorry, this order no longer exists.\",\"DvCwYF\":\"Sorry, this promo code is invalid'\",\"6a/UJE\":\"Sorry, this promo code is not recognized\",\"9rRZZ+\":\"Sorry, your order has expired. Please start a new order.\",\"a4SyEE\":\"Sorting is disabled while filters and sorting are applied\",\"65A04M\":\"Spanish\",\"4nG1lG\":\"Standard ticket with a fixed price\",\"D3iCkb\":\"Start Date\",\"RS0o7b\":\"State\",\"/2by1f\":\"State or Region\",\"uAQUqI\":\"Status\",\"UJmAAK\":\"Subject\",\"X2rrlw\":\"Subtotal\",\"b0HJ45\":[\"Success! \",[\"0\"],\" will receive an email shortly.\"],\"BJIEiF\":[\"Successfully \",[\"0\"],\" attendee\"],\"Ih8kN0\":[\"Successfully $\",[\"0\"],\" attendee\"],\"xHl17l\":[\"Successfully checked <0>\",[\"0\"],\" \",[\"1\"],\" \",[\"2\"]],\"OtgNFx\":\"Successfully confirmed email address\",\"IKwyaF\":\"Successfully confirmed email change\",\"zLmvhE\":\"Successfully created attendee\",\"9mZEgt\":\"Successfully Created Promo Code\",\"aIA9C4\":\"Successfully Created Question\",\"onFQYs\":\"Successfully Created Ticket\",\"Hgj/mB\":\"Successfully deleted ticket\",\"J3RJSZ\":\"Successfully updated attendee\",\"3suLF0\":\"Successfully updated Capacity Assignment\",\"Z+rnth\":\"Successfully updated Check-In List\",\"vzJenu\":\"Successfully Updated Email Settings\",\"7kOMfV\":\"Successfully Updated Event\",\"G0KW+e\":\"Successfully Updated Homepage Design\",\"k9m6/E\":\"Successfully Updated Homepage Settings\",\"y/NR6s\":\"Successfully Updated Location\",\"73nxDO\":\"Successfully Updated Misc Settings\",\"70dYC8\":\"Successfully Updated Promo Code\",\"F+pJnL\":\"Successfully Updated Seo Settings\",\"g2lRrH\":\"Successfully updated ticket\",\"DXZRk5\":\"Suite 100\",\"GNcfRk\":\"Support Email\",\"JpohL9\":\"Tax\",\"geUFpZ\":\"Tax & Fees\",\"0RXCDo\":\"Tax or Fee deleted successfully\",\"ZowkxF\":\"Taxes\",\"EEZnW+\":\"Taxes & Fees\",\"qu6/03\":\"Taxes and Fees\",\"gVjSFp\":\"Taxes and Fees can be associated with tickets and will be added to the ticket price.\",\"e0ZSh4\":\"Text Colour\",\"gypigA\":\"That promo code is invalid\",\"0ozSQu\":\"The background color for the event homepage\",\"LbHWgW\":\"The background color for the ticket widget on the event homepage\",\"75Xclv\":\"The basic details of your event\",\"5ShqeM\":\"The check-in list you are looking for does not exist.\",\"UNqHnV\":\"The color of the buttons on the event homepage\",\"0amhbL\":\"The color of the links on the event homepage\",\"QXlz+n\":\"The default currency for your events.\",\"mnafgQ\":\"The default timezone for your events.\",\"o7s5FA\":\"The language the attendee will receive emails in.\",\"NlfnUd\":\"The link you clicked is invalid.\",\"FqjKfd\":\"The location of your event\",\"kIXEVN\":[\"The maximum numbers number of tickets for \",[\"0\"],\"is \",[\"1\"]],\"FeAfXO\":[\"The maximum numbers number of tickets for Generals is \",[\"0\"]],\"POEqXB\":\"The organizer details of your event\",\"TSAiPM\":\"The page you are looking for does not exist\",\"MSmKHn\":\"The price displayed to the customer will include taxes and fees.\",\"6zQOg1\":\"The price displayed to the customer will not include taxes and fees. They will be shown separately\",\"ne/9Ur\":\"The styling settings you choose apply only to copied HTML and won't be stored.\",\"TJZByZ\":\"The tax and fee to apply to this ticket. You can create new taxes and fees on the\",\"OJYwh9\":\"The taxes and fees to apply to this ticket. You can create new taxes and fees on the\",\"6BpBfZ\":\"The text color for the event homepage\",\"rljHp7\":\"The text color for the ticket widget on the event homepage\",\"s4di40\":\"The text to display in the 'Continue' button. Defaults to 'Continue'\",\"esY5SG\":\"The title of the event that will be displayed in search engine results and when sharing on social media. By default, the event title will be used\",\"wgAiDb\":\"The user must login to change their email.\",\"jvxN9/\":\"There are no tickets available for this event\",\"rMcHYt\":\"There is a refund pending. Please wait for it to complete before requesting another refund.\",\"hjLUr+\":\"There was an error loading this content. Please refresh the page and try again.\",\"68Axnm\":\"There was an error processing your request. Please try again.\",\"mVKOW6\":\"There was an error sending your message\",\"Um/adz\":\"These allow multiple selections\",\"vWeHWp\":\"These colors are not saved in our system.\",\"7qzHGS\":\"These colors are not saved in our system. They are only used to generate the widget.\",\"xxv3BZ\":\"This check-in list has expired\",\"Sa7w7S\":\"This check-in list has expired and is no longer available for check-ins.\",\"Uicx2U\":\"This check-in list is active\",\"1k0Mp4\":\"This check-in list is not active yet\",\"K6fmBI\":\"This check-in list is not yet active and is not available for check-ins.\",\"t/ePFj\":\"This description will be shown to the check-in staff\",\"MLTkH7\":\"This email is not promotional and is directly related to the event.\",\"2eIpBM\":\"This event is not available at the moment. Please check back later.\",\"Z6LdQU\":\"This event is not available.\",\"CNk/ro\":\"This is an online event\",\"GabtCa\":\"This is the email address that will be used as the reply-to address for all emails sent from this event\",\"FwXnJd\":\"This list will no longer be available for check-ins after this date\",\"CKkb5E\":\"This message is how below the\",\"cHO4ec\":\"This message will be included in the footer of all emails sent from this event\",\"RjwlZt\":\"This order has already been paid.\",\"axERYu\":\"This order has already been paid. <0>View order details\",\"wY+HO9\":\"This order has already been processed.\",\"5K8REg\":\"This order has already been refunded.\",\"OiQMhP\":\"This order has been cancelled\",\"YyEJij\":\"This order has been cancelled.\",\"D44cEI\":\"This order has been completed.\",\"HILpDX\":\"This order is awaiting payment\",\"0vRWbB\":\"This order is awaiting payment.\",\"BdYtn9\":\"This order is complete\",\"e3uMJH\":\"This order is complete.\",\"YNKXOK\":\"This order is processing.\",\"LIjb4v\":\"This order is processing. TODO - a nice image and poll the API\",\"yPZN4i\":\"This order page is no longer available.\",\"5189cf\":\"This overrides all visibility settings and will hide the ticket from all customers.\",\"4vwjho\":\"This page has expired. <0>View order details\",\"Qt7RBu\":\"This question is only visible to the event organizer\",\"os29v1\":\"This reset password link is invalid or expired.\",\"WJqBqd\":\"This ticket cannot be deleted because it is\\nassociated with an order. You can hide it instead.\",\"ma6qdu\":\"This ticket is hidden from public view\",\"xJ8nzj\":\"This ticket is hidden unless targeted by a Promo Code\",\"IV9xTT\":\"This user is not active, as they have not accepted their invitation.\",\"5AnPaO\":\"ticket\",\"kjAL4v\":\"Ticket\",\"KosivG\":\"Ticket deleted successfully\",\"dtGC3q\":\"Ticket email has been resent to attendee\",\"USk+Mn\":\"Ticket page message\",\"mRM6XH\":\"Ticket Sales\",\"NirIiz\":\"Ticket Tier\",\"8jLPgH\":\"Ticket Type\",\"jqWDf9\":\"Ticket widget background color\",\"UrMVAz\":\"Ticket Widget Preview\",\"ngtDy7\":\"Ticket widget text color\",\"N+YYpo\":\"Ticket(s)\",\"6GQNLE\":\"Tickets\",\"54q0zp\":\"Tickets for\",\"ikA//P\":\"tickets sold\",\"i+idBz\":\"Tickets sold\",\"AGRilS\":\"Tickets Sold\",\"56Qw2C\":\"Tickets sorted successfully\",\"4f8A8M\":\"Tickets to which the promo code applies (Applies to all by default)\",\"xN9AhL\":[\"Tier \",[\"0\"]],\"oYaHuq\":\"Tiered Ticket\",\"XZrhpz\":\"Tiered Ticket - Coming Soon\",\"4M150e\":\"Tiered tickets allow you to offer multiple price options for the same ticket.\\nThis is perfect for early bird tickets, or offering different price\\noptions for different groups of people.\",\"jQoYTX\":\"Tiered tickets allow you to offer multiple price options for the same ticket. This is perfect for early bird tickets or offering different price options for different groups of people.\",\"s/0RpH\":\"Times used\",\"40Gx0U\":\"Timezone\",\"oDGm7V\":\"TIP\",\"MHrjPM\":\"Title\",\"xdA/+p\":\"Tools\",\"72c5Qo\":\"Total\",\"BxsfMK\":\"Total Fees\",\"mpB/d9\":\"Total order amount\",\"m3FM1g\":\"Total refunded\",\"GBBIy+\":\"Total remaining\",\"/SgoNA\":\"Total Tax\",\"+zy2Nq\":\"Type\",\"mLGbAS\":[\"Unable to \",[\"0\"],\" attendee\"],\"FMdMfZ\":\"Unable to check in attendee\",\"bPWBLL\":\"Unable to check out attendee\",\"/cSMqv\":\"Unable to create question. Please check the your details\",\"nNdxt9\":\"Unable to create ticket. Please check the your details\",\"MH/lj8\":\"Unable to update question. Please check the your details\",\"Mqy/Zy\":\"United States\",\"NIuIk1\":\"Unlimited\",\"/p9Fhq\":\"Unlimited available\",\"oMcLhS\":\"Unlimited ticket quantity available\",\"E0q9qH\":\"Unlimited usages allowed\",\"ia8YsC\":\"Upcoming\",\"TlEeFv\":\"Upcoming Events\",\"L/gNNk\":[\"Update \",[\"0\"]],\"+qqX74\":\"Update event name, description and dates\",\"vXPSuB\":\"Update profile\",\"gsehpV\":\"Upload an image to be displayed on the event page\",\"BNBfrU\":\"Upload Cover\",\"UtDm3q\":\"URL copied to clipboard\",\"e5lF64\":\"Usage Example\",\"sGEOe4\":\"Use a blurred version of the cover image as the background\",\"OadMRm\":\"Use cover image\",\"7PzzBU\":\"User\",\"yDOdwQ\":\"User Management\",\"Sxm8rQ\":\"Users\",\"VEsDvU\":\"Users can change their email in <0>Profile Settings\",\"vgwVkd\":\"UTC\",\"khBZkl\":\"VAT\",\"E/9LUk\":\"Venue Name\",\"AM+zF3\":\"View attendee\",\"e4mhwd\":\"View event homepage\",\"/5PEQz\":\"View event page\",\"fFornT\":\"View full message\",\"YIsEhQ\":\"View map\",\"Ep3VfY\":\"View on Google Maps\",\"AMkkeL\":\"View order\",\"Y8s4f6\":\"View order details\",\"QIWCnW\":\"VIP check-in list\",\"tF+VVr\":\"VIP Ticket\",\"2q/Q7x\":\"Visibility\",\"vmOFL/\":\"We could not process your payment. Please try again or contact support.\",\"1E0vyy\":\"We couldn't load the data. Please try again.\",\"VGioT0\":\"We recommend dimensions of 2160px by 1080px, and a maximum file size of 5MB\",\"b9UB/w\":\"We use Stripe to process payments. Connect your Stripe account to start receiving payments.\",\"01WH0a\":\"We were unable to confirm your payment. Please try again or contact support.\",\"Gspam9\":\"We're processing your order. Please wait...\",\"LuY52w\":\"Welcome aboard! Please login to continue.\",\"dVxpp5\":[\"Welcome back\",[\"0\"],\" 👋\"],\"NxOVCl\":[\"Welcome to Hi.Events, \",[\"0\"],\" 👋\"],\"wjqPqF\":\"What are Tiered Tickets?\",\"f1jUC0\":\"What date should this check-in list become active?\",\"5iXvHA\":\"What is a Tiered Ticketing?\",\"MhhnvW\":\"What tickets does this code apply to? (Applies to all by default)\",\"dCil3h\":\"What tickets should this question be apply to?\",\"Rb0XUE\":\"What time will you be arriving?\",\"5N4wLD\":\"What type of question is this?\",\"D7C6XV\":\"When should this check-in list expire?\",\"FVetkT\":\"Which tickets should be associated with this check-in list?\",\"S+OdxP\":\"Who is organizing this event?\",\"LINr2M\":\"Who is this message to?\",\"nWhye/\":\"Who should be asked this question?\",\"vVGiM4\":\"Who type of question is this?\",\"onLsWS\":\"Whoops! something went wrong. Please try again or contact support if the problem persists.\",\"AHXN2z\":\"Widget\",\"AU/8QR\":\"Widget Configuration\",\"VxFvXQ\":\"Widget Embed\",\"v1P7Gm\":\"Widget Settings\",\"b4itZn\":\"Working\",\"hqmXmc\":\"Working...\",\"l75CjT\":\"Yes\",\"QcwyCh\":\"Yes, remove them\",\"ySeBKv\":\"You already scanned this ticket\",\"P+Sty0\":[\"You are changing your email to <0>\",[\"0\"],\".\"],\"gGhBmF\":\"You are offline\",\"4ysd6z\":\"You can connecting using this Zoom link...\",\"9HGdDw\":\"You can create a promo code which targets this ticket on the\",\"KRhIxT\":\"You can now start receiving payments through Stripe.\",\"UqVaVO\":\"You cannot change the ticket type as there are attendees associated with this ticket.\",\"zQ8idk\":\"You cannot change the ticket type because there are already tickets sold for this ticket.\",\"3vRX5A\":\"You cannot delete this price tier because there are already tickets sold for this tier. You can hide it instead.\",\"RCC09s\":\"You cannot edit a default question\",\"tFbRKJ\":\"You cannot edit the role or status of the account owner.\",\"fHfiEo\":\"You cannot refund a manually created order.\",\"hK9c7R\":\"You created a hidden question but disabled the option to show hidden questions. It has been enabled.\",\"NOaWRX\":\"You do not have permission to access this page\",\"BRArmD\":\"You have access to multiple accounts. Please choose one to continue.\",\"Z6q0Vl\":\"You have already accepted this invitation. Please login to continue.\",\"rdk1xK\":\"You have connected your Stripe account\",\"ofEncr\":\"You have no attendee questions.\",\"XoeazJ\":\"You have no attendee questions. Attendee questions are asked once per attendee.\",\"CoZHDB\":\"You have no order questions.\",\"FZKDIe\":\"You have no order questions. Order questions are asked once per order.\",\"15qAvl\":\"You have no pending email change.\",\"n81Qk8\":\"You have not completed your Stripe Connect setup\",\"jxsiqJ\":\"You have not connected your Stripe account\",\"183zcL\":\"You have taxes and fees added to a Free Ticket. Would you like to remove or obscure them?\",\"2v5MI1\":\"You haven't sent any messages yet. You can send messages to all attendees, or to specific ticket holders.\",\"R6i9o9\":\"You must acknowledge that this email is not promotional\",\"3ZI8IL\":\"You must agree to the terms and conditions\",\"dMd3Uf\":\"You must confirm your email address before your event can go live.\",\"H35u3n\":\"You must create a ticket before you can manually add an attendee.\",\"jE4Z8R\":\"You must have at least one price tier\",\"LRguuL\":\"You must have at least one tier\",\"8/eLoa\":\"You need to verify your account before you can send messages.\",\"L/+xOk\":\"You'll need a ticket before you can create a check-in list.\",\"8QNzin\":\"You'll need at a ticket before you can create a capacity assignment.\",\"WHXRMI\":\"You'll need at least one ticket to get started. Free, paid or let the user decide what to pay.\",\"bdg03s\":\"Your account email in outgoing emails.\",\"ROR8QD\":\"Your account name is used on event pages and in emails.\",\"veessc\":\"Your attendees will appear here once they have registered for your event. You can also manually add attendees.\",\"Eh5Wrd\":\"Your awesome website 🎉\",\"lkMK2r\":\"Your Details\",\"3ENYTQ\":[\"Your email request change to <0>\",[\"0\"],\" is pending. Please check your email to confirm\"],\"yZfBoy\":\"Your message has been sent\",\"la26JS\":\"Your order is in progress\",\"7YJdgG\":\"Your orders will appear here once they start rolling in.\",\"9TO8nT\":\"Your password\",\"P8hBau\":\"Your payment is processing.\",\"UdY1lL\":\"Your payment was not successful, please try again.\",\"fzuM26\":\"Your payment was unsuccessful. Please try again.\",\"cJ4Y4R\":\"Your refund is processing.\",\"IFHV2p\":\"Your ticket for\",\"3k7HDY\":\"Zip\",\"BM/KQm\":\"Zip or Postal Code\",\"VftCuk\":\"Zoom link, Google Meet link, etc.\",\"ySU+JY\":\"your@email.com\"}")}; \ No newline at end of file diff --git a/frontend/src/locales/ru.po b/frontend/src/locales/ru.po index c0ca8968..08f35f95 100644 --- a/frontend/src/locales/ru.po +++ b/frontend/src/locales/ru.po @@ -41,7 +41,7 @@ msgstr "" msgid "{0} <0>checked out successfully" msgstr "" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:298 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:305 msgid "{0} available" msgstr "" @@ -282,7 +282,7 @@ msgstr "" msgid "Account Name" msgstr "" -#: src/components/common/GlobalMenu/index.tsx:24 +#: src/components/common/GlobalMenu/index.tsx:32 #: src/components/routes/account/ManageAccount/index.tsx:19 msgid "Account Settings" msgstr "" @@ -437,7 +437,7 @@ msgstr "" #: src/components/common/OrdersTable/index.tsx:152 #: src/components/forms/TaxAndFeeForm/index.tsx:71 -#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:35 +#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:36 msgid "Amount" msgstr "" @@ -493,7 +493,7 @@ msgstr "" msgid "Appearance" msgstr "" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:367 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:377 msgid "applied" msgstr "" @@ -509,7 +509,7 @@ msgstr "" #~ msgid "Apply" #~ msgstr "" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:395 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:405 msgid "Apply Promo Code" msgstr "" @@ -892,7 +892,7 @@ msgstr "" msgid "Clear Search Text" msgstr "" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:265 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:266 msgid "click here" msgstr "" @@ -1018,7 +1018,7 @@ msgstr "" #: src/components/common/WidgetEditor/index.tsx:31 #: src/components/common/WidgetEditor/index.tsx:217 #: src/components/layouts/Checkout/CheckoutFooter/index.tsx:36 -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:353 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:363 msgid "Continue" msgstr "" @@ -1149,6 +1149,10 @@ msgstr "" msgid "Create Organizer" msgstr "" +#: src/components/routes/event/products.tsx:50 +msgid "Create Product" +msgstr "" + #: src/components/modals/CreatePromoCodeModal/index.tsx:51 #: src/components/modals/CreatePromoCodeModal/index.tsx:56 msgid "Create Promo Code" @@ -1355,7 +1359,7 @@ msgstr "" msgid "Discount Type" msgstr "" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:274 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:275 msgid "Dismiss" msgstr "" @@ -1811,7 +1815,7 @@ msgstr "" #: src/components/common/OrderSummary/index.tsx:99 #: src/components/common/TicketsTable/SortableTicket/index.tsx:88 #: src/components/common/TicketsTable/SortableTicket/index.tsx:102 -#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:51 +#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:52 msgid "Free" msgstr "" @@ -1872,7 +1876,7 @@ msgstr "" msgid "Guests" msgstr "" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:362 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:372 msgid "Have a promo code?" msgstr "" @@ -1927,7 +1931,7 @@ msgstr "" #~ msgstr "" #: src/components/forms/TicketForm/index.tsx:289 -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:332 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:342 msgid "Hide" msgstr "" @@ -2031,7 +2035,7 @@ msgstr "" #~ msgid "If a new tab did not open, please <0>{0}." #~ msgstr "" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:261 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:262 msgid "If a new tab did not open, please <0><1>{0}." msgstr "" @@ -2225,7 +2229,7 @@ msgstr "" msgid "Login" msgstr "" -#: src/components/common/GlobalMenu/index.tsx:29 +#: src/components/common/GlobalMenu/index.tsx:47 msgid "Logout" msgstr "" @@ -2390,7 +2394,7 @@ msgstr "" msgid "My amazing event title..." msgstr "" -#: src/components/common/GlobalMenu/index.tsx:19 +#: src/components/common/GlobalMenu/index.tsx:27 msgid "My Profile" msgstr "" @@ -2822,7 +2826,7 @@ msgstr "" msgid "Please complete the form below to accept your invitation" msgstr "" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:259 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:260 msgid "Please continue in the new tab" msgstr "" @@ -2861,7 +2865,7 @@ msgstr "" msgid "Please select" msgstr "" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:216 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:217 msgid "Please select at least one ticket" msgstr "" @@ -2948,6 +2952,10 @@ msgstr "" msgid "Print All Tickets" msgstr "" +#: src/components/routes/event/products.tsx:39 +msgid "Products" +msgstr "" + #: src/components/routes/profile/ManageProfile/index.tsx:106 msgid "Profile" msgstr "" @@ -2956,7 +2964,7 @@ msgstr "" msgid "Profile updated successfully" msgstr "" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:160 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:161 msgid "Promo {promo_code} code applied" msgstr "" @@ -3051,11 +3059,11 @@ msgstr "" msgid "Register" msgstr "" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:371 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:381 msgid "remove" msgstr "" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:372 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:382 msgid "Remove" msgstr "" @@ -3212,6 +3220,10 @@ msgstr "" #~ msgid "Search by order #, name or email..." #~ msgstr "" +#: src/components/routes/event/products.tsx:43 +msgid "Search by product name..." +msgstr "" + #: src/components/routes/event/messages.tsx:37 #~ msgid "Search by subject or body..." #~ msgstr "" @@ -3380,7 +3392,7 @@ msgstr "" msgid "Show hidden questions" msgstr "" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:332 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:342 msgid "Show more" msgstr "" @@ -3464,7 +3476,7 @@ msgstr "" #~ msgid "Sorry, this promo code is invalid'" #~ msgstr "" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:225 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:226 msgid "Sorry, this promo code is not recognized" msgstr "" @@ -3663,8 +3675,8 @@ msgstr "" #~ msgid "Text Colour" #~ msgstr "" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:120 -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:168 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:121 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:169 msgid "That promo code is invalid" msgstr "" @@ -3716,7 +3728,7 @@ msgstr "" #~ msgid "The location of your event" #~ msgstr "" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:318 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:328 msgid "The maximum numbers number of tickets for {0}is {1}" msgstr "" @@ -3772,7 +3784,7 @@ msgstr "" #~ msgid "The user must login to change their email." #~ msgstr "" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:249 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:250 msgid "There are no tickets available for this event" msgstr "" @@ -4135,7 +4147,7 @@ msgid "Unable to create question. Please check the your details" msgstr "" #: src/components/modals/CreateTicketModal/index.tsx:64 -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:105 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:106 msgid "Unable to create ticket. Please check the your details" msgstr "" @@ -4154,6 +4166,10 @@ msgstr "" msgid "Unlimited" msgstr "" +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:300 +msgid "Unlimited available" +msgstr "" + #: src/components/common/TicketsTable/index.tsx:106 #~ msgid "Unlimited ticket quantity available" #~ msgstr "" diff --git a/frontend/src/locales/zh-cn.js b/frontend/src/locales/zh-cn.js index da32a266..830222f5 100644 --- a/frontend/src/locales/zh-cn.js +++ b/frontend/src/locales/zh-cn.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"1bpx9A\":\"...\",\"f8qS7T\":\"There's nothing to show yet\",\"4zldrf\":[[\"0\",\"plural\",{\"one\":[\"#\",\" hidden question\"],\"other\":[\"#\",\" hidden questions\"]}]],\"J/hVSQ\":[[\"0\"]],\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"Jv22kr\":[[\"0\"],\" <0>签到成功\"],\"yxhYRZ\":[[\"0\"],\" <0>签退成功\"],\"KMgp2+\":[[\"0\"],\"可用\"],\"tmew5X\":[[\"0\"],\"签到\"],\"Pmr5xp\":[\"成功创建 \",[\"0\"]],\"FImCSc\":[[\"0\"],\"更新成功\"],\"KOr9b4\":[[\"0\"],\"的活动\"],\"qSiUsc\":[[\"0\"],[\"1\"]],\"cU8MWb\":[[\"0\"],\"/\",[\"1\"],\" 已签到\"],\"Vjij1k\":[[\"days\"],\" 天, \",[\"hours\"],\" 小时, \",[\"minutes\"],\" 分钟, 和 \",[\"seconds\"],\" 秒\"],\"f3RdEk\":[[\"hours\"],\" 小时, \",[\"minutes\"],\" 分钟, 和 \",[\"seconds\"],\" 秒\"],\"wapGcj\":[[\"message\"]],\"fyE7Au\":[[\"分\"],\"分钟和\",[\"秒\"],\"秒钟\"],\"NlQ0cx\":[[\"组织者名称\"],\"的首次活动\"],\"Ul6IgC\":\"<0>容量分配让你可以管理票务或整个活动的容量。非常适合多日活动、研讨会等,需要控制出席人数的场合。<1>例如,你可以将容量分配与<2>第一天和<3>所有天数的票关联起来。一旦达到容量,这两种票将自动停止销售。\",\"Exjbj7\":\"<0>签到列表帮助管理活动的参与者入场。您可以将多个票与一个签到列表关联,并确保只有持有效票的人员才能入场。\",\"OXku3b\":\"<0>https://your-website.com\",\"qnSLLW\":\"<0>请输入不含税费的价格。<1>税费可以在下方添加。\",\"0940VN\":\"<0>此票的可用票数<1>如果此票有<2>容量限制,此值可以被覆盖。\",\"E15xs8\":\"⚡️ 设置您的活动\",\"FL6OwU\":\"✉️ 确认您的电子邮件地址\",\"y1NShf\":\"🎉 Congratulation on creating an event!\",\"BN0OQd\":\"恭喜您创建了一个活动!\",\"fAv9QG\":\"🎟️ 添加门票\",\"4WT5tD\":\"🎨 自定义活动页面\",\"3VPPdS\":\"与 Stripe 连接\",\"s4Tgn6\":\"📢 Promote your event\",\"cjdktw\":\"🚀 实时设置您的活动\",\"rmelwV\":\"0 分 0 秒\",\"UQ7pBY\":\"0.50 for $0.50\",\"i1+xzD\":\"1.75 for 1.75%\",\"i0puaE\":\"10.00\",\"W9+fkZ\":\"10001\",\"qdfdgM\":\"缅因街 123 号\",\"IoRZzD\":\"20\",\"+H1RMb\":\"2024-01-01 10:00\",\"Q/T49U\":\"2024-01-01 18:00\",\"hMT8+2\":\"94103\",\"efAM7X\":\"日期输入字段。非常适合询问出生日期等。\",\"d9El7Q\":[\"默认 \",[\"type\"],\" 会自动应用于所有新票单。您可以根据每张票单的具体情况覆盖该默认值。\"],\"SMUbbQ\":\"下拉式输入法只允许一个选择\",\"qv4bfj\":\"费用,如预订费或服务费\",\"Pgaiuj\":\"每张票的固定金额。例如,每张票 0.50 美元\",\"f4vJgj\":\"多行文本输入\",\"ySO/4f\":\"票价的百分比。例如,票价的 3.5%\",\"WXeXGB\":\"使用无折扣的促销代码可显示隐藏的门票。\",\"GMhWB5\":\"A Radio option allows has multiple options but only one can be selected.\",\"CBt3s7\":\"A Radio Option allows only one selection\",\"AG/qmQ\":\"单选题有多个选项,但只能选择一个。\",\"7g61G9\":\"A short description of Awesome Events Ltd.\",\"h179TP\":\"活动的简短描述,将显示在搜索引擎结果中,并在社交媒体上分享时显示。默认情况下,将使用活动描述\",\"WKMnh4\":\"单行文本输入\",\"zCk10D\":\"每位与会者只需回答一个问题。例如:您喜欢吃什么?\",\"ap3v36\":\"每份订单只有一个问题。例如:贵公司的名称是什么?\",\"RlJmQg\":\"标准税,如增值税或消费税\",\"pDwHGk\":\"About hi.events\",\"uIKNjo\":\"关于活动\",\"bfXQ+N\":\"接受邀请\",\"iwyhk4\":\"Access to the VIP area...\",\"AeXO77\":\"账户\",\"0b79Xf\":\"Account Email\",\"lkNdiH\":\"账户名称\",\"Puv7+X\":\"账户设置\",\"OmylXO\":\"账户更新成功\",\"7L01XJ\":\"行动\",\"FQBaXG\":\"激活\",\"5T2HxQ\":\"激活日期\",\"F6pfE9\":\"活跃\",\"m16xKo\":\"添加\",\"LKNynS\":\"Add a cover image, description, and more to make your event stand out.\",\"/PN1DA\":\"为此签到列表添加描述\",\"PGPGsL\":\"添加描述\",\"gMK0ps\":\"添加活动详情并管理活动设置。\",\"Fb+SDI\":\"添加更多门票\",\"ApsD9J\":\"添加新内容\",\"TZxnm8\":\"添加选项\",\"Cw27zP\":\"添加问题\",\"yWiPh+\":\"加税或费用\",\"BGD9Yt\":\"添加机票\",\"goOKRY\":\"增加层级\",\"p59pEv\":\"Additional Details\",\"Y8DIQy\":\"附加选项\",\"Du6bPw\":\"地址\",\"NY/x1b\":\"地址第 1 行\",\"POdIrN\":\"地址 1\",\"cormHa\":\"地址第 2 行\",\"gwk5gg\":\"地址第 2 行\",\"U3pytU\":\"管理员\",\"HLDaLi\":\"管理员用户可以完全访问事件和账户设置。\",\"CPXP5Z\":\"附属机构\",\"W7AfhC\":\"本次活动的所有与会者\",\"QsYjci\":\"所有活动\",\"/twVAS\":\"所有门票\",\"ipYKgM\":\"允许搜索引擎索引\",\"LRbt6D\":\"允许搜索引擎索引此事件\",\"+MHcJD\":\"快到了!我们正在等待处理您的付款。只需几秒钟。\",\"8wYDMp\":\"Already have an account?\",\"ApOYO8\":\"令人惊叹, 活动, 关键词...\",\"hehnjM\":\"金额\",\"TRYjHa\":[\"amount in \",[\"0\"]],\"R2O9Rg\":[\"支付金额 (\",[\"0\"],\")\"],\"tLjOgo\":[\"Amount paid $\",[\"0\"]],\"V7MwOy\":\"加载页面时出现错误\",\"Q7UCEH\":\"问题排序时发生错误。请重试或刷新页面\",\"er3d/4\":\"在整理门票时发生错误。请重试或刷新页面\",\"hhvESd\":\"An event is the actual event you are hosting\",\"jD/OCQ\":\"事件是您要举办的实际活动。您可以稍后添加更多细节。\",\"oBkF+i\":\"主办方是指举办活动的公司或个人\",\"W5A0Ly\":\"出现意外错误。\",\"byKna+\":\"出现意外错误。请重试。\",\"j4DliD\":\"持票人的任何询问都将发送到此电子邮件地址。该地址也将作为本次活动发送的所有电子邮件的 \\\"回复地址\\\"。\",\"aAIQg2\":\"外观\",\"Ym1gnK\":\"应用\",\"epTbAK\":[\"适用于\",[\"0\"],\"张票\"],\"6MkQ2P\":\"适用于1张票\",\"DB8zMK\":\"Apply\",\"GctSSm\":\"应用促销代码\",\"jcnZEw\":[\"将此 \",[\"类型\"],\"应用于所有新票\"],\"S0ctOE\":\"归档活动\",\"TdfEV7\":\"已归档\",\"A6AtLP\":\"已归档的活动\",\"q7TRd7\":\"您确定要激活该与会者吗?\",\"TvkW9+\":\"您确定要归档此活动吗?\",\"/CV2x+\":\"您确定要取消该与会者吗?这将使其门票作废\",\"YgRSEE\":\"您确定要删除此促销代码吗?\",\"iU234U\":\"您确定要删除这个问题吗?\",\"CMyVEK\":\"您确定要将此活动设为草稿吗?这将使公众无法看到该活动\",\"mEHQ8I\":\"您确定要将此事件公开吗?这将使事件对公众可见\",\"s4JozW\":\"您确定要恢复此活动吗?它将作为草稿恢复。\",\"vJuISq\":\"您确定要删除此容量分配吗?\",\"baHeCz\":\"您确定要删除此签到列表吗?\",\"2xEpch\":\"每位与会者提问一次\",\"LBLOqH\":\"每份订单询问一次\",\"ss9PbX\":\"与会者\",\"m0CFV2\":\"与会者详情\",\"lXcSD2\":\"与会者提问\",\"VvYqMB\":\"Attendee questions are asked once per attendee. By default, people are asked for their first name, last name, and email address.\",\"spxPEv\":\"Attendee questions are asked once per attendee. By default, we ask for the attendee's first name, last name, and email address.\",\"9SZT4E\":\"与会者\",\"5UbY+B\":\"持有特定门票的与会者\",\"IMJ6rh\":\"自动调整大小\",\"vZ5qKF\":\"根据内容自动调整 widget 高度。禁用时,窗口小部件将填充容器的高度。\",\"lXkUEV\":\"Availability\",\"ioG+xt\":\"等待付款\",\"3PmQfI\":\"精彩活动\",\"kNmmvE\":\"Awesome Events Ltd.\",\"Yrbm6T\":\"Awesome Organizer Ltd.\",\"9002sI\":\"返回所有活动\",\"0TGkYM\":\"Back to event homepage\",\"A302fe\":\"返回活动页面\",\"VCoEm+\":\"返回登录\",\"MLZyiY\":\"Background color\",\"k1bLf+\":\"背景颜色\",\"I7xjqg\":\"背景类型\",\"EOUool\":\"基本详情\",\"7EGQKA\":\"Because you are the account owner, you cannot change your role or status.\",\"1mwMl+\":\"发送之前\",\"wVfiR2\":\"Before you're event can go live, there's a few thing to do.\",\"/yeZ20\":\"在活动上线之前,您需要做几件事。\",\"1xAcxY\":\"几分钟内开始售票\",\"R+w/Va\":\"Billing\",\"rp/zaT\":\"巴西葡萄牙语\",\"Ptp9MF\":\"Button color\",\"whqocw\":\"注册即表示您同意我们的<0>服务条款和<1>隐私政策。\",\"bcCn6r\":\"计算类型\",\"+8bmSu\":\"加利福尼亚州\",\"iStTQt\":\"相机权限被拒绝。<0>再次请求权限,如果还不行,则需要在浏览器设置中<1>授予此页面访问相机的权限。\",\"Jzn1qy\":\"Can't load events\",\"dEgA5A\":\"取消\",\"Gjt/py\":\"取消更改电子邮件\",\"tVJk4q\":\"取消订单\",\"Os6n2a\":\"取消订单\",\"Mz7Ygx\":[\"取消订单 \",[\"0\"]],\"Ud7zwq\":\"取消将取消与此订单相关的所有机票,并将机票放回可用票池。\",\"vv7kpg\":\"已取消\",\"QyjCeq\":\"容量\",\"V6Q5RZ\":\"容量分配创建成功\",\"k5p8dz\":\"容量分配删除成功\",\"nDBs04\":\"容量管理\",\"77/YgG\":\"更改封面\",\"GptGxg\":\"更改密码\",\"QndF4b\":\"报到\",\"xMDm+I\":\"报到\",\"9FVFym\":\"查看\",\"/Ta1d4\":\"签退\",\"gXcPxc\":\"办理登机手续\",\"Y3FYXy\":\"办理登机手续\",\"fVUbUy\":\"签到列表创建成功\",\"+CeSxK\":\"签到列表删除成功\",\"+hBhWk\":\"签到列表已过期\",\"mBsBHq\":\"签到列表未激活\",\"vPqpQG\":\"未找到签到列表\",\"tejfAy\":\"签到列表\",\"hD1ocH\":\"签到链接已复制到剪贴板\",\"CNafaC\":\"复选框选项允许多重选择\",\"SpabVf\":\"复选框\",\"CRu4lK\":\"登记入住\",\"rfeicl\":\"签到成功\",\"/ydvvl\":\"Checkout Messaging\",\"1WnhCL\":\"结账设置\",\"h1IXFK\":\"中文\",\"6imsQS\":\"简体中文\",\"JjkX4+\":\"选择背景颜色\",\"/Jizh9\":\"选择账户\",\"jJGoVv\":\"Choose what notifications you want to receive\",\"3wV73y\":\"城市\",\"FG98gC\":\"清除搜索文本\",\"EYeuMv\":\"点击此处\",\"sby+1/\":\"点击复制\",\"yz7wBu\":\"关闭\",\"62Ciis\":\"关闭侧边栏\",\"EWPtMO\":\"代码\",\"ercTDX\":\"代码长度必须在 3 至 50 个字符之间\",\"jZlrte\":\"颜色\",\"Vd+LC3\":\"颜色必须是有效的十六进制颜色代码。例如#ffffff\",\"1HfW/F\":\"颜色\",\"VZeG/A\":\"即将推出\",\"yPI7n9\":\"以逗号分隔的描述活动的关键字。搜索引擎将使用这些关键字来帮助对活动进行分类和索引\",\"NPZqBL\":\"完整订单\",\"guBeyC\":\"完成付款\",\"C8HNV2\":\"完成付款\",\"qqWcBV\":\"已完成\",\"DwF9eH\":\"组件代码\",\"7VpPHA\":\"确认\",\"ZaEJZM\":\"确认电子邮件更改\",\"yjkELF\":\"确认新密码\",\"xnWESi\":\"确认密码\",\"p2/GCq\":\"确认密码\",\"wnDgGj\":\"确认电子邮件地址...\",\"DnLC08\":\"Congratulation on creating an event!\",\"pbAk7a\":\"连接条纹\",\"UMGQOh\":\"与 Stripe 连接\",\"QKLP1W\":\"连接 Stripe 账户,开始接收付款。\",\"5lcVkL\":\"连接详情\",\"i3p844\":\"Contact email\",\"yAej59\":\"内容背景颜色\",\"xGVfLh\":\"继续\",\"X++RMT\":\"继续按钮文本\",\"AfNRFG\":\"继续按钮文本\",\"lIbwvN\":\"继续活动设置\",\"HB22j9\":\"继续设置\",\"bZEa4H\":\"继续 Stripe 连接设置\",\"RGVUUI\":\"继续付款\",\"6V3Ea3\":\"复制的\",\"T5rdis\":\"复制到剪贴板\",\"he3ygx\":\"复制\",\"r2B2P8\":\"复制签到链接\",\"8+cOrS\":\"将详细信息抄送给所有与会者\",\"ENCIQz\":\"复制链接\",\"E6nRW7\":\"复制 URL\",\"JNCzPW\":\"国家\",\"IF7RiR\":\"封面\",\"P0rbCt\":\"Cover Image\",\"hYgDIe\":\"Create\",\"b9XOHo\":[\"创建 \",[\"0\"]],\"6kdXbW\":\"创建促销代码\",\"n5pRtF\":\"创建票单\",\"X6sRve\":[\"创建账户或 <0>\",[\"0\"],\" 开始使用\"],\"nx+rqg\":\"创建一个组织者\",\"ipP6Ue\":\"创建与会者\",\"VwdqVy\":\"创建容量分配\",\"WVbTwK\":\"创建签到列表\",\"uN355O\":\"创建活动\",\"BOqY23\":\"创建新的\",\"kpJAeS\":\"创建组织器\",\"sYpiZP\":\"创建促销代码\",\"a6YrKg\":\"Create promo codes\",\"n6H6AO\":\"Create promo codes to offer discounts to your attendees.\",\"B3Mkdt\":\"创建问题\",\"UKfi21\":\"创建税费\",\"Tg323g\":\"创建机票\",\"agZ87r\":\"为您的活动创建门票、设定价格并管理可用数量。\",\"d+F6q9\":\"创建\",\"Q2lUR2\":\"货币\",\"DCKkhU\":\"当前密码\",\"uIElGP\":\"自定义地图 URL\",\"876pfE\":\"客户\",\"QOg2Sf\":\"自定义此事件的电子邮件和通知设置\",\"Lu75d1\":\"Customize the email settings for this event\",\"RaxMyF\":\"Customize the event homepage and checkout experience\",\"Y9Z/vP\":\"定制活动主页和结账信息\",\"2E2O5H\":\"自定义此事件的其他设置\",\"iJhSxe\":\"自定义此事件的搜索引擎优化设置\",\"KIhhpi\":\"定制您的活动页面\",\"nrGWUv\":\"定制您的活动页面,以符合您的品牌和风格。\",\"Zz6Cxn\":\"危险区\",\"ZQKLI1\":\"危险区\",\"7p5kLi\":\"仪表板\",\"mYGY3B\":\"日期\",\"JvUngl\":\"日期和时间\",\"JJhRbH\":\"第一天容量\",\"PqrqgF\":\"第一天签到列表\",\"RiXc4g\":\"Deactivate user\",\"cnGeoo\":\"删除\",\"jRJZxD\":\"删除容量\",\"Qrc8RZ\":\"删除签到列表\",\"WHf154\":\"删除代码\",\"heJllm\":\"删除封面\",\"KWa0gi\":\"删除图像\",\"IatsLx\":\"删除问题\",\"GnyEfA\":\"删除机票\",\"E33LRn\":\"Delete user\",\"Nu4oKW\":\"说明\",\"YC3oXa\":\"签到工作人员的描述\",\"s9iD5d\":\"Description should be less than 50,000 characters\",\"URmyfc\":\"详细信息\",\"x8uDKb\":\"Disable code\",\"Tgg8XQ\":\"禁用此容量以追踪容量而不停止售票\",\"H6Ma8Z\":\"折扣\",\"ypJ62C\":\"折扣率\",\"3LtiBI\":[[\"0\"],\"中的折扣\"],\"C8JLas\":\"折扣类型\",\"1QfxQT\":\"解散\",\"cVq+ga\":\"没有帐户? <0>注册\",\"4+aC/x\":\"捐款/自费门票\",\"++S5i/\":\"Donation amount\",\"OO7MG7\":\"Donation Ticket\",\"0pEVi2\":\"Download Tickets PDF\",\"uABpqP\":\"拖放或点击\",\"3z2ium\":\"拖动排序\",\"6skwyH\":\"Drop an image, or click here to replace the Cover Image\",\"S37RRV\":\"Drop an image, or click here to upload the Cover Image\",\"CfKofC\":\"下拉选择\",\"JzLDvy\":\"复制容量分配\",\"ulMxl+\":\"复制签到列表\",\"vi8Q/5\":\"复制活动\",\"3ogkAk\":\"复制活动\",\"Yu6m6X\":\"复制事件封面图像\",\"+fA4C7\":\"复制选项\",\"57ALrd\":\"复制促销代码\",\"83Hu4O\":\"复制问题\",\"20144c\":\"复制设置\",\"Wt9eV8\":\"复制票\",\"7Cx5It\":\"早起的鸟儿\",\"ePK91l\":\"编辑\",\"N6j2JH\":[\"编辑 \",[\"0\"]],\"kNGp1D\":\"编辑与会者\",\"t2bbp8\":\"编辑参会者\",\"kBkYSa\":\"编辑容量\",\"oHE9JT\":\"编辑容量分配\",\"FU1gvP\":\"编辑签到列表\",\"iFgaVN\":\"编辑代码\",\"jrBSO1\":\"编辑组织器\",\"9BdS63\":\"编辑促销代码\",\"O0CE67\":\"编辑问题\",\"EzwCw7\":\"编辑问题\",\"d+nnyk\":\"编辑机票\",\"poTr35\":\"编辑用户\",\"GTOcxw\":\"编辑用户\",\"pqFrv2\":\"例如2.50 换 2.50\",\"3yiej1\":\"例如23.5 表示 23.5%\",\"O3oNi5\":\"电子邮件\",\"VxYKoK\":\"电子邮件和通知设置\",\"ATGYL1\":\"电子邮件地址\",\"hzKQCy\":\"电子邮件地址\",\"HqP6Qf\":\"电子邮件更改已成功取消\",\"mISwW1\":\"电子邮件更改待定\",\"WiKda6\":\"Email Configuration\",\"APuxIE\":\"重新发送电子邮件确认\",\"YaCgdO\":\"成功重新发送电子邮件确认\",\"jyt+cx\":\"电子邮件页脚信息\",\"I6F3cp\":\"电子邮件未经验证\",\"G5zNMX\":\"Email Settings\",\"NTZ/NX\":\"嵌入代码\",\"4rnJq4\":\"嵌入脚本\",\"nA31FG\":\"启用此容量以在达到限制时停止售票\",\"VFv2ZC\":\"结束日期\",\"237hSL\":\"完工\",\"nt4UkP\":\"已结束的活动\",\"lYGfRP\":\"英语\",\"MhVoma\":\"输入不含税费的金额。\",\"3Z223G\":\"确认电子邮件地址出错\",\"a6gga1\":\"确认更改电子邮件时出错\",\"5/63nR\":\"欧元\",\"0pC/y6\":\"活动\",\"nuoP/j\":\"Event created successfully\",\"CFLUfD\":\"成功创建事件 🎉\",\"0Zptey\":\"事件默认值\",\"6fuA9p\":\"事件成功复制\",\"Xe3XMd\":\"公众无法看到活动\",\"4pKXJS\":\"活动对公众可见\",\"ClwUUD\":\"活动地点和场地详情\",\"OopDbA\":\"活动页面\",\"JyD0LH\":\"Event Settings\",\"4/If97\":\"活动状态更新失败。请稍后再试\",\"btxLWj\":\"事件状态已更新\",\"tst44n\":\"活动\",\"sZg7s1\":\"过期日期\",\"KnN1Tu\":\"到期\",\"uaSvqt\":\"有效期\",\"GS+Mus\":\"出口\",\"9xAp/j\":\"取消与会者失败\",\"ZpieFv\":\"取消订单失败\",\"z6tdjE\":\"删除信息失败。请重试。\",\"9zSt4h\":\"导出与会者失败。请重试。\",\"2uGNuE\":\"导出订单失败。请重试。\",\"d+KKMz\":\"加载签到列表失败\",\"ZQ15eN\":\"重新发送票据电子邮件失败\",\"PLUB/s\":\"费用\",\"YirHq7\":\"反馈意见\",\"/mfICu\":\"费用\",\"V1EGGU\":\"姓名\",\"kODvZJ\":\"姓名\",\"S+tm06\":\"名字必须在 1 至 50 个字符之间\",\"1g0dC4\":\"名字、姓氏和电子邮件地址为默认问题,在结账过程中始终包含。\",\"QWa3Sk\":\"First Name, Last Name, and Email Address are default questions that are always included in the checkout process.\",\"TpqW74\":\"固定式\",\"irpUxR\":\"固定金额\",\"TF9opW\":\"该设备不支持闪存\",\"UNMVei\":\"忘记密码?\",\"2POOFK\":\"免费\",\"/4rQr+\":\"免费门票\",\"01my8x\":\"免费门票,无需支付信息\",\"nLC6tu\":\"法语\",\"ejVYRQ\":\"From\",\"DDcvSo\":\"德国\",\"u6FPxT\":\"Get Tickets\",\"4GLxhy\":\"入门\",\"4D3rRj\":\"返回个人资料\",\"cQPKZt\":\"Go to Dashboard\",\"9LCqFI\":\"前往活动主页\",\"RUz8o/\":\"总销售额\",\"IgcAGN\":\"销售总额\",\"yRg26W\":\"销售总额\",\"R4r4XO\":\"宾客\",\"26pGvx\":\"有促销代码吗?\",\"V7yhws\":\"hello@awesome-events.com\",\"GNJ1kd\":\"帮助与支持\",\"6K/IHl\":\"下面举例说明如何在应用程序中使用该组件。\",\"Y1SSqh\":\"下面是 React 组件,您可以用它在应用程序中嵌入 widget。\",\"Ow9Hz5\":[\"Hi.Events Conference \",[\"0\"]],\"verBst\":\"Hi.Events 会议中心\",\"6eMEQO\":\"hi.events 徽标\",\"C4qOW8\":\"隐藏于公众视线之外\",\"gt3Xw9\":\"隐藏问题\",\"g3rqFe\":\"隐藏问题\",\"k3dfFD\":\"隐藏问题只有活动组织者可以看到,客户看不到。\",\"EeNE0j\":\"Hidden will not be shown to customers.\",\"vLyv1R\":\"隐藏\",\"Mkkvfd\":\"隐藏入门页面\",\"mFn5Xz\":\"隐藏隐藏问题\",\"SCimta\":\"隐藏侧边栏中的入门页面\",\"Da29Y6\":\"隐藏此问题\",\"fsi6fC\":\"向客户隐藏此票据\",\"fvDQhr\":\"向用户隐藏此层级\",\"Fhzoa8\":\"隐藏销售截止日期后的机票\",\"yhm3J/\":\"在开售日期前隐藏机票\",\"k7/oGT\":\"隐藏机票,除非用户有适用的促销代码\",\"L0ZOiu\":\"售罄后隐藏门票\",\"uno73L\":\"隐藏票单将阻止用户在活动页面上看到该票单。\",\"tj6Gob\":\"Homepage & Checkout\",\"m07jN3\":\"Homepage & Checkout Settings\",\"ZOBwQn\":\"主页设计\",\"PRuBTd\":\"主页设计师\",\"YjVNGZ\":\"主页预览\",\"c3E/kw\":\"荷马\",\"id+NIk\":\"How many minutes the customer has to complete their order\",\"8k8Njd\":\"客户有多少分钟来完成订单。我们建议至少 15 分钟\",\"ySxKZe\":\"这个代码可以使用多少次?\",\"dZsDbK\":[\"HTML字符限制已超出:\",[\"htmlLength\"],\"/\",[\"maxLength\"]],\"fYyXCd\":\"https://example-maps-service.com/...\",\"uOXLV3\":\"我同意<0>条款和条件。\",\"sIxFk5\":\"I agree to the terms and conditions\",\"Crwwhn\":[\"If a new tab did not open, please <0>\",[\"0\"],\".\"],\"93DUnd\":[\"如果新标签页没有打开,请<0><1>\",[\"0\"],\".。\"],\"9gtsTP\":\"如果为空,该地址将用于生成 Google 地图链接\",\"muXhGi\":\"如果启用,当有新订单时,组织者将收到电子邮件通知\",\"6fLyj/\":\"如果您没有要求更改密码,请立即更改密码。\",\"n/ZDCz\":\"图像已成功删除\",\"Gyl1h8\":\"Image dimensions must be at least 600px by 300px\",\"TiGacZ\":\"Image dimensions must be at least 900px by 450px\",\"UnTvkH\":\"图片尺寸必须在 3000px x 2000px 之间。最大高度为 2000px,最大宽度为 3000px\",\"Mfbc2v\":\"图像尺寸必须在4000px和4000px之间。最大高度为4000px,最大宽度为4000px\",\"uPEIvq\":\"图片必须小于 5MB\",\"AGZmwV\":\"图片上传成功\",\"ibi52/\":\"图片宽度必须至少为 900px,高度必须至少为 50px\",\"NoNwIX\":\"不活动\",\"T0K0yl\":\"非活动用户无法登录。\",\"OFAmKP\":\"Include connection details for your online event\",\"BfPBBG\":\"Include connection details for your online event. These details will be after successful registration.\",\"6+pAOx\":\"Include connection details for your online event. These details will be shown after successful registration.\",\"evpD4c\":\"包括在线活动的连接详情。这些详细信息将显示在订单摘要页面和与会者门票页面上\",\"FlQKnG\":\"价格中包含税费\",\"AXTNr8\":[\"包括 \",[\"0\"],\" 张票\"],\"7/Rzoe\":\"包括 1 张票\",\"nbfdhU\":\"集成\",\"OyLdaz\":\"再次发出邀请!\",\"HE6KcK\":\"撤销邀请!\",\"SQKPvQ\":\"邀请用户\",\"PgdQrx\":\"退款问题\",\"KFXip/\":\"约翰\",\"XcgRvb\":\"约翰逊\",\"1IWWYX\":[\"KittenTech Conference \",[\"0\"]],\"ZgJEMX\":\"KittenTech Conference Center\",\"87a/t/\":\"标签\",\"vXIe7J\":\"语言\",\"I3yitW\":\"最后登录\",\"1ZaQUH\":\"姓氏\",\"UXBCwc\":\"姓氏\",\"CKcupn\":\"Latest Orders\",\"tITjB1\":\"进一步了解 Stripe\",\"c+gAXc\":\"Let's get started by creating your first event\",\"vR92Yn\":\"让我们从创建第一个组织者开始吧\",\"QfrKvi\":\"Link color\",\"wJijgU\":\"地点\",\"sQia9P\":\"登录\",\"zUDyah\":\"登录\",\"z0t9bb\":\"登录\",\"nOhz3x\":\"注销\",\"F2jAFv\":\"Lorem ipsum dolor sit amet, consectetur adipiscing elit.Nam placerat elementum...\",\"XkhEf9\":\"Lorem ipsum...\",\"MU3ijv\":\"将此问题作为必答题\",\"wckWOP\":\"管理\",\"8mmINh\":\"Manage billing information and view invoices\",\"jWIznR\":\"Manage default settings for new events\",\"n4SpU5\":\"管理活动\",\"wqyqaF\":\"Manage general account settings\",\"cQrNR3\":\"管理简介\",\"f92Qak\":\"Manage taxes and fees which can be applied to tickets\",\"PlTcVr\":\"管理适用于机票的税费\",\"ophZVW\":\"管理机票\",\"Wsx7Iu\":\"Manage users and their permissions\",\"DdHfeW\":\"管理账户详情和默认设置\",\"QHcjP+\":\"Manage your billing and payment details\",\"S+UjNL\":\"管理 Stripe 付款详情\",\"BfucwY\":\"管理用户及其权限\",\"1m+YT2\":\"在顾客结账前,必须回答必填问题。\",\"Dim4LO\":\"手动添加与会者\",\"e4KdjJ\":\"手动添加与会者\",\"lzcrX3\":\"手动添加与会者将调整门票数量。\",\"g9dPPQ\":\"每份订单的最高限额\",\"l5OcwO\":\"与会者留言\",\"Gv5AMu\":\"留言参与者\",\"1jRD0v\":\"向与会者发送特定门票的信息\",\"Lvi+gV\":\"留言买家\",\"tNZzFb\":\"留言内容\",\"lYDV/s\":\"给个别与会者留言\",\"V7DYWd\":\"发送的信息\",\"t7TeQU\":\"信息\",\"xFRMlO\":\"每次订购的最低数量\",\"QYcUEf\":\"最低价格\",\"mYLhkl\":\"杂项设置\",\"KYveV8\":\"多行文本框\",\"SVuGaP\":\"Multiple price options, users can choose which to pay\",\"6wbTro\":\"多种价格选择。非常适合早鸟票等。\",\"/bhMdO\":\"我的精彩活动描述\",\"vX8/tc\":\"我的精彩活动标题...\",\"hKtWk2\":\"我的简介\",\"pRjx4L\":\"Nam placerat elementum...\",\"6YtxFj\":\"名称\",\"hVuv90\":\"名称应少于 150 个字符\",\"AIUkyF\":\"导航至与会者\",\"qqeAJM\":\"从不\",\"7vhWI8\":\"新密码\",\"m920rF\":\"New York\",\"1UzENP\":\"没有\",\"LNWHXb\":\"没有可显示的已归档活动。\",\"Wjz5KP\":\"无与会者\",\"Razen5\":\"在此日期前,使用此列表的参与者将无法签到\",\"XUfgCI\":\"没有容量分配\",\"a/gMx2\":\"没有签到列表\",\"fFeCKc\":\"无折扣\",\"HFucK5\":\"没有可显示的已结束活动。\",\"Z6ILSe\":\"没有该组织者的活动\",\"yAlJXG\":\"无事件显示\",\"KPWxKD\":\"无信息显示\",\"J2LkP8\":\"无订单显示\",\"+Y976X\":\"无促销代码显示\",\"Ev2r9A\":\"无结果\",\"RHyZUL\":\"没有搜索结果。\",\"cU1op4\":\"No Taxes or Fees have been added yet.\",\"RY2eP1\":\"未加收任何税费。\",\"uR2eFu\":\"No tickets available\",\"b7JZFg\":\"没有演出门票\",\"EdQY6l\":\"无\",\"OJx3wK\":\"不详\",\"x5+Lcz\":\"未办理登机手续\",\"Scbrsn\":\"非卖品\",\"hFwWnI\":\"通知设置\",\"xXqEPO\":\"通知买方退款\",\"YpN29s\":\"将新订单通知组织者\",\"qeQhNj\":\"现在,让我们创建第一个事件\",\"2NPDz1\":\"销售中\",\"Ldu/RI\":\"销售中\",\"Ug4SfW\":\"创建事件后,您就可以在这里看到它。\",\"+P/tII\":\"准备就绪后,设置您的活动并开始售票。\",\"J6n7sl\":\"持续进行\",\"z+nuVJ\":\"在线活动\",\"WKHW0N\":\"在线活动详情\",\"/xkmKX\":\"只有与本次活动直接相关的重要邮件才能使用此表单发送。\\n任何滥用行为,包括发送促销邮件,都将导致账户立即被封禁。\",\"Qqqrwa\":\"打开签到页面\",\"OdnLE4\":\"打开侧边栏\",\"ZZEYpT\":[\"方案 \",[\"i\"]],\"0zpgxV\":\"选项\",\"BzEFor\":\"或\",\"UYUgdb\":\"订购\",\"mm+eaX\":\"订单号\",\"B3gPuX\":\"取消订单\",\"SIbded\":\"订单已完成\",\"q/CcwE\":\"订购日期\",\"Tol4BF\":\"订购详情\",\"L4kzeZ\":[\"订单详情 \",[\"0\"]],\"WbImlQ\":\"订单已取消,并已通知订单所有者。\",\"VCOi7U\":\"订购问题\",\"wg9MPp\":\"Order questions are asked once per order. By default, people are asked for their first name, last name, and email address.\",\"+KNVxX\":\"Order questions are asked once per order. By default, we ask for the first name, last name, and email address.\",\"TPoYsF\":\"订购参考\",\"GX6dZv\":\"订单摘要\",\"tDTq0D\":\"订单超时\",\"1h+RBg\":\"订单\",\"mz+c33\":\"创建的订单\",\"G5RhpL\":\"组织者\",\"m/ebSk\":\"Organizer Details\",\"mYygCM\":\"需要组织者\",\"Pa6G7v\":\"组织者姓名\",\"J2cXxX\":\"组织者只能管理活动和门票。他们不能管理用户、账户设置或账单信息。\",\"fdjq4c\":\"衬垫\",\"ErggF8\":\"页面背景颜色\",\"8F1i42\":\"页面未找到\",\"QbrUIo\":\"页面浏览量\",\"6D8ePg\":\"page.\",\"IkGIz8\":\"付讫\",\"2w/FiJ\":\"付费机票\",\"8ZsakT\":\"密码\",\"TUJAyx\":\"密码必须至少包含 8 个字符\",\"vwGkYB\":\"密码必须至少包含 8 个字符\",\"BLTZ42\":\"密码重置成功。请使用新密码登录。\",\"f7SUun\":\"密码不一样\",\"aEDp5C\":\"将其粘贴到希望小部件出现的位置。\",\"+23bI/\":\"帕特里克\",\"iAS9f2\":\"patrick@acme.com\",\"iq5IUr\":\"Pause Ticket\",\"621rYf\":\"付款方式\",\"JhtZAK\":\"付款失败\",\"xgav5v\":\"付款成功!\",\"CcK+Ft\":\"PDF\",\"att1Hj\":\"percent\",\"/roQKz\":\"百分比\",\"vPJ1FI\":\"百分比 金额\",\"xdA9ud\":\"将其放在网站的 中。\",\"blK94r\":\"请至少添加一个选项\",\"FJ9Yat\":\"请检查所提供的信息是否正确\",\"TkQVup\":\"请检查您的电子邮件和密码并重试\",\"sMiGXD\":\"请检查您的电子邮件是否有效\",\"Ajavq0\":\"请检查您的电子邮件以确认您的电子邮件地址\",\"MdfrBE\":\"请填写下表接受邀请\",\"b1Jvg+\":\"请在新标签页中继续\",\"q40YFl\":\"Please continue your order in the new tab\",\"cdR8d6\":\"请创建一张票\",\"ZJG4Di\":\"Please ensure you only send emails directly related to the order. Promotional emails\\nshould not be sent using this form.\",\"o+HaYe\":\"Please enter a valid promo code\",\"HnNept\":\"请输入新密码\",\"5FSIzj\":\"请注意\",\"MA04r/\":\"请移除筛选器,并将排序设置为 \\\"主页顺序\\\",以启用排序功能\",\"pJLvdS\":\"请选择\",\"yygcoG\":\"请至少选择一张票\",\"igBrCH\":\"请验证您的电子邮件地址,以访问所有功能\",\"MOERNx\":\"葡萄牙语\",\"R7+D0/\":\"葡萄牙语(巴西)\",\"qCJyMx\":\"结账后信息\",\"g2UNkE\":\"技术支持\",\"Qs7yI0\":\"Powered By\",\"lqAWKB\":\"Powered by <0>Hi.Events 👋\",\"3n47kV\":\"Powered By Hi.Events\",\"ddi4j4\":\"由 Stripe 提供支持\",\"Rs7IQv\":\"结账前信息\",\"rdUucN\":\"预览\",\"a7u1N9\":\"价格\",\"CmoB9j\":\"价格显示模式\",\"Q8PWaJ\":\"价格等级\",\"a5jvSX\":\"Price Tiers\",\"6RmHKN\":\"原色\",\"G/ZwV1\":\"原色\",\"8cBtvm\":\"主要文字颜色\",\"BZz12Q\":\"打印\",\"MT7dxz\":\"打印所有门票\",\"vERlcd\":\"简介\",\"kUlL8W\":\"成功更新个人资料\",\"cl5WYc\":[\"已使用促销 \",[\"promo_code\"],\" 代码\"],\"ZXpm3a\":[\"Promo \",[\"promoCode\"],\" code applied\"],\"yKWfjC\":\"促销代码页面\",\"RVb8Fo\":\"促销代码\",\"BZ9GWa\":\"促销代码可用于提供折扣、预售权限或为您的活动提供特殊权限。\",\"4kyDD5\":\"提供此问题的附加背景或说明。使用此字段添加条款和条件、指南或参与者在回答前需要知道的任何重要信息。\",\"812gwg\":\"购买许可证\",\"LkMOWF\":\"可用数量\",\"XKJuAX\":\"问题已删除\",\"avf0gk\":\"问题描述\",\"oQvMPn\":\"问题标题\",\"enzGAL\":\"问题\",\"K885Eq\":\"问题已成功分类\",\"OMJ035\":\"无线电选项\",\"C4TjpG\":\"更多信息\",\"I3QpvQ\":\"受援国\",\"N2C89m\":\"参考资料\",\"gxFu7d\":[\"退款金额 (\",[\"0\"],\")\"],\"n10yGu\":\"退款订单\",\"zPH6gp\":\"退款订单\",\"/BI0y9\":\"退款\",\"fgLNSM\":\"注册\",\"tasfos\":\"去除\",\"t/YqKh\":\"移除\",\"RloWNu\":\"Reply to email\",\"EGm34e\":\"重新发送确认电子邮件\",\"lnrkNz\":\"重新发送电子邮件确认\",\"wIa8Qe\":\"重新发送邀请\",\"VeKsnD\":\"重新发送订单电子邮件\",\"dFuEhO\":\"重新发送票务电子邮件\",\"o6+Y6d\":\"重新发送...\",\"RfwZxd\":\"重置密码\",\"KbS2K9\":\"重置密码\",\"e99fHm\":\"恢复活动\",\"vtc20Z\":\"返回活动页面\",\"8YBH95\":\"收入\",\"PO/sOY\":\"撤销邀请\",\"GDvlUT\":\"角色\",\"ELa4O9\":\"销售结束日期\",\"5uo5eP\":\"销售结束\",\"Qm5XkZ\":\"销售开始日期\",\"hVF4dJ\":\"Sale starts\",\"hBsw5C\":\"销售结束\",\"kpAzPe\":\"销售开始\",\"P/wEOX\":\"旧金山\",\"tfDRzk\":\"节省\",\"IUwGEM\":\"保存更改\",\"U65fiW\":\"保存组织器\",\"UGT5vp\":\"保存设置\",\"ovB7m2\":\"扫描 QR 码\",\"lBAlVv\":\"按姓名、订单号、参会者编号或电子邮件搜索...\",\"W4kWXJ\":\"按与会者姓名、电子邮件或订单号搜索...\",\"ulAuWO\":\"Search by event name or description...\",\"+pr/FY\":\"按活动名称搜索...\",\"NQSiYb\":\"Search by name or description...\",\"3zRbWw\":\"按姓名、电子邮件或订单号搜索...\",\"BiYOdA\":\"按名称搜索...\",\"B1bB1j\":\"Search by order #, name or email...\",\"jA4hXE\":\"Search by subject or body...\",\"YEjitp\":\"按主题或内容搜索...\",\"HYnGee\":\"按票务名称搜索...\",\"Pjsch9\":\"搜索容量分配...\",\"r9M1hc\":\"搜索签到列表...\",\"YIix5Y\":\"搜索...\",\"OeW+DS\":\"辅助色\",\"DnXcDK\":\"辅助色\",\"cZF6em\":\"辅助文字颜色\",\"ZIgYeg\":\"辅助文字颜色\",\"QuNKRX\":\"选择相机\",\"kWI/37\":\"选择组织者\",\"hAjDQy\":\"选择状态\",\"QYARw/\":\"选择机票\",\"XH5juP\":\"选择票价等级\",\"OMX4tH\":\"选择票\",\"nuWxSr\":\"Select Tickets\",\"O/7I0o\":\"选择...\",\"JlFcis\":\"发送\",\"qKWv5N\":[\"将副本发送至 <0>\",[\"0\"],\"\"],\"RktTWf\":\"发送信息\",\"/mQ/tD\":\"作为测试发送。这将把信息发送到您的电子邮件地址,而不是收件人的电子邮件地址。\",\"471O/e\":\"Send confirmation email\",\"M/WIer\":\"发送消息\",\"D7ZemV\":\"发送订单确认和票务电子邮件\",\"v1rRtW\":\"发送测试\",\"j1VfcT\":\"搜索引擎优化说明\",\"/SIY6o\":\"搜索引擎优化关键词\",\"GfWoKv\":\"搜索引擎优化设置\",\"rXngLf\":\"搜索引擎优化标题\",\"/jZOZa\":\"服务费\",\"vu4F0h\":\"Set a minimum price and let users donate more\",\"Bj/QGQ\":\"设定最低价格,用户可选择支付更高的价格\",\"nYNT+5\":\"准备活动\",\"A8iqfq\":\"实时设置您的活动\",\"Tz0i8g\":\"设置\",\"Z8lGw6\":\"分享\",\"FFbYHm\":[\"Should this \",[\"type\"],\" be applied to all new tickets?\"],\"8vETh9\":\"显示\",\"smd87r\":\"显示可用门票数量\",\"qDsmzu\":\"显示隐藏问题\",\"fMPkxb\":\"显示更多\",\"izwOOD\":\"单独显示税费\",\"j3b+OW\":\"在客户结账后,在订单摘要页面上显示给客户\",\"YfHZv0\":\"在顾客结账前向他们展示\",\"CBBcly\":\"显示常用地址字段,包括国家\",\"yTnnYg\":\"辛普森\",\"TNaCfq\":\"单行文本框\",\"+P0Cn2\":\"跳过此步骤\",\"YSEnLE\":\"史密斯\",\"lgFfeO\":\"售罄\",\"Mi1rVn\":\"售罄\",\"nwtY4N\":\"出了问题\",\"GRChTw\":\"删除税费时出了问题\",\"YHFrbe\":\"出错了!请重试\",\"kf83Ld\":\"出问题了\",\"fWsBTs\":\"出错了。请重试。\",\"F6YahU\":\"对不起,出了点问题。请重新开始结账。\",\"KWgppI\":\"抱歉,在加载此页面时出了点问题。\",\"/TCOIK\":\"抱歉,此订单不再存在。\",\"DvCwYF\":\"Sorry, this promo code is invalid'\",\"6a/UJE\":\"对不起,此优惠代码不可用\",\"9rRZZ+\":\"抱歉,您的订单已过期。请重新订购。\",\"a4SyEE\":\"应用筛选器和排序时禁用排序\",\"65A04M\":\"西班牙语\",\"4nG1lG\":\"固定价格标准票\",\"D3iCkb\":\"开始日期\",\"RS0o7b\":\"State\",\"/2by1f\":\"州或地区\",\"uAQUqI\":\"现状\",\"UJmAAK\":\"主题\",\"X2rrlw\":\"小计\",\"b0HJ45\":[\"成功!\",[\"0\"],\" 将很快收到一封电子邮件。\"],\"BJIEiF\":[\"成功 \",[\"0\"],\" 参会者\"],\"Ih8kN0\":[\"Successfully $\",[\"0\"],\" attendee\"],\"xHl17l\":[\"成功检查 <0>\",[\"0\"],\" \",[\"1\"],\" \",[\"2\"]],\"OtgNFx\":\"成功确认电子邮件地址\",\"IKwyaF\":\"成功确认电子邮件更改\",\"zLmvhE\":\"成功创建与会者\",\"9mZEgt\":\"成功创建促销代码\",\"aIA9C4\":\"成功创建问题\",\"onFQYs\":\"成功创建票单\",\"Hgj/mB\":\"Successfully deleted ticket\",\"J3RJSZ\":\"成功更新与会者\",\"3suLF0\":\"容量分配更新成功\",\"Z+rnth\":\"签到列表更新成功\",\"vzJenu\":\"成功更新电子邮件设置\",\"7kOMfV\":\"成功更新活动\",\"G0KW+e\":\"成功更新主页设计\",\"k9m6/E\":\"成功更新主页设置\",\"y/NR6s\":\"成功更新位置\",\"73nxDO\":\"成功更新杂项设置\",\"70dYC8\":\"成功更新促销代码\",\"F+pJnL\":\"成功更新搜索引擎设置\",\"g2lRrH\":\"成功更新票单\",\"DXZRk5\":\"100 号套房\",\"GNcfRk\":\"支持电子邮件\",\"JpohL9\":\"税收\",\"geUFpZ\":\"税费\",\"0RXCDo\":\"成功删除税费\",\"ZowkxF\":\"税收\",\"EEZnW+\":\"Taxes & Fees\",\"qu6/03\":\"税费\",\"gVjSFp\":\"Taxes and Fees can be associated with tickets and will be added to the ticket price.\",\"e0ZSh4\":\"Text Colour\",\"gypigA\":\"促销代码无效\",\"0ozSQu\":\"The background color for the event homepage\",\"LbHWgW\":\"The background color for the ticket widget on the event homepage\",\"75Xclv\":\"The basic details of your event\",\"5ShqeM\":\"您查找的签到列表不存在。\",\"UNqHnV\":\"The color of the buttons on the event homepage\",\"0amhbL\":\"The color of the links on the event homepage\",\"QXlz+n\":\"事件的默认货币。\",\"mnafgQ\":\"事件的默认时区。\",\"o7s5FA\":\"与会者接收电子邮件的语言。\",\"NlfnUd\":\"您点击的链接无效。\",\"FqjKfd\":\"The location of your event\",\"kIXEVN\":[[\"0\"],\"的最大票数是\",[\"1\"]],\"FeAfXO\":[\"将军票的最大票数为\",[\"0\"],\"。\"],\"POEqXB\":\"The organizer details of your event\",\"TSAiPM\":\"您要查找的页面不存在\",\"MSmKHn\":\"显示给客户的价格将包括税费。\",\"6zQOg1\":\"显示给客户的价格不包括税费。税费将单独显示\",\"ne/9Ur\":\"您选择的样式设置只适用于复制的 HTML,不会被保存。\",\"TJZByZ\":\"The tax and fee to apply to this ticket. You can create new taxes and fees on the\",\"OJYwh9\":\"适用于该票据的税费。您可以在\",\"6BpBfZ\":\"The text color for the event homepage\",\"rljHp7\":\"The text color for the ticket widget on the event homepage\",\"s4di40\":\"The text to display in the 'Continue' button. Defaults to 'Continue'\",\"esY5SG\":\"活动标题,将显示在搜索引擎结果中,并在社交媒体上分享时显示。默认情况下,将使用事件标题\",\"wgAiDb\":\"The user must login to change their email.\",\"jvxN9/\":\"本次活动没有门票\",\"rMcHYt\":\"退款正在处理中。请等待退款完成后再申请退款。\",\"hjLUr+\":\"There was an error loading this content. Please refresh the page and try again.\",\"68Axnm\":\"处理您的请求时出现错误。请重试。\",\"mVKOW6\":\"发送信息时出现错误\",\"Um/adz\":\"These allow multiple selections\",\"vWeHWp\":\"These colors are not saved in our system.\",\"7qzHGS\":\"These colors are not saved in our system. They are only used to generate the widget.\",\"xxv3BZ\":\"此签到列表已过期\",\"Sa7w7S\":\"此签到列表已过期,不再可用于签到。\",\"Uicx2U\":\"此签到列表已激活\",\"1k0Mp4\":\"此签到列表尚未激活\",\"K6fmBI\":\"此签到列表尚未激活,不能用于签到。\",\"t/ePFj\":\"此描述将显示给签到工作人员\",\"MLTkH7\":\"此电子邮件并非促销邮件,与活动直接相关。\",\"2eIpBM\":\"此活动暂时不可用。请稍后再查看。\",\"Z6LdQU\":\"此活动不可用。\",\"CNk/ro\":\"这是一项在线活动\",\"GabtCa\":\"This is the email address that will be used as the reply-to address for all emails sent from this event\",\"FwXnJd\":\"此日期后此列表将不再可用于签到\",\"CKkb5E\":\"This message is how below the\",\"cHO4ec\":\"此信息将包含在本次活动发送的所有电子邮件的页脚中\",\"RjwlZt\":\"此订单已付款。\",\"axERYu\":\"This order has already been paid. <0>View order details\",\"wY+HO9\":\"This order has already been processed.\",\"5K8REg\":\"此订单已退款。\",\"OiQMhP\":\"此订单已取消\",\"YyEJij\":\"此订单已取消。\",\"D44cEI\":\"This order has been completed.\",\"HILpDX\":\"此订单正在等待付款\",\"0vRWbB\":\"This order is awaiting payment.\",\"BdYtn9\":\"此订单已完成\",\"e3uMJH\":\"此订单已完成。\",\"YNKXOK\":\"此订单正在处理中。\",\"LIjb4v\":\"This order is processing. TODO - a nice image and poll the API\",\"yPZN4i\":\"此订购页面已不可用。\",\"5189cf\":\"这会覆盖所有可见性设置,并对所有客户隐藏票单。\",\"4vwjho\":\"This page has expired. <0>View order details\",\"Qt7RBu\":\"此问题只有活动组织者可见\",\"os29v1\":\"此重置密码链接无效或已过期。\",\"WJqBqd\":\"不能删除此票单,因为它\\n与订单相关联。您可以将其隐藏。\",\"ma6qdu\":\"此票不对外开放\",\"xJ8nzj\":\"除非使用促销代码,否则此票为隐藏票\",\"IV9xTT\":\"该用户未激活,因为他们没有接受邀请。\",\"5AnPaO\":\"入场券\",\"kjAL4v\":\"门票\",\"KosivG\":\"成功删除票单\",\"dtGC3q\":\"门票电子邮件已重新发送给与会者\",\"USk+Mn\":\"Ticket page message\",\"mRM6XH\":\"门票销售\",\"NirIiz\":\"门票等级\",\"8jLPgH\":\"机票类型\",\"jqWDf9\":\"Ticket widget background color\",\"UrMVAz\":\"票务小工具预览\",\"ngtDy7\":\"Ticket widget text color\",\"N+YYpo\":\"机票\",\"6GQNLE\":\"门票\",\"54q0zp\":\"门票\",\"ikA//P\":\"已售票\",\"i+idBz\":\"已售出的门票\",\"AGRilS\":\"已售出的门票\",\"56Qw2C\":\"成功分类的门票\",\"4f8A8M\":\"Tickets to which the promo code applies (Applies to all by default)\",\"xN9AhL\":[[\"0\"],\"级\"],\"oYaHuq\":\"分层票\",\"XZrhpz\":\"Tiered Ticket - Coming Soon\",\"4M150e\":\"分层门票允许您为同一张门票提供多种价格选择。\\n这非常适合早鸟票,或为不同人群提供不同价\\n选择。\",\"jQoYTX\":\"Tiered tickets allow you to offer multiple price options for the same ticket. This is perfect for early bird tickets or offering different price options for different groups of people.\",\"s/0RpH\":\"使用次数\",\"40Gx0U\":\"时区\",\"oDGm7V\":\"TIP\",\"MHrjPM\":\"标题\",\"xdA/+p\":\"工具\",\"72c5Qo\":\"总计\",\"BxsfMK\":\"总费用\",\"mpB/d9\":\"订单总额\",\"m3FM1g\":\"退款总额\",\"GBBIy+\":\"剩余总数\",\"/SgoNA\":\"总税额\",\"+zy2Nq\":\"类型\",\"mLGbAS\":[\"无法\",[\"0\"],\"与会者\"],\"FMdMfZ\":\"无法签到参与者\",\"bPWBLL\":\"无法签退参与者\",\"/cSMqv\":\"无法创建问题。请检查您的详细信息\",\"nNdxt9\":\"无法创建票单。请检查您的详细信息\",\"MH/lj8\":\"无法更新问题。请检查您的详细信息\",\"Mqy/Zy\":\"美国\",\"NIuIk1\":\"无限制\",\"oMcLhS\":\"Unlimited ticket quantity available\",\"E0q9qH\":\"允许无限次使用\",\"ia8YsC\":\"即将推出\",\"TlEeFv\":\"即将举行的活动\",\"L/gNNk\":[\"更新 \",[\"0\"]],\"+qqX74\":\"更新活动名称、说明和日期\",\"vXPSuB\":\"更新个人资料\",\"gsehpV\":\"Upload an image to be displayed on the event page\",\"BNBfrU\":\"上传封面\",\"UtDm3q\":\"复制到剪贴板的 URL\",\"e5lF64\":\"使用示例\",\"sGEOe4\":\"使用封面图片的模糊版本作为背景\",\"OadMRm\":\"使用封面图片\",\"7PzzBU\":\"用户\",\"yDOdwQ\":\"用户管理\",\"Sxm8rQ\":\"用户\",\"VEsDvU\":\"用户可在 <0>\\\"配置文件设置\\\" 中更改自己的电子邮件\",\"vgwVkd\":\"世界协调时\",\"khBZkl\":\"增值税\",\"E/9LUk\":\"地点名称\",\"AM+zF3\":\"查看与会者\",\"e4mhwd\":\"查看活动主页\",\"/5PEQz\":\"查看活动页面\",\"fFornT\":\"查看完整信息\",\"YIsEhQ\":\"查看地图\",\"Ep3VfY\":\"在谷歌地图上查看\",\"AMkkeL\":\"查看订单\",\"Y8s4f6\":\"查看订单详情\",\"QIWCnW\":\"VIP签到列表\",\"tF+VVr\":\"贵宾票\",\"2q/Q7x\":\"可见性\",\"vmOFL/\":\"我们无法处理您的付款。请重试或联系技术支持。\",\"1E0vyy\":\"我们无法加载数据。请重试。\",\"VGioT0\":\"我们建议尺寸为 2160px x 1080px,文件大小不超过 5MB\",\"b9UB/w\":\"我们使用 Stripe 处理付款。连接您的 Stripe 账户即可开始接收付款。\",\"01WH0a\":\"我们无法确认您的付款。请重试或联系技术支持。\",\"Gspam9\":\"我们正在处理您的订单。请稍候...\",\"LuY52w\":\"欢迎加入!请登录以继续。\",\"dVxpp5\":[\"欢迎回来\",[\"0\"],\" 👋\"],\"NxOVCl\":[\"欢迎来到 Hi.Events, \",[\"0\"],\" 👋\"],\"wjqPqF\":\"什么是分层门票?\",\"f1jUC0\":\"此签到列表应在何时激活?\",\"5iXvHA\":\"What is a Tiered Ticketing?\",\"MhhnvW\":\"此代码适用于哪些机票?(默认适用于所有)\",\"dCil3h\":\"该问题应适用于哪些机票?\",\"Rb0XUE\":\"您什么时候抵达?\",\"5N4wLD\":\"这是什么类型的问题?\",\"D7C6XV\":\"此签到列表应在何时过期?\",\"FVetkT\":\"哪些票应与此签到列表关联?\",\"S+OdxP\":\"这项活动由谁组织?\",\"LINr2M\":\"这条信息是发给谁的?\",\"nWhye/\":\"这个问题应该问谁?\",\"vVGiM4\":\"Who type of question is this?\",\"onLsWS\":\"Whoops! something went wrong. Please try again or contact support if the problem persists.\",\"AHXN2z\":\"Widget\",\"AU/8QR\":\"Widget Configuration\",\"VxFvXQ\":\"嵌入小部件\",\"v1P7Gm\":\"小部件设置\",\"b4itZn\":\"工作\",\"hqmXmc\":\"工作...\",\"l75CjT\":\"是\",\"QcwyCh\":\"是的,移除它们\",\"ySeBKv\":\"您已经扫描过此票\",\"P+Sty0\":[\"您正在将电子邮件更改为 <0>\",[\"0\"],\"。\"],\"gGhBmF\":\"您处于离线状态\",\"4ysd6z\":\"You can connecting using this Zoom link...\",\"9HGdDw\":\"您可以在\",\"KRhIxT\":\"现在您可以开始通过 Stripe 接收付款。\",\"UqVaVO\":\"您不能更改票务类型,因为该票务已关联了与会者。\",\"zQ8idk\":\"You cannot change the ticket type because there are already tickets sold for this ticket.\",\"3vRX5A\":\"您不能删除此价格等级,因为此等级已售出门票。您可以将其隐藏。\",\"RCC09s\":\"You cannot edit a default question\",\"tFbRKJ\":\"不能编辑账户所有者的角色或状态。\",\"fHfiEo\":\"您不能退还手动创建的订单。\",\"hK9c7R\":\"您创建了一个隐藏问题,但禁用了显示隐藏问题的选项。该选项已启用。\",\"NOaWRX\":\"您没有访问该页面的权限\",\"BRArmD\":\"您可以访问多个账户。请选择一个继续。\",\"Z6q0Vl\":\"您已接受此邀请。请登录以继续。\",\"rdk1xK\":\"您已连接 Stripe 账户\",\"ofEncr\":\"没有与会者提问。\",\"XoeazJ\":\"You have no attendee questions. Attendee questions are asked once per attendee.\",\"CoZHDB\":\"您没有订单问题。\",\"FZKDIe\":\"You have no order questions. Order questions are asked once per order.\",\"15qAvl\":\"您没有待处理的电子邮件更改。\",\"n81Qk8\":\"您尚未完成 Stripe Connect 设置\",\"jxsiqJ\":\"您尚未连接 Stripe 账户\",\"183zcL\":\"您在免费机票上添加了税费。您想删除或隐藏它们吗?\",\"2v5MI1\":\"您尚未发送任何信息。您可以向所有与会者或特定持票人发送信息。\",\"R6i9o9\":\"您必须确认此电子邮件并非促销邮件\",\"3ZI8IL\":\"您必须同意条款和条件\",\"dMd3Uf\":\"您必须在活动上线前确认您的电子邮件地址。\",\"H35u3n\":\"必须先创建机票,然后才能手动添加与会者。\",\"jE4Z8R\":\"您必须至少有一个价格等级\",\"LRguuL\":\"You must have at least one tier\",\"8/eLoa\":\"发送信息前,您需要验证您的账户。\",\"L/+xOk\":\"在创建签到列表之前,您需要先获得票。\",\"8QNzin\":\"在创建容量分配之前,您需要一张票。\",\"WHXRMI\":\"您至少需要一张票才能开始。免费、付费或让用户决定支付方式。\",\"bdg03s\":\"Your account email in outgoing emails.\",\"ROR8QD\":\"您的账户名称会在活动页面和电子邮件中使用。\",\"veessc\":\"与会者注册参加活动后,就会出现在这里。您也可以手动添加与会者。\",\"Eh5Wrd\":\"您的网站真棒 🎉\",\"lkMK2r\":\"您的详细信息\",\"3ENYTQ\":[\"您要求将电子邮件更改为<0>\",[\"0\"],\"的申请正在处理中。请检查您的电子邮件以确认\"],\"yZfBoy\":\"您的信息已发送\",\"la26JS\":\"Your order is in progress\",\"7YJdgG\":\"您的订单一旦开始滚动,就会出现在这里。\",\"9TO8nT\":\"您的密码\",\"P8hBau\":\"您的付款正在处理中。\",\"UdY1lL\":\"您的付款未成功,请重试。\",\"fzuM26\":\"您的付款未成功。请重试。\",\"cJ4Y4R\":\"您的退款正在处理中。\",\"IFHV2p\":\"您的入场券\",\"3k7HDY\":\"Zip\",\"BM/KQm\":\"邮政编码\",\"VftCuk\":\"Zoom link, Google Meet link, etc.\"}")}; \ No newline at end of file +/*eslint-disable*/module.exports={messages:JSON.parse("{\"1bpx9A\":\"...\",\"f8qS7T\":\"There's nothing to show yet\",\"4zldrf\":[[\"0\",\"plural\",{\"one\":[\"#\",\" hidden question\"],\"other\":[\"#\",\" hidden questions\"]}]],\"J/hVSQ\":[[\"0\"]],\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"Jv22kr\":[[\"0\"],\" <0>签到成功\"],\"yxhYRZ\":[[\"0\"],\" <0>签退成功\"],\"KMgp2+\":[[\"0\"],\"可用\"],\"tmew5X\":[[\"0\"],\"签到\"],\"Pmr5xp\":[\"成功创建 \",[\"0\"]],\"FImCSc\":[[\"0\"],\"更新成功\"],\"KOr9b4\":[[\"0\"],\"的活动\"],\"qSiUsc\":[[\"0\"],[\"1\"]],\"cU8MWb\":[[\"0\"],\"/\",[\"1\"],\" 已签到\"],\"Vjij1k\":[[\"days\"],\" 天, \",[\"hours\"],\" 小时, \",[\"minutes\"],\" 分钟, 和 \",[\"seconds\"],\" 秒\"],\"f3RdEk\":[[\"hours\"],\" 小时, \",[\"minutes\"],\" 分钟, 和 \",[\"seconds\"],\" 秒\"],\"wapGcj\":[[\"message\"]],\"fyE7Au\":[[\"分\"],\"分钟和\",[\"秒\"],\"秒钟\"],\"NlQ0cx\":[[\"组织者名称\"],\"的首次活动\"],\"Ul6IgC\":\"<0>容量分配让你可以管理票务或整个活动的容量。非常适合多日活动、研讨会等,需要控制出席人数的场合。<1>例如,你可以将容量分配与<2>第一天和<3>所有天数的票关联起来。一旦达到容量,这两种票将自动停止销售。\",\"Exjbj7\":\"<0>签到列表帮助管理活动的参与者入场。您可以将多个票与一个签到列表关联,并确保只有持有效票的人员才能入场。\",\"OXku3b\":\"<0>https://your-website.com\",\"qnSLLW\":\"<0>请输入不含税费的价格。<1>税费可以在下方添加。\",\"0940VN\":\"<0>此票的可用票数<1>如果此票有<2>容量限制,此值可以被覆盖。\",\"E15xs8\":\"⚡️ 设置您的活动\",\"FL6OwU\":\"✉️ 确认您的电子邮件地址\",\"y1NShf\":\"🎉 Congratulation on creating an event!\",\"BN0OQd\":\"恭喜您创建了一个活动!\",\"fAv9QG\":\"🎟️ 添加门票\",\"4WT5tD\":\"🎨 自定义活动页面\",\"3VPPdS\":\"与 Stripe 连接\",\"s4Tgn6\":\"📢 Promote your event\",\"cjdktw\":\"🚀 实时设置您的活动\",\"rmelwV\":\"0 分 0 秒\",\"UQ7pBY\":\"0.50 for $0.50\",\"i1+xzD\":\"1.75 for 1.75%\",\"i0puaE\":\"10.00\",\"W9+fkZ\":\"10001\",\"qdfdgM\":\"缅因街 123 号\",\"IoRZzD\":\"20\",\"+H1RMb\":\"2024-01-01 10:00\",\"Q/T49U\":\"2024-01-01 18:00\",\"hMT8+2\":\"94103\",\"efAM7X\":\"日期输入字段。非常适合询问出生日期等。\",\"d9El7Q\":[\"默认 \",[\"type\"],\" 会自动应用于所有新票单。您可以根据每张票单的具体情况覆盖该默认值。\"],\"SMUbbQ\":\"下拉式输入法只允许一个选择\",\"qv4bfj\":\"费用,如预订费或服务费\",\"Pgaiuj\":\"每张票的固定金额。例如,每张票 0.50 美元\",\"f4vJgj\":\"多行文本输入\",\"ySO/4f\":\"票价的百分比。例如,票价的 3.5%\",\"WXeXGB\":\"使用无折扣的促销代码可显示隐藏的门票。\",\"GMhWB5\":\"A Radio option allows has multiple options but only one can be selected.\",\"CBt3s7\":\"A Radio Option allows only one selection\",\"AG/qmQ\":\"单选题有多个选项,但只能选择一个。\",\"7g61G9\":\"A short description of Awesome Events Ltd.\",\"h179TP\":\"活动的简短描述,将显示在搜索引擎结果中,并在社交媒体上分享时显示。默认情况下,将使用活动描述\",\"WKMnh4\":\"单行文本输入\",\"zCk10D\":\"每位与会者只需回答一个问题。例如:您喜欢吃什么?\",\"ap3v36\":\"每份订单只有一个问题。例如:贵公司的名称是什么?\",\"RlJmQg\":\"标准税,如增值税或消费税\",\"pDwHGk\":\"About hi.events\",\"uIKNjo\":\"关于活动\",\"bfXQ+N\":\"接受邀请\",\"iwyhk4\":\"Access to the VIP area...\",\"AeXO77\":\"账户\",\"0b79Xf\":\"Account Email\",\"lkNdiH\":\"账户名称\",\"Puv7+X\":\"账户设置\",\"OmylXO\":\"账户更新成功\",\"7L01XJ\":\"行动\",\"FQBaXG\":\"激活\",\"5T2HxQ\":\"激活日期\",\"F6pfE9\":\"活跃\",\"m16xKo\":\"添加\",\"LKNynS\":\"Add a cover image, description, and more to make your event stand out.\",\"/PN1DA\":\"为此签到列表添加描述\",\"PGPGsL\":\"添加描述\",\"gMK0ps\":\"添加活动详情并管理活动设置。\",\"Fb+SDI\":\"添加更多门票\",\"ApsD9J\":\"添加新内容\",\"TZxnm8\":\"添加选项\",\"Cw27zP\":\"添加问题\",\"yWiPh+\":\"加税或费用\",\"BGD9Yt\":\"添加机票\",\"goOKRY\":\"增加层级\",\"p59pEv\":\"Additional Details\",\"Y8DIQy\":\"附加选项\",\"Du6bPw\":\"地址\",\"NY/x1b\":\"地址第 1 行\",\"POdIrN\":\"地址 1\",\"cormHa\":\"地址第 2 行\",\"gwk5gg\":\"地址第 2 行\",\"U3pytU\":\"管理员\",\"HLDaLi\":\"管理员用户可以完全访问事件和账户设置。\",\"CPXP5Z\":\"附属机构\",\"W7AfhC\":\"本次活动的所有与会者\",\"QsYjci\":\"所有活动\",\"/twVAS\":\"所有门票\",\"ipYKgM\":\"允许搜索引擎索引\",\"LRbt6D\":\"允许搜索引擎索引此事件\",\"+MHcJD\":\"快到了!我们正在等待处理您的付款。只需几秒钟。\",\"8wYDMp\":\"Already have an account?\",\"ApOYO8\":\"令人惊叹, 活动, 关键词...\",\"hehnjM\":\"金额\",\"TRYjHa\":[\"amount in \",[\"0\"]],\"R2O9Rg\":[\"支付金额 (\",[\"0\"],\")\"],\"tLjOgo\":[\"Amount paid $\",[\"0\"]],\"V7MwOy\":\"加载页面时出现错误\",\"Q7UCEH\":\"问题排序时发生错误。请重试或刷新页面\",\"er3d/4\":\"在整理门票时发生错误。请重试或刷新页面\",\"hhvESd\":\"An event is the actual event you are hosting\",\"jD/OCQ\":\"事件是您要举办的实际活动。您可以稍后添加更多细节。\",\"oBkF+i\":\"主办方是指举办活动的公司或个人\",\"W5A0Ly\":\"出现意外错误。\",\"byKna+\":\"出现意外错误。请重试。\",\"j4DliD\":\"持票人的任何询问都将发送到此电子邮件地址。该地址也将作为本次活动发送的所有电子邮件的 \\\"回复地址\\\"。\",\"aAIQg2\":\"外观\",\"Ym1gnK\":\"应用\",\"epTbAK\":[\"适用于\",[\"0\"],\"张票\"],\"6MkQ2P\":\"适用于1张票\",\"DB8zMK\":\"Apply\",\"GctSSm\":\"应用促销代码\",\"jcnZEw\":[\"将此 \",[\"类型\"],\"应用于所有新票\"],\"S0ctOE\":\"归档活动\",\"TdfEV7\":\"已归档\",\"A6AtLP\":\"已归档的活动\",\"q7TRd7\":\"您确定要激活该与会者吗?\",\"TvkW9+\":\"您确定要归档此活动吗?\",\"/CV2x+\":\"您确定要取消该与会者吗?这将使其门票作废\",\"YgRSEE\":\"您确定要删除此促销代码吗?\",\"iU234U\":\"您确定要删除这个问题吗?\",\"CMyVEK\":\"您确定要将此活动设为草稿吗?这将使公众无法看到该活动\",\"mEHQ8I\":\"您确定要将此事件公开吗?这将使事件对公众可见\",\"s4JozW\":\"您确定要恢复此活动吗?它将作为草稿恢复。\",\"vJuISq\":\"您确定要删除此容量分配吗?\",\"baHeCz\":\"您确定要删除此签到列表吗?\",\"2xEpch\":\"每位与会者提问一次\",\"LBLOqH\":\"每份订单询问一次\",\"ss9PbX\":\"与会者\",\"m0CFV2\":\"与会者详情\",\"lXcSD2\":\"与会者提问\",\"VvYqMB\":\"Attendee questions are asked once per attendee. By default, people are asked for their first name, last name, and email address.\",\"spxPEv\":\"Attendee questions are asked once per attendee. By default, we ask for the attendee's first name, last name, and email address.\",\"9SZT4E\":\"与会者\",\"5UbY+B\":\"持有特定门票的与会者\",\"IMJ6rh\":\"自动调整大小\",\"vZ5qKF\":\"根据内容自动调整 widget 高度。禁用时,窗口小部件将填充容器的高度。\",\"lXkUEV\":\"Availability\",\"ioG+xt\":\"等待付款\",\"3PmQfI\":\"精彩活动\",\"kNmmvE\":\"Awesome Events Ltd.\",\"Yrbm6T\":\"Awesome Organizer Ltd.\",\"9002sI\":\"返回所有活动\",\"0TGkYM\":\"Back to event homepage\",\"A302fe\":\"返回活动页面\",\"VCoEm+\":\"返回登录\",\"MLZyiY\":\"Background color\",\"k1bLf+\":\"背景颜色\",\"I7xjqg\":\"背景类型\",\"EOUool\":\"基本详情\",\"7EGQKA\":\"Because you are the account owner, you cannot change your role or status.\",\"1mwMl+\":\"发送之前\",\"wVfiR2\":\"Before you're event can go live, there's a few thing to do.\",\"/yeZ20\":\"在活动上线之前,您需要做几件事。\",\"1xAcxY\":\"几分钟内开始售票\",\"R+w/Va\":\"Billing\",\"rp/zaT\":\"巴西葡萄牙语\",\"Ptp9MF\":\"Button color\",\"whqocw\":\"注册即表示您同意我们的<0>服务条款和<1>隐私政策。\",\"bcCn6r\":\"计算类型\",\"+8bmSu\":\"加利福尼亚州\",\"iStTQt\":\"相机权限被拒绝。<0>再次请求权限,如果还不行,则需要在浏览器设置中<1>授予此页面访问相机的权限。\",\"Jzn1qy\":\"Can't load events\",\"dEgA5A\":\"取消\",\"Gjt/py\":\"取消更改电子邮件\",\"tVJk4q\":\"取消订单\",\"Os6n2a\":\"取消订单\",\"Mz7Ygx\":[\"取消订单 \",[\"0\"]],\"Ud7zwq\":\"取消将取消与此订单相关的所有机票,并将机票放回可用票池。\",\"vv7kpg\":\"已取消\",\"QyjCeq\":\"容量\",\"V6Q5RZ\":\"容量分配创建成功\",\"k5p8dz\":\"容量分配删除成功\",\"nDBs04\":\"容量管理\",\"77/YgG\":\"更改封面\",\"GptGxg\":\"更改密码\",\"QndF4b\":\"报到\",\"xMDm+I\":\"报到\",\"9FVFym\":\"查看\",\"/Ta1d4\":\"签退\",\"gXcPxc\":\"办理登机手续\",\"Y3FYXy\":\"办理登机手续\",\"fVUbUy\":\"签到列表创建成功\",\"+CeSxK\":\"签到列表删除成功\",\"+hBhWk\":\"签到列表已过期\",\"mBsBHq\":\"签到列表未激活\",\"vPqpQG\":\"未找到签到列表\",\"tejfAy\":\"签到列表\",\"hD1ocH\":\"签到链接已复制到剪贴板\",\"CNafaC\":\"复选框选项允许多重选择\",\"SpabVf\":\"复选框\",\"CRu4lK\":\"登记入住\",\"rfeicl\":\"签到成功\",\"/ydvvl\":\"Checkout Messaging\",\"1WnhCL\":\"结账设置\",\"h1IXFK\":\"中文\",\"6imsQS\":\"简体中文\",\"JjkX4+\":\"选择背景颜色\",\"/Jizh9\":\"选择账户\",\"jJGoVv\":\"Choose what notifications you want to receive\",\"3wV73y\":\"城市\",\"FG98gC\":\"清除搜索文本\",\"EYeuMv\":\"点击此处\",\"sby+1/\":\"点击复制\",\"yz7wBu\":\"关闭\",\"62Ciis\":\"关闭侧边栏\",\"EWPtMO\":\"代码\",\"ercTDX\":\"代码长度必须在 3 至 50 个字符之间\",\"jZlrte\":\"颜色\",\"Vd+LC3\":\"颜色必须是有效的十六进制颜色代码。例如#ffffff\",\"1HfW/F\":\"颜色\",\"VZeG/A\":\"即将推出\",\"yPI7n9\":\"以逗号分隔的描述活动的关键字。搜索引擎将使用这些关键字来帮助对活动进行分类和索引\",\"NPZqBL\":\"完整订单\",\"guBeyC\":\"完成付款\",\"C8HNV2\":\"完成付款\",\"qqWcBV\":\"已完成\",\"DwF9eH\":\"组件代码\",\"7VpPHA\":\"确认\",\"ZaEJZM\":\"确认电子邮件更改\",\"yjkELF\":\"确认新密码\",\"xnWESi\":\"确认密码\",\"p2/GCq\":\"确认密码\",\"wnDgGj\":\"确认电子邮件地址...\",\"DnLC08\":\"Congratulation on creating an event!\",\"pbAk7a\":\"连接条纹\",\"UMGQOh\":\"与 Stripe 连接\",\"QKLP1W\":\"连接 Stripe 账户,开始接收付款。\",\"5lcVkL\":\"连接详情\",\"i3p844\":\"Contact email\",\"yAej59\":\"内容背景颜色\",\"xGVfLh\":\"继续\",\"X++RMT\":\"继续按钮文本\",\"AfNRFG\":\"继续按钮文本\",\"lIbwvN\":\"继续活动设置\",\"HB22j9\":\"继续设置\",\"bZEa4H\":\"继续 Stripe 连接设置\",\"RGVUUI\":\"继续付款\",\"6V3Ea3\":\"复制的\",\"T5rdis\":\"复制到剪贴板\",\"he3ygx\":\"复制\",\"r2B2P8\":\"复制签到链接\",\"8+cOrS\":\"将详细信息抄送给所有与会者\",\"ENCIQz\":\"复制链接\",\"E6nRW7\":\"复制 URL\",\"JNCzPW\":\"国家\",\"IF7RiR\":\"封面\",\"P0rbCt\":\"Cover Image\",\"hYgDIe\":\"Create\",\"b9XOHo\":[\"创建 \",[\"0\"]],\"6kdXbW\":\"创建促销代码\",\"n5pRtF\":\"创建票单\",\"X6sRve\":[\"创建账户或 <0>\",[\"0\"],\" 开始使用\"],\"nx+rqg\":\"创建一个组织者\",\"ipP6Ue\":\"创建与会者\",\"VwdqVy\":\"创建容量分配\",\"WVbTwK\":\"创建签到列表\",\"uN355O\":\"创建活动\",\"BOqY23\":\"创建新的\",\"kpJAeS\":\"创建组织器\",\"a0EjD+\":\"Create Product\",\"sYpiZP\":\"创建促销代码\",\"a6YrKg\":\"Create promo codes\",\"n6H6AO\":\"Create promo codes to offer discounts to your attendees.\",\"B3Mkdt\":\"创建问题\",\"UKfi21\":\"创建税费\",\"Tg323g\":\"创建机票\",\"agZ87r\":\"为您的活动创建门票、设定价格并管理可用数量。\",\"d+F6q9\":\"创建\",\"Q2lUR2\":\"货币\",\"DCKkhU\":\"当前密码\",\"uIElGP\":\"自定义地图 URL\",\"876pfE\":\"客户\",\"QOg2Sf\":\"自定义此事件的电子邮件和通知设置\",\"Lu75d1\":\"Customize the email settings for this event\",\"RaxMyF\":\"Customize the event homepage and checkout experience\",\"Y9Z/vP\":\"定制活动主页和结账信息\",\"2E2O5H\":\"自定义此事件的其他设置\",\"iJhSxe\":\"自定义此事件的搜索引擎优化设置\",\"KIhhpi\":\"定制您的活动页面\",\"nrGWUv\":\"定制您的活动页面,以符合您的品牌和风格。\",\"Zz6Cxn\":\"危险区\",\"ZQKLI1\":\"危险区\",\"7p5kLi\":\"仪表板\",\"mYGY3B\":\"日期\",\"JvUngl\":\"日期和时间\",\"JJhRbH\":\"第一天容量\",\"PqrqgF\":\"第一天签到列表\",\"RiXc4g\":\"Deactivate user\",\"cnGeoo\":\"删除\",\"jRJZxD\":\"删除容量\",\"Qrc8RZ\":\"删除签到列表\",\"WHf154\":\"删除代码\",\"heJllm\":\"删除封面\",\"KWa0gi\":\"删除图像\",\"IatsLx\":\"删除问题\",\"GnyEfA\":\"删除机票\",\"E33LRn\":\"Delete user\",\"Nu4oKW\":\"说明\",\"YC3oXa\":\"签到工作人员的描述\",\"s9iD5d\":\"Description should be less than 50,000 characters\",\"URmyfc\":\"详细信息\",\"x8uDKb\":\"Disable code\",\"Tgg8XQ\":\"禁用此容量以追踪容量而不停止售票\",\"H6Ma8Z\":\"折扣\",\"ypJ62C\":\"折扣率\",\"3LtiBI\":[[\"0\"],\"中的折扣\"],\"C8JLas\":\"折扣类型\",\"1QfxQT\":\"解散\",\"cVq+ga\":\"没有帐户? <0>注册\",\"4+aC/x\":\"捐款/自费门票\",\"++S5i/\":\"Donation amount\",\"OO7MG7\":\"Donation Ticket\",\"0pEVi2\":\"Download Tickets PDF\",\"uABpqP\":\"拖放或点击\",\"3z2ium\":\"拖动排序\",\"6skwyH\":\"Drop an image, or click here to replace the Cover Image\",\"S37RRV\":\"Drop an image, or click here to upload the Cover Image\",\"CfKofC\":\"下拉选择\",\"JzLDvy\":\"复制容量分配\",\"ulMxl+\":\"复制签到列表\",\"vi8Q/5\":\"复制活动\",\"3ogkAk\":\"复制活动\",\"Yu6m6X\":\"复制事件封面图像\",\"+fA4C7\":\"复制选项\",\"57ALrd\":\"复制促销代码\",\"83Hu4O\":\"复制问题\",\"20144c\":\"复制设置\",\"Wt9eV8\":\"复制票\",\"7Cx5It\":\"早起的鸟儿\",\"ePK91l\":\"编辑\",\"N6j2JH\":[\"编辑 \",[\"0\"]],\"kNGp1D\":\"编辑与会者\",\"t2bbp8\":\"编辑参会者\",\"kBkYSa\":\"编辑容量\",\"oHE9JT\":\"编辑容量分配\",\"FU1gvP\":\"编辑签到列表\",\"iFgaVN\":\"编辑代码\",\"jrBSO1\":\"编辑组织器\",\"9BdS63\":\"编辑促销代码\",\"O0CE67\":\"编辑问题\",\"EzwCw7\":\"编辑问题\",\"d+nnyk\":\"编辑机票\",\"poTr35\":\"编辑用户\",\"GTOcxw\":\"编辑用户\",\"pqFrv2\":\"例如2.50 换 2.50\",\"3yiej1\":\"例如23.5 表示 23.5%\",\"O3oNi5\":\"电子邮件\",\"VxYKoK\":\"电子邮件和通知设置\",\"ATGYL1\":\"电子邮件地址\",\"hzKQCy\":\"电子邮件地址\",\"HqP6Qf\":\"电子邮件更改已成功取消\",\"mISwW1\":\"电子邮件更改待定\",\"WiKda6\":\"Email Configuration\",\"APuxIE\":\"重新发送电子邮件确认\",\"YaCgdO\":\"成功重新发送电子邮件确认\",\"jyt+cx\":\"电子邮件页脚信息\",\"I6F3cp\":\"电子邮件未经验证\",\"G5zNMX\":\"Email Settings\",\"NTZ/NX\":\"嵌入代码\",\"4rnJq4\":\"嵌入脚本\",\"nA31FG\":\"启用此容量以在达到限制时停止售票\",\"VFv2ZC\":\"结束日期\",\"237hSL\":\"完工\",\"nt4UkP\":\"已结束的活动\",\"lYGfRP\":\"英语\",\"MhVoma\":\"输入不含税费的金额。\",\"3Z223G\":\"确认电子邮件地址出错\",\"a6gga1\":\"确认更改电子邮件时出错\",\"5/63nR\":\"欧元\",\"0pC/y6\":\"活动\",\"nuoP/j\":\"Event created successfully\",\"CFLUfD\":\"成功创建事件 🎉\",\"0Zptey\":\"事件默认值\",\"6fuA9p\":\"事件成功复制\",\"Xe3XMd\":\"公众无法看到活动\",\"4pKXJS\":\"活动对公众可见\",\"ClwUUD\":\"活动地点和场地详情\",\"OopDbA\":\"活动页面\",\"JyD0LH\":\"Event Settings\",\"4/If97\":\"活动状态更新失败。请稍后再试\",\"btxLWj\":\"事件状态已更新\",\"tst44n\":\"活动\",\"sZg7s1\":\"过期日期\",\"KnN1Tu\":\"到期\",\"uaSvqt\":\"有效期\",\"GS+Mus\":\"出口\",\"9xAp/j\":\"取消与会者失败\",\"ZpieFv\":\"取消订单失败\",\"z6tdjE\":\"删除信息失败。请重试。\",\"9zSt4h\":\"导出与会者失败。请重试。\",\"2uGNuE\":\"导出订单失败。请重试。\",\"d+KKMz\":\"加载签到列表失败\",\"ZQ15eN\":\"重新发送票据电子邮件失败\",\"PLUB/s\":\"费用\",\"YirHq7\":\"反馈意见\",\"/mfICu\":\"费用\",\"V1EGGU\":\"姓名\",\"kODvZJ\":\"姓名\",\"S+tm06\":\"名字必须在 1 至 50 个字符之间\",\"1g0dC4\":\"名字、姓氏和电子邮件地址为默认问题,在结账过程中始终包含。\",\"QWa3Sk\":\"First Name, Last Name, and Email Address are default questions that are always included in the checkout process.\",\"TpqW74\":\"固定式\",\"irpUxR\":\"固定金额\",\"TF9opW\":\"该设备不支持闪存\",\"UNMVei\":\"忘记密码?\",\"2POOFK\":\"免费\",\"/4rQr+\":\"免费门票\",\"01my8x\":\"免费门票,无需支付信息\",\"nLC6tu\":\"法语\",\"ejVYRQ\":\"From\",\"DDcvSo\":\"德国\",\"u6FPxT\":\"Get Tickets\",\"4GLxhy\":\"入门\",\"4D3rRj\":\"返回个人资料\",\"cQPKZt\":\"Go to Dashboard\",\"9LCqFI\":\"前往活动主页\",\"RUz8o/\":\"总销售额\",\"IgcAGN\":\"销售总额\",\"yRg26W\":\"销售总额\",\"R4r4XO\":\"宾客\",\"26pGvx\":\"有促销代码吗?\",\"V7yhws\":\"hello@awesome-events.com\",\"GNJ1kd\":\"帮助与支持\",\"6K/IHl\":\"下面举例说明如何在应用程序中使用该组件。\",\"Y1SSqh\":\"下面是 React 组件,您可以用它在应用程序中嵌入 widget。\",\"Ow9Hz5\":[\"Hi.Events Conference \",[\"0\"]],\"verBst\":\"Hi.Events 会议中心\",\"6eMEQO\":\"hi.events 徽标\",\"C4qOW8\":\"隐藏于公众视线之外\",\"gt3Xw9\":\"隐藏问题\",\"g3rqFe\":\"隐藏问题\",\"k3dfFD\":\"隐藏问题只有活动组织者可以看到,客户看不到。\",\"EeNE0j\":\"Hidden will not be shown to customers.\",\"vLyv1R\":\"隐藏\",\"Mkkvfd\":\"隐藏入门页面\",\"mFn5Xz\":\"隐藏隐藏问题\",\"SCimta\":\"隐藏侧边栏中的入门页面\",\"Da29Y6\":\"隐藏此问题\",\"fsi6fC\":\"向客户隐藏此票据\",\"fvDQhr\":\"向用户隐藏此层级\",\"Fhzoa8\":\"隐藏销售截止日期后的机票\",\"yhm3J/\":\"在开售日期前隐藏机票\",\"k7/oGT\":\"隐藏机票,除非用户有适用的促销代码\",\"L0ZOiu\":\"售罄后隐藏门票\",\"uno73L\":\"隐藏票单将阻止用户在活动页面上看到该票单。\",\"tj6Gob\":\"Homepage & Checkout\",\"m07jN3\":\"Homepage & Checkout Settings\",\"ZOBwQn\":\"主页设计\",\"PRuBTd\":\"主页设计师\",\"YjVNGZ\":\"主页预览\",\"c3E/kw\":\"荷马\",\"id+NIk\":\"How many minutes the customer has to complete their order\",\"8k8Njd\":\"客户有多少分钟来完成订单。我们建议至少 15 分钟\",\"ySxKZe\":\"这个代码可以使用多少次?\",\"dZsDbK\":[\"HTML字符限制已超出:\",[\"htmlLength\"],\"/\",[\"maxLength\"]],\"fYyXCd\":\"https://example-maps-service.com/...\",\"uOXLV3\":\"我同意<0>条款和条件。\",\"sIxFk5\":\"I agree to the terms and conditions\",\"Crwwhn\":[\"If a new tab did not open, please <0>\",[\"0\"],\".\"],\"93DUnd\":[\"如果新标签页没有打开,请<0><1>\",[\"0\"],\".。\"],\"9gtsTP\":\"如果为空,该地址将用于生成 Google 地图链接\",\"muXhGi\":\"如果启用,当有新订单时,组织者将收到电子邮件通知\",\"6fLyj/\":\"如果您没有要求更改密码,请立即更改密码。\",\"n/ZDCz\":\"图像已成功删除\",\"Gyl1h8\":\"Image dimensions must be at least 600px by 300px\",\"TiGacZ\":\"Image dimensions must be at least 900px by 450px\",\"UnTvkH\":\"图片尺寸必须在 3000px x 2000px 之间。最大高度为 2000px,最大宽度为 3000px\",\"Mfbc2v\":\"图像尺寸必须在4000px和4000px之间。最大高度为4000px,最大宽度为4000px\",\"uPEIvq\":\"图片必须小于 5MB\",\"AGZmwV\":\"图片上传成功\",\"ibi52/\":\"图片宽度必须至少为 900px,高度必须至少为 50px\",\"NoNwIX\":\"不活动\",\"T0K0yl\":\"非活动用户无法登录。\",\"OFAmKP\":\"Include connection details for your online event\",\"BfPBBG\":\"Include connection details for your online event. These details will be after successful registration.\",\"6+pAOx\":\"Include connection details for your online event. These details will be shown after successful registration.\",\"evpD4c\":\"包括在线活动的连接详情。这些详细信息将显示在订单摘要页面和与会者门票页面上\",\"FlQKnG\":\"价格中包含税费\",\"AXTNr8\":[\"包括 \",[\"0\"],\" 张票\"],\"7/Rzoe\":\"包括 1 张票\",\"nbfdhU\":\"集成\",\"OyLdaz\":\"再次发出邀请!\",\"HE6KcK\":\"撤销邀请!\",\"SQKPvQ\":\"邀请用户\",\"PgdQrx\":\"退款问题\",\"KFXip/\":\"约翰\",\"XcgRvb\":\"约翰逊\",\"1IWWYX\":[\"KittenTech Conference \",[\"0\"]],\"ZgJEMX\":\"KittenTech Conference Center\",\"87a/t/\":\"标签\",\"vXIe7J\":\"语言\",\"I3yitW\":\"最后登录\",\"1ZaQUH\":\"姓氏\",\"UXBCwc\":\"姓氏\",\"CKcupn\":\"Latest Orders\",\"tITjB1\":\"进一步了解 Stripe\",\"c+gAXc\":\"Let's get started by creating your first event\",\"vR92Yn\":\"让我们从创建第一个组织者开始吧\",\"QfrKvi\":\"Link color\",\"wJijgU\":\"地点\",\"sQia9P\":\"登录\",\"zUDyah\":\"登录\",\"z0t9bb\":\"登录\",\"nOhz3x\":\"注销\",\"F2jAFv\":\"Lorem ipsum dolor sit amet, consectetur adipiscing elit.Nam placerat elementum...\",\"XkhEf9\":\"Lorem ipsum...\",\"MU3ijv\":\"将此问题作为必答题\",\"wckWOP\":\"管理\",\"8mmINh\":\"Manage billing information and view invoices\",\"jWIznR\":\"Manage default settings for new events\",\"n4SpU5\":\"管理活动\",\"wqyqaF\":\"Manage general account settings\",\"cQrNR3\":\"管理简介\",\"f92Qak\":\"Manage taxes and fees which can be applied to tickets\",\"PlTcVr\":\"管理适用于机票的税费\",\"ophZVW\":\"管理机票\",\"Wsx7Iu\":\"Manage users and their permissions\",\"DdHfeW\":\"管理账户详情和默认设置\",\"QHcjP+\":\"Manage your billing and payment details\",\"S+UjNL\":\"管理 Stripe 付款详情\",\"BfucwY\":\"管理用户及其权限\",\"1m+YT2\":\"在顾客结账前,必须回答必填问题。\",\"Dim4LO\":\"手动添加与会者\",\"e4KdjJ\":\"手动添加与会者\",\"lzcrX3\":\"手动添加与会者将调整门票数量。\",\"g9dPPQ\":\"每份订单的最高限额\",\"l5OcwO\":\"与会者留言\",\"Gv5AMu\":\"留言参与者\",\"1jRD0v\":\"向与会者发送特定门票的信息\",\"Lvi+gV\":\"留言买家\",\"tNZzFb\":\"留言内容\",\"lYDV/s\":\"给个别与会者留言\",\"V7DYWd\":\"发送的信息\",\"t7TeQU\":\"信息\",\"xFRMlO\":\"每次订购的最低数量\",\"QYcUEf\":\"最低价格\",\"mYLhkl\":\"杂项设置\",\"KYveV8\":\"多行文本框\",\"SVuGaP\":\"Multiple price options, users can choose which to pay\",\"6wbTro\":\"多种价格选择。非常适合早鸟票等。\",\"/bhMdO\":\"我的精彩活动描述\",\"vX8/tc\":\"我的精彩活动标题...\",\"hKtWk2\":\"我的简介\",\"pRjx4L\":\"Nam placerat elementum...\",\"6YtxFj\":\"名称\",\"hVuv90\":\"名称应少于 150 个字符\",\"AIUkyF\":\"导航至与会者\",\"qqeAJM\":\"从不\",\"7vhWI8\":\"新密码\",\"m920rF\":\"New York\",\"1UzENP\":\"没有\",\"LNWHXb\":\"没有可显示的已归档活动。\",\"Wjz5KP\":\"无与会者\",\"Razen5\":\"在此日期前,使用此列表的参与者将无法签到\",\"XUfgCI\":\"没有容量分配\",\"a/gMx2\":\"没有签到列表\",\"fFeCKc\":\"无折扣\",\"HFucK5\":\"没有可显示的已结束活动。\",\"Z6ILSe\":\"没有该组织者的活动\",\"yAlJXG\":\"无事件显示\",\"KPWxKD\":\"无信息显示\",\"J2LkP8\":\"无订单显示\",\"+Y976X\":\"无促销代码显示\",\"Ev2r9A\":\"无结果\",\"RHyZUL\":\"没有搜索结果。\",\"cU1op4\":\"No Taxes or Fees have been added yet.\",\"RY2eP1\":\"未加收任何税费。\",\"uR2eFu\":\"No tickets available\",\"b7JZFg\":\"没有演出门票\",\"EdQY6l\":\"无\",\"OJx3wK\":\"不详\",\"x5+Lcz\":\"未办理登机手续\",\"Scbrsn\":\"非卖品\",\"hFwWnI\":\"通知设置\",\"xXqEPO\":\"通知买方退款\",\"YpN29s\":\"将新订单通知组织者\",\"qeQhNj\":\"现在,让我们创建第一个事件\",\"2NPDz1\":\"销售中\",\"Ldu/RI\":\"销售中\",\"Ug4SfW\":\"创建事件后,您就可以在这里看到它。\",\"+P/tII\":\"准备就绪后,设置您的活动并开始售票。\",\"J6n7sl\":\"持续进行\",\"z+nuVJ\":\"在线活动\",\"WKHW0N\":\"在线活动详情\",\"/xkmKX\":\"只有与本次活动直接相关的重要邮件才能使用此表单发送。\\n任何滥用行为,包括发送促销邮件,都将导致账户立即被封禁。\",\"Qqqrwa\":\"打开签到页面\",\"OdnLE4\":\"打开侧边栏\",\"ZZEYpT\":[\"方案 \",[\"i\"]],\"0zpgxV\":\"选项\",\"BzEFor\":\"或\",\"UYUgdb\":\"订购\",\"mm+eaX\":\"订单号\",\"B3gPuX\":\"取消订单\",\"SIbded\":\"订单已完成\",\"q/CcwE\":\"订购日期\",\"Tol4BF\":\"订购详情\",\"L4kzeZ\":[\"订单详情 \",[\"0\"]],\"WbImlQ\":\"订单已取消,并已通知订单所有者。\",\"VCOi7U\":\"订购问题\",\"wg9MPp\":\"Order questions are asked once per order. By default, people are asked for their first name, last name, and email address.\",\"+KNVxX\":\"Order questions are asked once per order. By default, we ask for the first name, last name, and email address.\",\"TPoYsF\":\"订购参考\",\"GX6dZv\":\"订单摘要\",\"tDTq0D\":\"订单超时\",\"1h+RBg\":\"订单\",\"mz+c33\":\"创建的订单\",\"G5RhpL\":\"组织者\",\"m/ebSk\":\"Organizer Details\",\"mYygCM\":\"需要组织者\",\"Pa6G7v\":\"组织者姓名\",\"J2cXxX\":\"组织者只能管理活动和门票。他们不能管理用户、账户设置或账单信息。\",\"fdjq4c\":\"衬垫\",\"ErggF8\":\"页面背景颜色\",\"8F1i42\":\"页面未找到\",\"QbrUIo\":\"页面浏览量\",\"6D8ePg\":\"page.\",\"IkGIz8\":\"付讫\",\"2w/FiJ\":\"付费机票\",\"8ZsakT\":\"密码\",\"TUJAyx\":\"密码必须至少包含 8 个字符\",\"vwGkYB\":\"密码必须至少包含 8 个字符\",\"BLTZ42\":\"密码重置成功。请使用新密码登录。\",\"f7SUun\":\"密码不一样\",\"aEDp5C\":\"将其粘贴到希望小部件出现的位置。\",\"+23bI/\":\"帕特里克\",\"iAS9f2\":\"patrick@acme.com\",\"iq5IUr\":\"Pause Ticket\",\"621rYf\":\"付款方式\",\"JhtZAK\":\"付款失败\",\"xgav5v\":\"付款成功!\",\"CcK+Ft\":\"PDF\",\"att1Hj\":\"percent\",\"/roQKz\":\"百分比\",\"vPJ1FI\":\"百分比 金额\",\"xdA9ud\":\"将其放在网站的 中。\",\"blK94r\":\"请至少添加一个选项\",\"FJ9Yat\":\"请检查所提供的信息是否正确\",\"TkQVup\":\"请检查您的电子邮件和密码并重试\",\"sMiGXD\":\"请检查您的电子邮件是否有效\",\"Ajavq0\":\"请检查您的电子邮件以确认您的电子邮件地址\",\"MdfrBE\":\"请填写下表接受邀请\",\"b1Jvg+\":\"请在新标签页中继续\",\"q40YFl\":\"Please continue your order in the new tab\",\"cdR8d6\":\"请创建一张票\",\"ZJG4Di\":\"Please ensure you only send emails directly related to the order. Promotional emails\\nshould not be sent using this form.\",\"o+HaYe\":\"Please enter a valid promo code\",\"HnNept\":\"请输入新密码\",\"5FSIzj\":\"请注意\",\"MA04r/\":\"请移除筛选器,并将排序设置为 \\\"主页顺序\\\",以启用排序功能\",\"pJLvdS\":\"请选择\",\"yygcoG\":\"请至少选择一张票\",\"igBrCH\":\"请验证您的电子邮件地址,以访问所有功能\",\"MOERNx\":\"葡萄牙语\",\"R7+D0/\":\"葡萄牙语(巴西)\",\"qCJyMx\":\"结账后信息\",\"g2UNkE\":\"技术支持\",\"Qs7yI0\":\"Powered By\",\"lqAWKB\":\"Powered by <0>Hi.Events 👋\",\"3n47kV\":\"Powered By Hi.Events\",\"ddi4j4\":\"由 Stripe 提供支持\",\"Rs7IQv\":\"结账前信息\",\"rdUucN\":\"预览\",\"a7u1N9\":\"价格\",\"CmoB9j\":\"价格显示模式\",\"Q8PWaJ\":\"价格等级\",\"a5jvSX\":\"Price Tiers\",\"6RmHKN\":\"原色\",\"G/ZwV1\":\"原色\",\"8cBtvm\":\"主要文字颜色\",\"BZz12Q\":\"打印\",\"MT7dxz\":\"打印所有门票\",\"N0qXpE\":\"Products\",\"vERlcd\":\"简介\",\"kUlL8W\":\"成功更新个人资料\",\"cl5WYc\":[\"已使用促销 \",[\"promo_code\"],\" 代码\"],\"ZXpm3a\":[\"Promo \",[\"promoCode\"],\" code applied\"],\"yKWfjC\":\"促销代码页面\",\"RVb8Fo\":\"促销代码\",\"BZ9GWa\":\"促销代码可用于提供折扣、预售权限或为您的活动提供特殊权限。\",\"4kyDD5\":\"提供此问题的附加背景或说明。使用此字段添加条款和条件、指南或参与者在回答前需要知道的任何重要信息。\",\"812gwg\":\"购买许可证\",\"LkMOWF\":\"可用数量\",\"XKJuAX\":\"问题已删除\",\"avf0gk\":\"问题描述\",\"oQvMPn\":\"问题标题\",\"enzGAL\":\"问题\",\"K885Eq\":\"问题已成功分类\",\"OMJ035\":\"无线电选项\",\"C4TjpG\":\"更多信息\",\"I3QpvQ\":\"受援国\",\"N2C89m\":\"参考资料\",\"gxFu7d\":[\"退款金额 (\",[\"0\"],\")\"],\"n10yGu\":\"退款订单\",\"zPH6gp\":\"退款订单\",\"/BI0y9\":\"退款\",\"fgLNSM\":\"注册\",\"tasfos\":\"去除\",\"t/YqKh\":\"移除\",\"RloWNu\":\"Reply to email\",\"EGm34e\":\"重新发送确认电子邮件\",\"lnrkNz\":\"重新发送电子邮件确认\",\"wIa8Qe\":\"重新发送邀请\",\"VeKsnD\":\"重新发送订单电子邮件\",\"dFuEhO\":\"重新发送票务电子邮件\",\"o6+Y6d\":\"重新发送...\",\"RfwZxd\":\"重置密码\",\"KbS2K9\":\"重置密码\",\"e99fHm\":\"恢复活动\",\"vtc20Z\":\"返回活动页面\",\"8YBH95\":\"收入\",\"PO/sOY\":\"撤销邀请\",\"GDvlUT\":\"角色\",\"ELa4O9\":\"销售结束日期\",\"5uo5eP\":\"销售结束\",\"Qm5XkZ\":\"销售开始日期\",\"hVF4dJ\":\"Sale starts\",\"hBsw5C\":\"销售结束\",\"kpAzPe\":\"销售开始\",\"P/wEOX\":\"旧金山\",\"tfDRzk\":\"节省\",\"IUwGEM\":\"保存更改\",\"U65fiW\":\"保存组织器\",\"UGT5vp\":\"保存设置\",\"ovB7m2\":\"扫描 QR 码\",\"lBAlVv\":\"按姓名、订单号、参会者编号或电子邮件搜索...\",\"W4kWXJ\":\"按与会者姓名、电子邮件或订单号搜索...\",\"ulAuWO\":\"Search by event name or description...\",\"+pr/FY\":\"按活动名称搜索...\",\"NQSiYb\":\"Search by name or description...\",\"3zRbWw\":\"按姓名、电子邮件或订单号搜索...\",\"BiYOdA\":\"按名称搜索...\",\"B1bB1j\":\"Search by order #, name or email...\",\"KZpERn\":\"Search by product name...\",\"jA4hXE\":\"Search by subject or body...\",\"YEjitp\":\"按主题或内容搜索...\",\"HYnGee\":\"按票务名称搜索...\",\"Pjsch9\":\"搜索容量分配...\",\"r9M1hc\":\"搜索签到列表...\",\"YIix5Y\":\"搜索...\",\"OeW+DS\":\"辅助色\",\"DnXcDK\":\"辅助色\",\"cZF6em\":\"辅助文字颜色\",\"ZIgYeg\":\"辅助文字颜色\",\"QuNKRX\":\"选择相机\",\"kWI/37\":\"选择组织者\",\"hAjDQy\":\"选择状态\",\"QYARw/\":\"选择机票\",\"XH5juP\":\"选择票价等级\",\"OMX4tH\":\"选择票\",\"nuWxSr\":\"Select Tickets\",\"O/7I0o\":\"选择...\",\"JlFcis\":\"发送\",\"qKWv5N\":[\"将副本发送至 <0>\",[\"0\"],\"\"],\"RktTWf\":\"发送信息\",\"/mQ/tD\":\"作为测试发送。这将把信息发送到您的电子邮件地址,而不是收件人的电子邮件地址。\",\"471O/e\":\"Send confirmation email\",\"M/WIer\":\"发送消息\",\"D7ZemV\":\"发送订单确认和票务电子邮件\",\"v1rRtW\":\"发送测试\",\"j1VfcT\":\"搜索引擎优化说明\",\"/SIY6o\":\"搜索引擎优化关键词\",\"GfWoKv\":\"搜索引擎优化设置\",\"rXngLf\":\"搜索引擎优化标题\",\"/jZOZa\":\"服务费\",\"vu4F0h\":\"Set a minimum price and let users donate more\",\"Bj/QGQ\":\"设定最低价格,用户可选择支付更高的价格\",\"nYNT+5\":\"准备活动\",\"A8iqfq\":\"实时设置您的活动\",\"Tz0i8g\":\"设置\",\"Z8lGw6\":\"分享\",\"FFbYHm\":[\"Should this \",[\"type\"],\" be applied to all new tickets?\"],\"8vETh9\":\"显示\",\"smd87r\":\"显示可用门票数量\",\"qDsmzu\":\"显示隐藏问题\",\"fMPkxb\":\"显示更多\",\"izwOOD\":\"单独显示税费\",\"j3b+OW\":\"在客户结账后,在订单摘要页面上显示给客户\",\"YfHZv0\":\"在顾客结账前向他们展示\",\"CBBcly\":\"显示常用地址字段,包括国家\",\"yTnnYg\":\"辛普森\",\"TNaCfq\":\"单行文本框\",\"+P0Cn2\":\"跳过此步骤\",\"YSEnLE\":\"史密斯\",\"lgFfeO\":\"售罄\",\"Mi1rVn\":\"售罄\",\"nwtY4N\":\"出了问题\",\"GRChTw\":\"删除税费时出了问题\",\"YHFrbe\":\"出错了!请重试\",\"kf83Ld\":\"出问题了\",\"fWsBTs\":\"出错了。请重试。\",\"F6YahU\":\"对不起,出了点问题。请重新开始结账。\",\"KWgppI\":\"抱歉,在加载此页面时出了点问题。\",\"/TCOIK\":\"抱歉,此订单不再存在。\",\"DvCwYF\":\"Sorry, this promo code is invalid'\",\"6a/UJE\":\"对不起,此优惠代码不可用\",\"9rRZZ+\":\"抱歉,您的订单已过期。请重新订购。\",\"a4SyEE\":\"应用筛选器和排序时禁用排序\",\"65A04M\":\"西班牙语\",\"4nG1lG\":\"固定价格标准票\",\"D3iCkb\":\"开始日期\",\"RS0o7b\":\"State\",\"/2by1f\":\"州或地区\",\"uAQUqI\":\"现状\",\"UJmAAK\":\"主题\",\"X2rrlw\":\"小计\",\"b0HJ45\":[\"成功!\",[\"0\"],\" 将很快收到一封电子邮件。\"],\"BJIEiF\":[\"成功 \",[\"0\"],\" 参会者\"],\"Ih8kN0\":[\"Successfully $\",[\"0\"],\" attendee\"],\"xHl17l\":[\"成功检查 <0>\",[\"0\"],\" \",[\"1\"],\" \",[\"2\"]],\"OtgNFx\":\"成功确认电子邮件地址\",\"IKwyaF\":\"成功确认电子邮件更改\",\"zLmvhE\":\"成功创建与会者\",\"9mZEgt\":\"成功创建促销代码\",\"aIA9C4\":\"成功创建问题\",\"onFQYs\":\"成功创建票单\",\"Hgj/mB\":\"Successfully deleted ticket\",\"J3RJSZ\":\"成功更新与会者\",\"3suLF0\":\"容量分配更新成功\",\"Z+rnth\":\"签到列表更新成功\",\"vzJenu\":\"成功更新电子邮件设置\",\"7kOMfV\":\"成功更新活动\",\"G0KW+e\":\"成功更新主页设计\",\"k9m6/E\":\"成功更新主页设置\",\"y/NR6s\":\"成功更新位置\",\"73nxDO\":\"成功更新杂项设置\",\"70dYC8\":\"成功更新促销代码\",\"F+pJnL\":\"成功更新搜索引擎设置\",\"g2lRrH\":\"成功更新票单\",\"DXZRk5\":\"100 号套房\",\"GNcfRk\":\"支持电子邮件\",\"JpohL9\":\"税收\",\"geUFpZ\":\"税费\",\"0RXCDo\":\"成功删除税费\",\"ZowkxF\":\"税收\",\"EEZnW+\":\"Taxes & Fees\",\"qu6/03\":\"税费\",\"gVjSFp\":\"Taxes and Fees can be associated with tickets and will be added to the ticket price.\",\"e0ZSh4\":\"Text Colour\",\"gypigA\":\"促销代码无效\",\"0ozSQu\":\"The background color for the event homepage\",\"LbHWgW\":\"The background color for the ticket widget on the event homepage\",\"75Xclv\":\"The basic details of your event\",\"5ShqeM\":\"您查找的签到列表不存在。\",\"UNqHnV\":\"The color of the buttons on the event homepage\",\"0amhbL\":\"The color of the links on the event homepage\",\"QXlz+n\":\"事件的默认货币。\",\"mnafgQ\":\"事件的默认时区。\",\"o7s5FA\":\"与会者接收电子邮件的语言。\",\"NlfnUd\":\"您点击的链接无效。\",\"FqjKfd\":\"The location of your event\",\"kIXEVN\":[[\"0\"],\"的最大票数是\",[\"1\"]],\"FeAfXO\":[\"将军票的最大票数为\",[\"0\"],\"。\"],\"POEqXB\":\"The organizer details of your event\",\"TSAiPM\":\"您要查找的页面不存在\",\"MSmKHn\":\"显示给客户的价格将包括税费。\",\"6zQOg1\":\"显示给客户的价格不包括税费。税费将单独显示\",\"ne/9Ur\":\"您选择的样式设置只适用于复制的 HTML,不会被保存。\",\"TJZByZ\":\"The tax and fee to apply to this ticket. You can create new taxes and fees on the\",\"OJYwh9\":\"适用于该票据的税费。您可以在\",\"6BpBfZ\":\"The text color for the event homepage\",\"rljHp7\":\"The text color for the ticket widget on the event homepage\",\"s4di40\":\"The text to display in the 'Continue' button. Defaults to 'Continue'\",\"esY5SG\":\"活动标题,将显示在搜索引擎结果中,并在社交媒体上分享时显示。默认情况下,将使用事件标题\",\"wgAiDb\":\"The user must login to change their email.\",\"jvxN9/\":\"本次活动没有门票\",\"rMcHYt\":\"退款正在处理中。请等待退款完成后再申请退款。\",\"hjLUr+\":\"There was an error loading this content. Please refresh the page and try again.\",\"68Axnm\":\"处理您的请求时出现错误。请重试。\",\"mVKOW6\":\"发送信息时出现错误\",\"Um/adz\":\"These allow multiple selections\",\"vWeHWp\":\"These colors are not saved in our system.\",\"7qzHGS\":\"These colors are not saved in our system. They are only used to generate the widget.\",\"xxv3BZ\":\"此签到列表已过期\",\"Sa7w7S\":\"此签到列表已过期,不再可用于签到。\",\"Uicx2U\":\"此签到列表已激活\",\"1k0Mp4\":\"此签到列表尚未激活\",\"K6fmBI\":\"此签到列表尚未激活,不能用于签到。\",\"t/ePFj\":\"此描述将显示给签到工作人员\",\"MLTkH7\":\"此电子邮件并非促销邮件,与活动直接相关。\",\"2eIpBM\":\"此活动暂时不可用。请稍后再查看。\",\"Z6LdQU\":\"此活动不可用。\",\"CNk/ro\":\"这是一项在线活动\",\"GabtCa\":\"This is the email address that will be used as the reply-to address for all emails sent from this event\",\"FwXnJd\":\"此日期后此列表将不再可用于签到\",\"CKkb5E\":\"This message is how below the\",\"cHO4ec\":\"此信息将包含在本次活动发送的所有电子邮件的页脚中\",\"RjwlZt\":\"此订单已付款。\",\"axERYu\":\"This order has already been paid. <0>View order details\",\"wY+HO9\":\"This order has already been processed.\",\"5K8REg\":\"此订单已退款。\",\"OiQMhP\":\"此订单已取消\",\"YyEJij\":\"此订单已取消。\",\"D44cEI\":\"This order has been completed.\",\"HILpDX\":\"此订单正在等待付款\",\"0vRWbB\":\"This order is awaiting payment.\",\"BdYtn9\":\"此订单已完成\",\"e3uMJH\":\"此订单已完成。\",\"YNKXOK\":\"此订单正在处理中。\",\"LIjb4v\":\"This order is processing. TODO - a nice image and poll the API\",\"yPZN4i\":\"此订购页面已不可用。\",\"5189cf\":\"这会覆盖所有可见性设置,并对所有客户隐藏票单。\",\"4vwjho\":\"This page has expired. <0>View order details\",\"Qt7RBu\":\"此问题只有活动组织者可见\",\"os29v1\":\"此重置密码链接无效或已过期。\",\"WJqBqd\":\"不能删除此票单,因为它\\n与订单相关联。您可以将其隐藏。\",\"ma6qdu\":\"此票不对外开放\",\"xJ8nzj\":\"除非使用促销代码,否则此票为隐藏票\",\"IV9xTT\":\"该用户未激活,因为他们没有接受邀请。\",\"5AnPaO\":\"入场券\",\"kjAL4v\":\"门票\",\"KosivG\":\"成功删除票单\",\"dtGC3q\":\"门票电子邮件已重新发送给与会者\",\"USk+Mn\":\"Ticket page message\",\"mRM6XH\":\"门票销售\",\"NirIiz\":\"门票等级\",\"8jLPgH\":\"机票类型\",\"jqWDf9\":\"Ticket widget background color\",\"UrMVAz\":\"票务小工具预览\",\"ngtDy7\":\"Ticket widget text color\",\"N+YYpo\":\"机票\",\"6GQNLE\":\"门票\",\"54q0zp\":\"门票\",\"ikA//P\":\"已售票\",\"i+idBz\":\"已售出的门票\",\"AGRilS\":\"已售出的门票\",\"56Qw2C\":\"成功分类的门票\",\"4f8A8M\":\"Tickets to which the promo code applies (Applies to all by default)\",\"xN9AhL\":[[\"0\"],\"级\"],\"oYaHuq\":\"分层票\",\"XZrhpz\":\"Tiered Ticket - Coming Soon\",\"4M150e\":\"分层门票允许您为同一张门票提供多种价格选择。\\n这非常适合早鸟票,或为不同人群提供不同价\\n选择。\",\"jQoYTX\":\"Tiered tickets allow you to offer multiple price options for the same ticket. This is perfect for early bird tickets or offering different price options for different groups of people.\",\"s/0RpH\":\"使用次数\",\"40Gx0U\":\"时区\",\"oDGm7V\":\"TIP\",\"MHrjPM\":\"标题\",\"xdA/+p\":\"工具\",\"72c5Qo\":\"总计\",\"BxsfMK\":\"总费用\",\"mpB/d9\":\"订单总额\",\"m3FM1g\":\"退款总额\",\"GBBIy+\":\"剩余总数\",\"/SgoNA\":\"总税额\",\"+zy2Nq\":\"类型\",\"mLGbAS\":[\"无法\",[\"0\"],\"与会者\"],\"FMdMfZ\":\"无法签到参与者\",\"bPWBLL\":\"无法签退参与者\",\"/cSMqv\":\"无法创建问题。请检查您的详细信息\",\"nNdxt9\":\"无法创建票单。请检查您的详细信息\",\"MH/lj8\":\"无法更新问题。请检查您的详细信息\",\"Mqy/Zy\":\"美国\",\"NIuIk1\":\"无限制\",\"/p9Fhq\":\"无限供应\",\"oMcLhS\":\"Unlimited ticket quantity available\",\"E0q9qH\":\"允许无限次使用\",\"ia8YsC\":\"即将推出\",\"TlEeFv\":\"即将举行的活动\",\"L/gNNk\":[\"更新 \",[\"0\"]],\"+qqX74\":\"更新活动名称、说明和日期\",\"vXPSuB\":\"更新个人资料\",\"gsehpV\":\"Upload an image to be displayed on the event page\",\"BNBfrU\":\"上传封面\",\"UtDm3q\":\"复制到剪贴板的 URL\",\"e5lF64\":\"使用示例\",\"sGEOe4\":\"使用封面图片的模糊版本作为背景\",\"OadMRm\":\"使用封面图片\",\"7PzzBU\":\"用户\",\"yDOdwQ\":\"用户管理\",\"Sxm8rQ\":\"用户\",\"VEsDvU\":\"用户可在 <0>\\\"配置文件设置\\\" 中更改自己的电子邮件\",\"vgwVkd\":\"世界协调时\",\"khBZkl\":\"增值税\",\"E/9LUk\":\"地点名称\",\"AM+zF3\":\"查看与会者\",\"e4mhwd\":\"查看活动主页\",\"/5PEQz\":\"查看活动页面\",\"fFornT\":\"查看完整信息\",\"YIsEhQ\":\"查看地图\",\"Ep3VfY\":\"在谷歌地图上查看\",\"AMkkeL\":\"查看订单\",\"Y8s4f6\":\"查看订单详情\",\"QIWCnW\":\"VIP签到列表\",\"tF+VVr\":\"贵宾票\",\"2q/Q7x\":\"可见性\",\"vmOFL/\":\"我们无法处理您的付款。请重试或联系技术支持。\",\"1E0vyy\":\"我们无法加载数据。请重试。\",\"VGioT0\":\"我们建议尺寸为 2160px x 1080px,文件大小不超过 5MB\",\"b9UB/w\":\"我们使用 Stripe 处理付款。连接您的 Stripe 账户即可开始接收付款。\",\"01WH0a\":\"我们无法确认您的付款。请重试或联系技术支持。\",\"Gspam9\":\"我们正在处理您的订单。请稍候...\",\"LuY52w\":\"欢迎加入!请登录以继续。\",\"dVxpp5\":[\"欢迎回来\",[\"0\"],\" 👋\"],\"NxOVCl\":[\"欢迎来到 Hi.Events, \",[\"0\"],\" 👋\"],\"wjqPqF\":\"什么是分层门票?\",\"f1jUC0\":\"此签到列表应在何时激活?\",\"5iXvHA\":\"What is a Tiered Ticketing?\",\"MhhnvW\":\"此代码适用于哪些机票?(默认适用于所有)\",\"dCil3h\":\"该问题应适用于哪些机票?\",\"Rb0XUE\":\"您什么时候抵达?\",\"5N4wLD\":\"这是什么类型的问题?\",\"D7C6XV\":\"此签到列表应在何时过期?\",\"FVetkT\":\"哪些票应与此签到列表关联?\",\"S+OdxP\":\"这项活动由谁组织?\",\"LINr2M\":\"这条信息是发给谁的?\",\"nWhye/\":\"这个问题应该问谁?\",\"vVGiM4\":\"Who type of question is this?\",\"onLsWS\":\"Whoops! something went wrong. Please try again or contact support if the problem persists.\",\"AHXN2z\":\"Widget\",\"AU/8QR\":\"Widget Configuration\",\"VxFvXQ\":\"嵌入小部件\",\"v1P7Gm\":\"小部件设置\",\"b4itZn\":\"工作\",\"hqmXmc\":\"工作...\",\"l75CjT\":\"是\",\"QcwyCh\":\"是的,移除它们\",\"ySeBKv\":\"您已经扫描过此票\",\"P+Sty0\":[\"您正在将电子邮件更改为 <0>\",[\"0\"],\"。\"],\"gGhBmF\":\"您处于离线状态\",\"4ysd6z\":\"You can connecting using this Zoom link...\",\"9HGdDw\":\"您可以在\",\"KRhIxT\":\"现在您可以开始通过 Stripe 接收付款。\",\"UqVaVO\":\"您不能更改票务类型,因为该票务已关联了与会者。\",\"zQ8idk\":\"You cannot change the ticket type because there are already tickets sold for this ticket.\",\"3vRX5A\":\"您不能删除此价格等级,因为此等级已售出门票。您可以将其隐藏。\",\"RCC09s\":\"You cannot edit a default question\",\"tFbRKJ\":\"不能编辑账户所有者的角色或状态。\",\"fHfiEo\":\"您不能退还手动创建的订单。\",\"hK9c7R\":\"您创建了一个隐藏问题,但禁用了显示隐藏问题的选项。该选项已启用。\",\"NOaWRX\":\"您没有访问该页面的权限\",\"BRArmD\":\"您可以访问多个账户。请选择一个继续。\",\"Z6q0Vl\":\"您已接受此邀请。请登录以继续。\",\"rdk1xK\":\"您已连接 Stripe 账户\",\"ofEncr\":\"没有与会者提问。\",\"XoeazJ\":\"You have no attendee questions. Attendee questions are asked once per attendee.\",\"CoZHDB\":\"您没有订单问题。\",\"FZKDIe\":\"You have no order questions. Order questions are asked once per order.\",\"15qAvl\":\"您没有待处理的电子邮件更改。\",\"n81Qk8\":\"您尚未完成 Stripe Connect 设置\",\"jxsiqJ\":\"您尚未连接 Stripe 账户\",\"183zcL\":\"您在免费机票上添加了税费。您想删除或隐藏它们吗?\",\"2v5MI1\":\"您尚未发送任何信息。您可以向所有与会者或特定持票人发送信息。\",\"R6i9o9\":\"您必须确认此电子邮件并非促销邮件\",\"3ZI8IL\":\"您必须同意条款和条件\",\"dMd3Uf\":\"您必须在活动上线前确认您的电子邮件地址。\",\"H35u3n\":\"必须先创建机票,然后才能手动添加与会者。\",\"jE4Z8R\":\"您必须至少有一个价格等级\",\"LRguuL\":\"You must have at least one tier\",\"8/eLoa\":\"发送信息前,您需要验证您的账户。\",\"L/+xOk\":\"在创建签到列表之前,您需要先获得票。\",\"8QNzin\":\"在创建容量分配之前,您需要一张票。\",\"WHXRMI\":\"您至少需要一张票才能开始。免费、付费或让用户决定支付方式。\",\"bdg03s\":\"Your account email in outgoing emails.\",\"ROR8QD\":\"您的账户名称会在活动页面和电子邮件中使用。\",\"veessc\":\"与会者注册参加活动后,就会出现在这里。您也可以手动添加与会者。\",\"Eh5Wrd\":\"您的网站真棒 🎉\",\"lkMK2r\":\"您的详细信息\",\"3ENYTQ\":[\"您要求将电子邮件更改为<0>\",[\"0\"],\"的申请正在处理中。请检查您的电子邮件以确认\"],\"yZfBoy\":\"您的信息已发送\",\"la26JS\":\"Your order is in progress\",\"7YJdgG\":\"您的订单一旦开始滚动,就会出现在这里。\",\"9TO8nT\":\"您的密码\",\"P8hBau\":\"您的付款正在处理中。\",\"UdY1lL\":\"您的付款未成功,请重试。\",\"fzuM26\":\"您的付款未成功。请重试。\",\"cJ4Y4R\":\"您的退款正在处理中。\",\"IFHV2p\":\"您的入场券\",\"3k7HDY\":\"Zip\",\"BM/KQm\":\"邮政编码\",\"VftCuk\":\"Zoom link, Google Meet link, etc.\"}")}; \ No newline at end of file diff --git a/frontend/src/locales/zh-cn.po b/frontend/src/locales/zh-cn.po index 3f6d5574..4f4e92dd 100644 --- a/frontend/src/locales/zh-cn.po +++ b/frontend/src/locales/zh-cn.po @@ -29,7 +29,7 @@ msgstr "{0} <0>签到成功" msgid "{0} <0>checked out successfully" msgstr "{0} <0>签退成功" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:298 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:305 msgid "{0} available" msgstr "{0}可用" @@ -218,7 +218,7 @@ msgstr "账户" msgid "Account Name" msgstr "账户名称" -#: src/components/common/GlobalMenu/index.tsx:24 +#: src/components/common/GlobalMenu/index.tsx:32 #: src/components/routes/account/ManageAccount/index.tsx:19 msgid "Account Settings" msgstr "账户设置" @@ -361,7 +361,7 @@ msgstr "令人惊叹, 活动, 关键词..." #: src/components/common/OrdersTable/index.tsx:152 #: src/components/forms/TaxAndFeeForm/index.tsx:71 -#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:35 +#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:36 msgid "Amount" msgstr "金额" @@ -405,7 +405,7 @@ msgstr "持票人的任何询问都将发送到此电子邮件地址。该地址 msgid "Appearance" msgstr "外观" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:367 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:377 msgid "applied" msgstr "应用" @@ -417,7 +417,7 @@ msgstr "适用于{0}张票" msgid "Applies to 1 ticket" msgstr "适用于1张票" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:395 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:405 msgid "Apply Promo Code" msgstr "应用促销代码" @@ -745,7 +745,7 @@ msgstr "城市" msgid "Clear Search Text" msgstr "清除搜索文本" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:265 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:266 msgid "click here" msgstr "点击此处" @@ -863,7 +863,7 @@ msgstr "内容背景颜色" #: src/components/common/WidgetEditor/index.tsx:31 #: src/components/common/WidgetEditor/index.tsx:217 #: src/components/layouts/Checkout/CheckoutFooter/index.tsx:36 -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:353 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:363 msgid "Continue" msgstr "继续" @@ -986,6 +986,10 @@ msgstr "创建新的" msgid "Create Organizer" msgstr "创建组织器" +#: src/components/routes/event/products.tsx:50 +msgid "Create Product" +msgstr "" + #: src/components/modals/CreatePromoCodeModal/index.tsx:51 #: src/components/modals/CreatePromoCodeModal/index.tsx:56 msgid "Create Promo Code" @@ -1160,7 +1164,7 @@ msgstr "{0}中的折扣" msgid "Discount Type" msgstr "折扣类型" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:274 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:275 msgid "Dismiss" msgstr "解散" @@ -1576,7 +1580,7 @@ msgstr "忘记密码?" #: src/components/common/OrderSummary/index.tsx:99 #: src/components/common/TicketsTable/SortableTicket/index.tsx:88 #: src/components/common/TicketsTable/SortableTicket/index.tsx:102 -#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:51 +#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:52 msgid "Free" msgstr "免费" @@ -1625,7 +1629,7 @@ msgstr "销售总额" msgid "Guests" msgstr "宾客" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:362 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:372 msgid "Have a promo code?" msgstr "有促销代码吗?" @@ -1676,7 +1680,7 @@ msgid "Hidden questions are only visible to the event organizer and not to the c msgstr "隐藏问题只有活动组织者可以看到,客户看不到。" #: src/components/forms/TicketForm/index.tsx:289 -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:332 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:342 msgid "Hide" msgstr "隐藏" @@ -1760,7 +1764,7 @@ msgstr "https://example-maps-service.com/..." msgid "I agree to the <0>terms and conditions" msgstr "我同意<0>条款和条件。" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:261 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:262 msgid "If a new tab did not open, please <0><1>{0}." msgstr "如果新标签页没有打开,请<0><1>{0}.。" @@ -1914,7 +1918,7 @@ msgstr "登录" msgid "Login" msgstr "登录" -#: src/components/common/GlobalMenu/index.tsx:29 +#: src/components/common/GlobalMenu/index.tsx:47 msgid "Logout" msgstr "注销" @@ -2047,7 +2051,7 @@ msgstr "我的精彩活动描述" msgid "My amazing event title..." msgstr "我的精彩活动标题..." -#: src/components/common/GlobalMenu/index.tsx:19 +#: src/components/common/GlobalMenu/index.tsx:27 msgid "My Profile" msgstr "我的简介" @@ -2444,7 +2448,7 @@ msgstr "请检查您的电子邮件以确认您的电子邮件地址" msgid "Please complete the form below to accept your invitation" msgstr "请填写下表接受邀请" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:259 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:260 msgid "Please continue in the new tab" msgstr "请在新标签页中继续" @@ -2469,7 +2473,7 @@ msgstr "请移除筛选器,并将排序设置为 \"主页顺序\",以启用 msgid "Please select" msgstr "请选择" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:216 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:217 msgid "Please select at least one ticket" msgstr "请至少选择一张票" @@ -2540,6 +2544,10 @@ msgstr "打印" msgid "Print All Tickets" msgstr "打印所有门票" +#: src/components/routes/event/products.tsx:39 +msgid "Products" +msgstr "" + #: src/components/routes/profile/ManageProfile/index.tsx:106 msgid "Profile" msgstr "简介" @@ -2548,7 +2556,7 @@ msgstr "简介" msgid "Profile updated successfully" msgstr "成功更新个人资料" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:160 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:161 msgid "Promo {promo_code} code applied" msgstr "已使用促销 {promo_code} 代码" @@ -2639,11 +2647,11 @@ msgstr "退款" msgid "Register" msgstr "注册" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:371 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:381 msgid "remove" msgstr "去除" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:372 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:382 msgid "Remove" msgstr "移除" @@ -2779,6 +2787,10 @@ msgstr "按姓名、电子邮件或订单号搜索..." msgid "Search by name..." msgstr "按名称搜索..." +#: src/components/routes/event/products.tsx:43 +msgid "Search by product name..." +msgstr "" + #: src/components/routes/event/messages.tsx:34 msgid "Search by subject or content..." msgstr "按主题或内容搜索..." @@ -2927,7 +2939,7 @@ msgstr "显示可用门票数量" msgid "Show hidden questions" msgstr "显示隐藏问题" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:332 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:342 msgid "Show more" msgstr "显示更多" @@ -3007,7 +3019,7 @@ msgstr "抱歉,在加载此页面时出了点问题。" msgid "Sorry, this order no longer exists." msgstr "抱歉,此订单不再存在。" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:225 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:226 msgid "Sorry, this promo code is not recognized" msgstr "对不起,此优惠代码不可用" @@ -3181,8 +3193,8 @@ msgstr "税收" msgid "Taxes and Fees" msgstr "税费" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:120 -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:168 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:121 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:169 msgid "That promo code is invalid" msgstr "促销代码无效" @@ -3208,7 +3220,7 @@ msgstr "与会者接收电子邮件的语言。" msgid "The link you clicked is invalid." msgstr "您点击的链接无效。" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:318 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:328 msgid "The maximum numbers number of tickets for {0}is {1}" msgstr "{0}的最大票数是{1}" @@ -3240,7 +3252,7 @@ msgstr "适用于该票据的税费。您可以在" msgid "The title of the event that will be displayed in search engine results and when sharing on social media. By default, the event title will be used" msgstr "活动标题,将显示在搜索引擎结果中,并在社交媒体上分享时显示。默认情况下,将使用事件标题" -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:249 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:250 msgid "There are no tickets available for this event" msgstr "本次活动没有门票" @@ -3533,7 +3545,7 @@ msgid "Unable to create question. Please check the your details" msgstr "无法创建问题。请检查您的详细信息" #: src/components/modals/CreateTicketModal/index.tsx:64 -#: src/components/routes/ticket-widget/SelectTickets/index.tsx:105 +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:106 msgid "Unable to create ticket. Please check the your details" msgstr "无法创建票单。请检查您的详细信息" @@ -3552,6 +3564,10 @@ msgstr "美国" msgid "Unlimited" msgstr "无限制" +#: src/components/routes/ticket-widget/SelectTickets/index.tsx:300 +msgid "Unlimited available" +msgstr "无限供应" + #: src/components/common/PromoCodeTable/index.tsx:125 msgid "Unlimited usages allowed" msgstr "允许无限次使用" From b5bb9f00157a5949fb23829434e6c1805aac2106 Mon Sep 17 00:00:00 2001 From: Dave Earley Date: Sun, 22 Sep 2024 16:53:41 -0700 Subject: [PATCH 10/12] Fix long event titles overflowing event checkout header --- .../layouts/Checkout/Checkout.module.scss | 17 +++++- .../src/components/layouts/Checkout/index.tsx | 18 ++---- .../CollectInformation/index.tsx | 14 ++++- .../SelectTickets/Prices/Tiered/index.tsx | 4 +- frontend/src/locales/de.po | 55 ++++++++++--------- frontend/src/locales/en.po | 55 ++++++++++--------- frontend/src/locales/es.po | 55 ++++++++++--------- frontend/src/locales/fr.po | 55 ++++++++++--------- frontend/src/locales/pt-br.po | 55 ++++++++++--------- frontend/src/locales/pt.po | 55 ++++++++++--------- frontend/src/locales/ru.po | 55 ++++++++++--------- frontend/src/locales/zh-cn.po | 55 ++++++++++--------- frontend/src/utilites/currency.ts | 16 +++++- 13 files changed, 272 insertions(+), 237 deletions(-) diff --git a/frontend/src/components/layouts/Checkout/Checkout.module.scss b/frontend/src/components/layouts/Checkout/Checkout.module.scss index 54a75448..4d81f953 100644 --- a/frontend/src/components/layouts/Checkout/Checkout.module.scss +++ b/frontend/src/components/layouts/Checkout/Checkout.module.scss @@ -17,6 +17,7 @@ .subTitle { font-size: .95em; + margin-top: 10px; } .mainContent { @@ -35,12 +36,22 @@ box-shadow: 0 5px 5px 0 #0000000a; text-align: center; - h2 { + h1 { + font-size: 1.3em; + width: calc(100vw - 350px); + margin: 0 0 5px; + + padding: 0 15px; + + overflow: hidden; + white-space: nowrap; + text-overflow: ellipsis; + @include respond-below(md) { + width: calc(100vw - 60px); font-size: 1em; } - margin: 0; } } @@ -66,4 +77,4 @@ background-color: #ffffff; } } -} \ No newline at end of file +} diff --git a/frontend/src/components/layouts/Checkout/index.tsx b/frontend/src/components/layouts/Checkout/index.tsx index bdaa64f9..65e3e9e9 100644 --- a/frontend/src/components/layouts/Checkout/index.tsx +++ b/frontend/src/components/layouts/Checkout/index.tsx @@ -10,6 +10,7 @@ import {IconExternalLink} from "@tabler/icons-react"; import {Anchor, Group} from "@mantine/core"; import {CheckoutSidebar} from "./CheckoutSidebar"; import {eventHomepagePath} from "../../../utilites/urlHelper.ts"; +import Truncate from "../../common/Truncate"; const SubTitle = ({order, event}: { order: Order, event: Event }) => { const navigate = useNavigate(); @@ -48,18 +49,9 @@ const Checkout = () => {
-

- - {event?.title} - {event && ( - - - - )} - -

+

+ {event?.title} +

{(order && event) ? : ...}
@@ -71,4 +63,4 @@ const Checkout = () => { ); } -export default Checkout; \ No newline at end of file +export default Checkout; diff --git a/frontend/src/components/routes/ticket-widget/CollectInformation/index.tsx b/frontend/src/components/routes/ticket-widget/CollectInformation/index.tsx index 879f1175..d35a68b3 100644 --- a/frontend/src/components/routes/ticket-widget/CollectInformation/index.tsx +++ b/frontend/src/components/routes/ticket-widget/CollectInformation/index.tsx @@ -1,6 +1,6 @@ import {useMutation} from "@tanstack/react-query"; import {FinaliseOrderPayload, orderClientPublic} from "../../../../api/order.client.ts"; -import {useNavigate, useParams} from "react-router-dom"; +import {Link, useNavigate, useParams} from "react-router-dom"; import {Button, Skeleton, TextInput} from "@mantine/core"; import {useForm} from "@mantine/form"; import {notifications} from "@mantine/notifications"; @@ -13,7 +13,7 @@ import {useEffect} from "react"; import {t} from "@lingui/macro"; import {InputGroup} from "../../../common/InputGroup"; import {Card} from "../../../common/Card"; -import {IconCopy} from "@tabler/icons-react"; +import {IconChevronLeft, IconCopy} from "@tabler/icons-react"; import {CheckoutFooter} from "../../../layouts/Checkout/CheckoutFooter"; import {CheckoutContent} from "../../../layouts/Checkout/CheckoutContent"; import {HomepageInfoMessage} from "../../../common/HomepageInfoMessage"; @@ -245,7 +245,15 @@ export const CollectInformation = () => { return (
-

+

{t`Your Details`}

diff --git a/frontend/src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx b/frontend/src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx index 81e34e3d..5289d961 100644 --- a/frontend/src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx +++ b/frontend/src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx @@ -1,10 +1,11 @@ import {Currency, TicketPriceDisplay} from "../../../../../common/Currency"; -import {Event, Ticket, TicketType} from "../../../../../../types.ts"; +import {Event, Ticket} from "../../../../../../types.ts"; import {Group, TextInput} from "@mantine/core"; import {NumberSelector, SharedValues} from "../../../../../common/NumberSelector"; import {UseFormReturnType} from "@mantine/form"; import {t} from "@lingui/macro"; import {TicketPriceAvailability} from "../../../../../common/TicketPriceAvailability"; +import {getCurrencySymbol} from "../../../../../../utilites/currency.ts"; interface TieredPricingProps { event: Event; @@ -37,6 +38,7 @@ export const TieredPricing = ({ticket, event, form, ticketIndex}: TieredPricingP required={true} w={150} mb={0} + leftSection={getCurrencySymbol(event?.currency)} classNames={{ input: 'hi-donation-input', }} diff --git a/frontend/src/locales/de.po b/frontend/src/locales/de.po index 410b3704..2c6a7f40 100644 --- a/frontend/src/locales/de.po +++ b/frontend/src/locales/de.po @@ -361,7 +361,7 @@ msgstr "Erstaunlich, Ereignis, Schlüsselwörter..." #: src/components/common/OrdersTable/index.tsx:152 #: src/components/forms/TaxAndFeeForm/index.tsx:71 -#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:36 +#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:37 msgid "Amount" msgstr "Menge" @@ -485,7 +485,7 @@ msgstr "Einmal pro Teilnehmer fragen" msgid "Ask once per order" msgstr "Einmal pro Bestellung anfragen" -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:298 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:306 msgid "Attendee" msgstr "Teilnehmer" @@ -518,7 +518,7 @@ msgstr "Automatische Größenanpassung" msgid "Automatically resize the widget height based on the content. When disabled, the widget will fill the height of the container." msgstr "Passen Sie die Widgethöhe automatisch an den Inhalt an. Wenn diese Option deaktiviert ist, füllt das Widget die Höhe des Containers aus." -#: src/components/layouts/Checkout/index.tsx:20 +#: src/components/layouts/Checkout/index.tsx:21 msgid "Awaiting Payment" msgstr "Zahlung steht aus" @@ -536,6 +536,7 @@ msgstr "Zurück zu allen Events" #: src/components/routes/ticket-widget/CollectInformation/index.tsx:227 #: src/components/routes/ticket-widget/CollectInformation/index.tsx:239 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:255 msgid "Back to event page" msgstr "Zurück zur Veranstaltungsseite" @@ -793,7 +794,7 @@ msgstr "Demnächst" msgid "Comma seperated keywords that describe the event. These will be used by search engines to help categorize and index the event" msgstr "Durch Kommas getrennte Schlüsselwörter, die das Ereignis beschreiben. Diese werden von Suchmaschinen verwendet, um das Ereignis zu kategorisieren und zu indizieren." -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:347 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:355 msgid "Complete Order" msgstr "Bestellung abschließen" @@ -887,7 +888,7 @@ msgstr "Weiter einrichten" msgid "Continue Stripe Connect Setup" msgstr "Mit der Einrichtung von Stripe Connect fortfahren" -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:347 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:355 msgid "Continue To Payment" msgstr "Weiter zur Zahlung" @@ -908,7 +909,7 @@ msgstr "Kopieren" msgid "Copy Check-In URL" msgstr "Eincheck-URL kopieren" -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:280 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:288 msgid "Copy details to all attendees" msgstr "Details an alle Teilnehmer kopieren" @@ -1140,7 +1141,7 @@ msgstr "Beschreibung" msgid "Description for check-in staff" msgstr "Beschreibung für das Eincheckpersonal" -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:298 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:306 msgid "Details" msgstr "Einzelheiten" @@ -1336,10 +1337,10 @@ msgstr "E-Mail-Adresse" #: src/components/common/QuestionsTable/index.tsx:218 #: src/components/common/QuestionsTable/index.tsx:219 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:271 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:272 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:317 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:318 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:279 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:280 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:325 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:326 msgid "Email Address" msgstr "E-Mail-Adresse" @@ -1534,8 +1535,8 @@ msgstr "Gebühren" #: src/components/common/QuestionsTable/index.tsx:206 #: src/components/modals/CreateAttendeeModal/index.tsx:114 #: src/components/modals/EditAttendeeModal/index.tsx:77 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:257 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:304 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:265 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:312 msgid "First name" msgstr "Vorname" @@ -1545,8 +1546,8 @@ msgstr "Vorname" #: src/components/routes/auth/AcceptInvitation/index.tsx:90 #: src/components/routes/auth/Register/index.tsx:64 #: src/components/routes/profile/ManageProfile/index.tsx:135 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:256 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:303 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:264 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:311 msgid "First Name" msgstr "Vorname" @@ -1580,7 +1581,7 @@ msgstr "Passwort vergessen?" #: src/components/common/OrderSummary/index.tsx:99 #: src/components/common/TicketsTable/SortableTicket/index.tsx:88 #: src/components/common/TicketsTable/SortableTicket/index.tsx:102 -#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:52 +#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:54 msgid "Free" msgstr "Frei" @@ -1886,10 +1887,10 @@ msgstr "Familienname, Nachname" #: src/components/routes/auth/AcceptInvitation/index.tsx:92 #: src/components/routes/auth/Register/index.tsx:70 #: src/components/routes/profile/ManageProfile/index.tsx:137 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:262 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:263 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:309 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:310 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:270 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:271 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:317 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:318 msgid "Last Name" msgstr "Familienname, Nachname" @@ -2261,11 +2262,11 @@ msgstr "Befehl" msgid "Order #" msgstr "Befehl #" -#: src/components/layouts/Checkout/index.tsx:18 +#: src/components/layouts/Checkout/index.tsx:19 msgid "Order Cancelled" msgstr "Bestellung storniert" -#: src/components/layouts/Checkout/index.tsx:17 +#: src/components/layouts/Checkout/index.tsx:18 msgid "Order Completed" msgstr "Bestellung abgeschlossen" @@ -2402,7 +2403,7 @@ msgstr "patrick@acme.com" msgid "Payment" msgstr "Zahlung" -#: src/components/layouts/Checkout/index.tsx:19 +#: src/components/layouts/Checkout/index.tsx:20 msgid "Payment Failed" msgstr "Bezahlung fehlgeschlagen" @@ -3023,7 +3024,7 @@ msgstr "Entschuldigung, diese Bestellung existiert nicht mehr." msgid "Sorry, this promo code is not recognized" msgstr "Dieser Aktionscode wird leider nicht erkannt" -#: src/components/layouts/Checkout/index.tsx:29 +#: src/components/layouts/Checkout/index.tsx:30 msgid "Sorry, your order has expired. Please start a new order." msgstr "Leider ist Ihre Bestellung abgelaufen. Bitte starten Sie eine neue Bestellung." @@ -3650,8 +3651,8 @@ msgid "View attendee" msgstr "Teilnehmer anzeigen" #: src/components/layouts/Checkout/index.tsx:55 -msgid "View event homepage" -msgstr "Zur Event-Homepage" +#~ msgid "View event homepage" +#~ msgstr "Zur Event-Homepage" #: src/components/common/EventCard/index.tsx:145 msgid "View event page" @@ -3939,7 +3940,7 @@ msgstr "Ihre Teilnehmer werden hier angezeigt, sobald sie sich für Ihre Veranst msgid "Your awesome website 🎉" msgstr "Eure tolle Website 🎉" -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:249 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:257 msgid "Your Details" msgstr "Deine Details" diff --git a/frontend/src/locales/en.po b/frontend/src/locales/en.po index 7890aaec..96a6d384 100644 --- a/frontend/src/locales/en.po +++ b/frontend/src/locales/en.po @@ -437,7 +437,7 @@ msgstr "Amazing, Event, Keywords..." #: src/components/common/OrdersTable/index.tsx:152 #: src/components/forms/TaxAndFeeForm/index.tsx:71 -#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:36 +#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:37 msgid "Amount" msgstr "Amount" @@ -577,7 +577,7 @@ msgstr "Ask once per attendee" msgid "Ask once per order" msgstr "Ask once per order" -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:298 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:306 msgid "Attendee" msgstr "Attendee" @@ -622,7 +622,7 @@ msgstr "Automatically resize the widget height based on the content. When disabl #~ msgid "Availability" #~ msgstr "Availability" -#: src/components/layouts/Checkout/index.tsx:20 +#: src/components/layouts/Checkout/index.tsx:21 msgid "Awaiting Payment" msgstr "Awaiting Payment" @@ -648,6 +648,7 @@ msgstr "Back to all events" #: src/components/routes/ticket-widget/CollectInformation/index.tsx:227 #: src/components/routes/ticket-widget/CollectInformation/index.tsx:239 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:255 msgid "Back to event page" msgstr "Back to event page" @@ -940,7 +941,7 @@ msgstr "Coming Soon" msgid "Comma seperated keywords that describe the event. These will be used by search engines to help categorize and index the event" msgstr "Comma seperated keywords that describe the event. These will be used by search engines to help categorize and index the event" -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:347 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:355 msgid "Complete Order" msgstr "Complete Order" @@ -1042,7 +1043,7 @@ msgstr "Continue set up" msgid "Continue Stripe Connect Setup" msgstr "Continue Stripe Connect Setup" -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:347 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:355 msgid "Continue To Payment" msgstr "Continue To Payment" @@ -1063,7 +1064,7 @@ msgstr "Copy" msgid "Copy Check-In URL" msgstr "Copy Check-In URL" -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:280 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:288 msgid "Copy details to all attendees" msgstr "Copy details to all attendees" @@ -1331,7 +1332,7 @@ msgstr "Description for check-in staff" #~ msgid "Description should be less than 50,000 characters" #~ msgstr "Description should be less than 50,000 characters" -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:298 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:306 msgid "Details" msgstr "Details" @@ -1551,10 +1552,10 @@ msgstr "Email address" #: src/components/common/QuestionsTable/index.tsx:218 #: src/components/common/QuestionsTable/index.tsx:219 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:271 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:272 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:317 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:318 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:279 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:280 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:325 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:326 msgid "Email Address" msgstr "Email Address" @@ -1765,8 +1766,8 @@ msgstr "Fees" #: src/components/common/QuestionsTable/index.tsx:206 #: src/components/modals/CreateAttendeeModal/index.tsx:114 #: src/components/modals/EditAttendeeModal/index.tsx:77 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:257 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:304 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:265 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:312 msgid "First name" msgstr "First name" @@ -1776,8 +1777,8 @@ msgstr "First name" #: src/components/routes/auth/AcceptInvitation/index.tsx:90 #: src/components/routes/auth/Register/index.tsx:64 #: src/components/routes/profile/ManageProfile/index.tsx:135 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:256 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:303 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:264 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:311 msgid "First Name" msgstr "First Name" @@ -1815,7 +1816,7 @@ msgstr "Forgot password?" #: src/components/common/OrderSummary/index.tsx:99 #: src/components/common/TicketsTable/SortableTicket/index.tsx:88 #: src/components/common/TicketsTable/SortableTicket/index.tsx:102 -#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:52 +#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:54 msgid "Free" msgstr "Free" @@ -2185,10 +2186,10 @@ msgstr "Last name" #: src/components/routes/auth/AcceptInvitation/index.tsx:92 #: src/components/routes/auth/Register/index.tsx:70 #: src/components/routes/profile/ManageProfile/index.tsx:137 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:262 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:263 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:309 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:310 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:270 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:271 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:317 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:318 msgid "Last Name" msgstr "Last Name" @@ -2617,11 +2618,11 @@ msgstr "Order" msgid "Order #" msgstr "Order #" -#: src/components/layouts/Checkout/index.tsx:18 +#: src/components/layouts/Checkout/index.tsx:19 msgid "Order Cancelled" msgstr "Order Cancelled" -#: src/components/layouts/Checkout/index.tsx:17 +#: src/components/layouts/Checkout/index.tsx:18 msgid "Order Completed" msgstr "Order Completed" @@ -2774,7 +2775,7 @@ msgstr "patrick@acme.com" msgid "Payment" msgstr "Payment" -#: src/components/layouts/Checkout/index.tsx:19 +#: src/components/layouts/Checkout/index.tsx:20 msgid "Payment Failed" msgstr "Payment Failed" @@ -3486,7 +3487,7 @@ msgstr "Sorry, this order no longer exists." msgid "Sorry, this promo code is not recognized" msgstr "Sorry, this promo code is not recognized" -#: src/components/layouts/Checkout/index.tsx:29 +#: src/components/layouts/Checkout/index.tsx:30 msgid "Sorry, your order has expired. Please start a new order." msgstr "Sorry, your order has expired. Please start a new order." @@ -4271,8 +4272,8 @@ msgid "View attendee" msgstr "View attendee" #: src/components/layouts/Checkout/index.tsx:55 -msgid "View event homepage" -msgstr "View event homepage" +#~ msgid "View event homepage" +#~ msgstr "View event homepage" #: src/components/common/EventCard/index.tsx:145 msgid "View event page" @@ -4608,7 +4609,7 @@ msgstr "Your attendees will appear here once they have registered for your event msgid "Your awesome website 🎉" msgstr "Your awesome website 🎉" -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:249 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:257 msgid "Your Details" msgstr "Your Details" diff --git a/frontend/src/locales/es.po b/frontend/src/locales/es.po index 8bcc4c1a..6c7b18bc 100644 --- a/frontend/src/locales/es.po +++ b/frontend/src/locales/es.po @@ -361,7 +361,7 @@ msgstr "Increíble, evento, palabras clave..." #: src/components/common/OrdersTable/index.tsx:152 #: src/components/forms/TaxAndFeeForm/index.tsx:71 -#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:36 +#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:37 msgid "Amount" msgstr "Cantidad" @@ -485,7 +485,7 @@ msgstr "Preguntar una vez por asistente" msgid "Ask once per order" msgstr "Preguntar una vez por pedido" -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:298 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:306 msgid "Attendee" msgstr "Asistente" @@ -518,7 +518,7 @@ msgstr "Cambio de tamaño automático" msgid "Automatically resize the widget height based on the content. When disabled, the widget will fill the height of the container." msgstr "Cambie automáticamente el tamaño de la altura del widget según el contenido. Cuando está deshabilitado, el widget ocupará la altura del contenedor." -#: src/components/layouts/Checkout/index.tsx:20 +#: src/components/layouts/Checkout/index.tsx:21 msgid "Awaiting Payment" msgstr "En espera de pago" @@ -536,6 +536,7 @@ msgstr "Volver a todos los eventos" #: src/components/routes/ticket-widget/CollectInformation/index.tsx:227 #: src/components/routes/ticket-widget/CollectInformation/index.tsx:239 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:255 msgid "Back to event page" msgstr "Volver a la página del evento" @@ -793,7 +794,7 @@ msgstr "Muy pronto" msgid "Comma seperated keywords that describe the event. These will be used by search engines to help categorize and index the event" msgstr "Palabras clave separadas por comas que describen el evento. Estos serán utilizados por los motores de búsqueda para ayudar a categorizar e indexar el evento." -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:347 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:355 msgid "Complete Order" msgstr "Orden completa" @@ -887,7 +888,7 @@ msgstr "Continuar configurando" msgid "Continue Stripe Connect Setup" msgstr "Continuar con la configuración de Stripe Connect" -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:347 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:355 msgid "Continue To Payment" msgstr "Continuar con el pago" @@ -908,7 +909,7 @@ msgstr "Copiar" msgid "Copy Check-In URL" msgstr "Copiar URL de registro" -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:280 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:288 msgid "Copy details to all attendees" msgstr "Copiar detalles a todos los asistentes." @@ -1140,7 +1141,7 @@ msgstr "Descripción" msgid "Description for check-in staff" msgstr "Descripción para el personal de registro" -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:298 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:306 msgid "Details" msgstr "Detalles" @@ -1336,10 +1337,10 @@ msgstr "Dirección de correo electrónico" #: src/components/common/QuestionsTable/index.tsx:218 #: src/components/common/QuestionsTable/index.tsx:219 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:271 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:272 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:317 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:318 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:279 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:280 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:325 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:326 msgid "Email Address" msgstr "Dirección de correo electrónico" @@ -1534,8 +1535,8 @@ msgstr "Honorarios" #: src/components/common/QuestionsTable/index.tsx:206 #: src/components/modals/CreateAttendeeModal/index.tsx:114 #: src/components/modals/EditAttendeeModal/index.tsx:77 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:257 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:304 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:265 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:312 msgid "First name" msgstr "Nombre de pila" @@ -1545,8 +1546,8 @@ msgstr "Nombre de pila" #: src/components/routes/auth/AcceptInvitation/index.tsx:90 #: src/components/routes/auth/Register/index.tsx:64 #: src/components/routes/profile/ManageProfile/index.tsx:135 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:256 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:303 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:264 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:311 msgid "First Name" msgstr "Nombre de pila" @@ -1580,7 +1581,7 @@ msgstr "¿Has olvidado tu contraseña?" #: src/components/common/OrderSummary/index.tsx:99 #: src/components/common/TicketsTable/SortableTicket/index.tsx:88 #: src/components/common/TicketsTable/SortableTicket/index.tsx:102 -#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:52 +#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:54 msgid "Free" msgstr "Gratis" @@ -1886,10 +1887,10 @@ msgstr "Apellido" #: src/components/routes/auth/AcceptInvitation/index.tsx:92 #: src/components/routes/auth/Register/index.tsx:70 #: src/components/routes/profile/ManageProfile/index.tsx:137 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:262 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:263 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:309 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:310 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:270 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:271 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:317 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:318 msgid "Last Name" msgstr "Apellido" @@ -2261,11 +2262,11 @@ msgstr "Orden" msgid "Order #" msgstr "Orden #" -#: src/components/layouts/Checkout/index.tsx:18 +#: src/components/layouts/Checkout/index.tsx:19 msgid "Order Cancelled" msgstr "Orden cancelada" -#: src/components/layouts/Checkout/index.tsx:17 +#: src/components/layouts/Checkout/index.tsx:18 msgid "Order Completed" msgstr "Pedido completado" @@ -2402,7 +2403,7 @@ msgstr "patrick@acme.com" msgid "Payment" msgstr "Pago" -#: src/components/layouts/Checkout/index.tsx:19 +#: src/components/layouts/Checkout/index.tsx:20 msgid "Payment Failed" msgstr "Pago fallido" @@ -3023,7 +3024,7 @@ msgstr "Lo siento, este pedido ya no existe." msgid "Sorry, this promo code is not recognized" msgstr "Lo sentimos, este código de promoción no se reconoce" -#: src/components/layouts/Checkout/index.tsx:29 +#: src/components/layouts/Checkout/index.tsx:30 msgid "Sorry, your order has expired. Please start a new order." msgstr "Lo sentimos, tu pedido ha caducado. Por favor inicie un nuevo pedido." @@ -3650,8 +3651,8 @@ msgid "View attendee" msgstr "Ver asistente" #: src/components/layouts/Checkout/index.tsx:55 -msgid "View event homepage" -msgstr "Ver página de inicio del evento" +#~ msgid "View event homepage" +#~ msgstr "Ver página de inicio del evento" #: src/components/common/EventCard/index.tsx:145 msgid "View event page" @@ -3939,7 +3940,7 @@ msgstr "Sus asistentes aparecerán aquí una vez que se hayan registrado para su msgid "Your awesome website 🎉" msgstr "Tu increíble sitio web 🎉" -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:249 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:257 msgid "Your Details" msgstr "Tus detalles" diff --git a/frontend/src/locales/fr.po b/frontend/src/locales/fr.po index 2eb9223d..1ddaacf9 100644 --- a/frontend/src/locales/fr.po +++ b/frontend/src/locales/fr.po @@ -361,7 +361,7 @@ msgstr "Incroyable, Événement, Mots-clés..." #: src/components/common/OrdersTable/index.tsx:152 #: src/components/forms/TaxAndFeeForm/index.tsx:71 -#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:36 +#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:37 msgid "Amount" msgstr "Montant" @@ -485,7 +485,7 @@ msgstr "Demander une fois par participant" msgid "Ask once per order" msgstr "Demander une fois par commande" -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:298 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:306 msgid "Attendee" msgstr "Participant" @@ -518,7 +518,7 @@ msgstr "Redimensionnement automatique" msgid "Automatically resize the widget height based on the content. When disabled, the widget will fill the height of the container." msgstr "Redimensionnez automatiquement la hauteur du widget en fonction du contenu. Lorsqu'il est désactivé, le widget remplira la hauteur du conteneur." -#: src/components/layouts/Checkout/index.tsx:20 +#: src/components/layouts/Checkout/index.tsx:21 msgid "Awaiting Payment" msgstr "En attente de paiement" @@ -536,6 +536,7 @@ msgstr "Retour à tous les événements" #: src/components/routes/ticket-widget/CollectInformation/index.tsx:227 #: src/components/routes/ticket-widget/CollectInformation/index.tsx:239 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:255 msgid "Back to event page" msgstr "Retour à la page de l'événement" @@ -793,7 +794,7 @@ msgstr "À venir" msgid "Comma seperated keywords that describe the event. These will be used by search engines to help categorize and index the event" msgstr "Mots-clés séparés par des virgules qui décrivent l'événement. Ceux-ci seront utilisés par les moteurs de recherche pour aider à catégoriser et indexer l'événement." -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:347 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:355 msgid "Complete Order" msgstr "Complétez la commande" @@ -887,7 +888,7 @@ msgstr "Continuer la configuration" msgid "Continue Stripe Connect Setup" msgstr "Continuer la configuration de Stripe Connect" -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:347 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:355 msgid "Continue To Payment" msgstr "Continuer vers le paiement" @@ -908,7 +909,7 @@ msgstr "Copie" msgid "Copy Check-In URL" msgstr "Copier l'URL de pointage" -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:280 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:288 msgid "Copy details to all attendees" msgstr "Copier les détails à tous les participants" @@ -1140,7 +1141,7 @@ msgstr "Description" msgid "Description for check-in staff" msgstr "Description pour le personnel de pointage" -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:298 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:306 msgid "Details" msgstr "Détails" @@ -1336,10 +1337,10 @@ msgstr "Adresse e-mail" #: src/components/common/QuestionsTable/index.tsx:218 #: src/components/common/QuestionsTable/index.tsx:219 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:271 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:272 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:317 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:318 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:279 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:280 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:325 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:326 msgid "Email Address" msgstr "Adresse e-mail" @@ -1534,8 +1535,8 @@ msgstr "Frais" #: src/components/common/QuestionsTable/index.tsx:206 #: src/components/modals/CreateAttendeeModal/index.tsx:114 #: src/components/modals/EditAttendeeModal/index.tsx:77 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:257 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:304 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:265 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:312 msgid "First name" msgstr "Prénom" @@ -1545,8 +1546,8 @@ msgstr "Prénom" #: src/components/routes/auth/AcceptInvitation/index.tsx:90 #: src/components/routes/auth/Register/index.tsx:64 #: src/components/routes/profile/ManageProfile/index.tsx:135 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:256 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:303 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:264 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:311 msgid "First Name" msgstr "Prénom" @@ -1580,7 +1581,7 @@ msgstr "Mot de passe oublié?" #: src/components/common/OrderSummary/index.tsx:99 #: src/components/common/TicketsTable/SortableTicket/index.tsx:88 #: src/components/common/TicketsTable/SortableTicket/index.tsx:102 -#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:52 +#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:54 msgid "Free" msgstr "Gratuit" @@ -1886,10 +1887,10 @@ msgstr "Nom de famille" #: src/components/routes/auth/AcceptInvitation/index.tsx:92 #: src/components/routes/auth/Register/index.tsx:70 #: src/components/routes/profile/ManageProfile/index.tsx:137 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:262 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:263 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:309 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:310 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:270 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:271 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:317 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:318 msgid "Last Name" msgstr "Nom de famille" @@ -2261,11 +2262,11 @@ msgstr "Commande" msgid "Order #" msgstr "Commande #" -#: src/components/layouts/Checkout/index.tsx:18 +#: src/components/layouts/Checkout/index.tsx:19 msgid "Order Cancelled" msgstr "Commande annulée" -#: src/components/layouts/Checkout/index.tsx:17 +#: src/components/layouts/Checkout/index.tsx:18 msgid "Order Completed" msgstr "Commande terminée" @@ -2402,7 +2403,7 @@ msgstr "patrick@acme.com" msgid "Payment" msgstr "Paiement" -#: src/components/layouts/Checkout/index.tsx:19 +#: src/components/layouts/Checkout/index.tsx:20 msgid "Payment Failed" msgstr "Paiement échoué" @@ -3023,7 +3024,7 @@ msgstr "Désolé, cette commande n'existe plus." msgid "Sorry, this promo code is not recognized" msgstr "Désolé, ce code promo n'est pas reconnu" -#: src/components/layouts/Checkout/index.tsx:29 +#: src/components/layouts/Checkout/index.tsx:30 msgid "Sorry, your order has expired. Please start a new order." msgstr "Désolé, votre commande a expiré. Veuillez démarrer une nouvelle commande." @@ -3650,8 +3651,8 @@ msgid "View attendee" msgstr "Afficher le participant" #: src/components/layouts/Checkout/index.tsx:55 -msgid "View event homepage" -msgstr "Afficher la page d'accueil de l'événement" +#~ msgid "View event homepage" +#~ msgstr "Afficher la page d'accueil de l'événement" #: src/components/common/EventCard/index.tsx:145 msgid "View event page" @@ -3939,7 +3940,7 @@ msgstr "Vos participants apparaîtront ici une fois qu’ils se seront inscrits msgid "Your awesome website 🎉" msgstr "Votre superbe site internet 🎉" -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:249 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:257 msgid "Your Details" msgstr "Vos détails" diff --git a/frontend/src/locales/pt-br.po b/frontend/src/locales/pt-br.po index 63bd726a..2fd416d1 100644 --- a/frontend/src/locales/pt-br.po +++ b/frontend/src/locales/pt-br.po @@ -361,7 +361,7 @@ msgstr "Incrível, Evento, Palavras-chave..." #: src/components/common/OrdersTable/index.tsx:152 #: src/components/forms/TaxAndFeeForm/index.tsx:71 -#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:36 +#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:37 msgid "Amount" msgstr "Valor" @@ -485,7 +485,7 @@ msgstr "Pergunte uma vez por participante" msgid "Ask once per order" msgstr "Pergunte uma vez por pedido" -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:298 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:306 msgid "Attendee" msgstr "Participante" @@ -518,7 +518,7 @@ msgstr "Redimensionamento automático" msgid "Automatically resize the widget height based on the content. When disabled, the widget will fill the height of the container." msgstr "Redimensiona automaticamente a altura do widget com base no conteúdo. Quando desativado, o widget preencherá a altura do contêiner." -#: src/components/layouts/Checkout/index.tsx:20 +#: src/components/layouts/Checkout/index.tsx:21 msgid "Awaiting Payment" msgstr "Aguardando pagamento" @@ -536,6 +536,7 @@ msgstr "Voltar para todos os eventos" #: src/components/routes/ticket-widget/CollectInformation/index.tsx:227 #: src/components/routes/ticket-widget/CollectInformation/index.tsx:239 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:255 msgid "Back to event page" msgstr "Voltar à página do evento" @@ -793,7 +794,7 @@ msgstr "Em breve" msgid "Comma seperated keywords that describe the event. These will be used by search engines to help categorize and index the event" msgstr "Palavras-chave separadas por vírgulas que descrevem o evento. Elas serão usadas pelos mecanismos de pesquisa para ajudar a categorizar e indexar o evento" -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:347 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:355 msgid "Complete Order" msgstr "Pedido completo" @@ -887,7 +888,7 @@ msgstr "Continuar a configuração" msgid "Continue Stripe Connect Setup" msgstr "Continuar a configuração do Stripe Connect" -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:347 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:355 msgid "Continue To Payment" msgstr "Continuar para o pagamento" @@ -908,7 +909,7 @@ msgstr "Cópia" msgid "Copy Check-In URL" msgstr "Copiar URL de check-in" -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:280 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:288 msgid "Copy details to all attendees" msgstr "Copie os detalhes para todos os participantes" @@ -1140,7 +1141,7 @@ msgstr "Descrição" msgid "Description for check-in staff" msgstr "Descrição para a equipe de registro" -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:298 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:306 msgid "Details" msgstr "Detalhes" @@ -1336,10 +1337,10 @@ msgstr "Endereço de e-mail" #: src/components/common/QuestionsTable/index.tsx:218 #: src/components/common/QuestionsTable/index.tsx:219 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:271 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:272 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:317 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:318 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:279 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:280 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:325 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:326 msgid "Email Address" msgstr "Endereço de e-mail" @@ -1534,8 +1535,8 @@ msgstr "Tarifas" #: src/components/common/QuestionsTable/index.tsx:206 #: src/components/modals/CreateAttendeeModal/index.tsx:114 #: src/components/modals/EditAttendeeModal/index.tsx:77 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:257 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:304 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:265 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:312 msgid "First name" msgstr "Primeiro nome" @@ -1545,8 +1546,8 @@ msgstr "Primeiro nome" #: src/components/routes/auth/AcceptInvitation/index.tsx:90 #: src/components/routes/auth/Register/index.tsx:64 #: src/components/routes/profile/ManageProfile/index.tsx:135 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:256 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:303 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:264 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:311 msgid "First Name" msgstr "Primeiro nome" @@ -1580,7 +1581,7 @@ msgstr "Esqueceu a senha?" #: src/components/common/OrderSummary/index.tsx:99 #: src/components/common/TicketsTable/SortableTicket/index.tsx:88 #: src/components/common/TicketsTable/SortableTicket/index.tsx:102 -#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:52 +#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:54 msgid "Free" msgstr "Grátis" @@ -1886,10 +1887,10 @@ msgstr "Sobrenome" #: src/components/routes/auth/AcceptInvitation/index.tsx:92 #: src/components/routes/auth/Register/index.tsx:70 #: src/components/routes/profile/ManageProfile/index.tsx:137 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:262 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:263 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:309 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:310 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:270 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:271 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:317 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:318 msgid "Last Name" msgstr "Sobrenome" @@ -2261,11 +2262,11 @@ msgstr "Pedido" msgid "Order #" msgstr "Pedido" -#: src/components/layouts/Checkout/index.tsx:18 +#: src/components/layouts/Checkout/index.tsx:19 msgid "Order Cancelled" msgstr "Pedido cancelado" -#: src/components/layouts/Checkout/index.tsx:17 +#: src/components/layouts/Checkout/index.tsx:18 msgid "Order Completed" msgstr "Pedido concluído" @@ -2402,7 +2403,7 @@ msgstr "patrick@acme.com" msgid "Payment" msgstr "Pagamento" -#: src/components/layouts/Checkout/index.tsx:19 +#: src/components/layouts/Checkout/index.tsx:20 msgid "Payment Failed" msgstr "Falha no pagamento" @@ -3023,7 +3024,7 @@ msgstr "Desculpe, este pedido não existe mais." msgid "Sorry, this promo code is not recognized" msgstr "Desculpe, este código promocional não é reconhecido" -#: src/components/layouts/Checkout/index.tsx:29 +#: src/components/layouts/Checkout/index.tsx:30 msgid "Sorry, your order has expired. Please start a new order." msgstr "Desculpe, seu pedido expirou. Por favor, inicie um novo pedido." @@ -3650,8 +3651,8 @@ msgid "View attendee" msgstr "Ver participante" #: src/components/layouts/Checkout/index.tsx:55 -msgid "View event homepage" -msgstr "Exibir a página inicial do evento" +#~ msgid "View event homepage" +#~ msgstr "Exibir a página inicial do evento" #: src/components/common/EventCard/index.tsx:145 msgid "View event page" @@ -3939,7 +3940,7 @@ msgstr "Os participantes aparecerão aqui assim que se registrarem no evento. Vo msgid "Your awesome website 🎉" msgstr "Seu site é incrível 🎉" -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:249 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:257 msgid "Your Details" msgstr "Seus detalhes" diff --git a/frontend/src/locales/pt.po b/frontend/src/locales/pt.po index b47603d8..82b752a4 100644 --- a/frontend/src/locales/pt.po +++ b/frontend/src/locales/pt.po @@ -361,7 +361,7 @@ msgstr "Incrível, evento, palavras-chave..." #: src/components/common/OrdersTable/index.tsx:152 #: src/components/forms/TaxAndFeeForm/index.tsx:71 -#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:36 +#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:37 msgid "Amount" msgstr "Quantia" @@ -485,7 +485,7 @@ msgstr "Pergunte uma vez por participante" msgid "Ask once per order" msgstr "Pergunte uma vez por pedido" -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:298 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:306 msgid "Attendee" msgstr "Participante" @@ -518,7 +518,7 @@ msgstr "Redimensionamento automático" msgid "Automatically resize the widget height based on the content. When disabled, the widget will fill the height of the container." msgstr "Redimensione automaticamente a altura do widget com base no conteúdo. Quando desativado, o widget preencherá a altura do contêiner." -#: src/components/layouts/Checkout/index.tsx:20 +#: src/components/layouts/Checkout/index.tsx:21 msgid "Awaiting Payment" msgstr "Aguardando Pagamento" @@ -536,6 +536,7 @@ msgstr "Voltar para todos os eventos" #: src/components/routes/ticket-widget/CollectInformation/index.tsx:227 #: src/components/routes/ticket-widget/CollectInformation/index.tsx:239 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:255 msgid "Back to event page" msgstr "Voltar à página do evento" @@ -793,7 +794,7 @@ msgstr "Em breve" msgid "Comma seperated keywords that describe the event. These will be used by search engines to help categorize and index the event" msgstr "Palavras-chave separadas por vírgulas que descrevem o evento. Eles serão usados pelos mecanismos de pesquisa para ajudar a categorizar e indexar o evento" -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:347 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:355 msgid "Complete Order" msgstr "Ordem completa" @@ -887,7 +888,7 @@ msgstr "Continuar a configuração" msgid "Continue Stripe Connect Setup" msgstr "Continuar a configuração do Stripe Connect" -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:347 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:355 msgid "Continue To Payment" msgstr "Continuar para o pagamento" @@ -908,7 +909,7 @@ msgstr "cópia de" msgid "Copy Check-In URL" msgstr "Copiar URL de check-in" -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:280 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:288 msgid "Copy details to all attendees" msgstr "Copiar detalhes para todos os participantes" @@ -1140,7 +1141,7 @@ msgstr "Descrição" msgid "Description for check-in staff" msgstr "Descrição para a equipe de registro" -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:298 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:306 msgid "Details" msgstr "Detalhes" @@ -1336,10 +1337,10 @@ msgstr "Endereço de email" #: src/components/common/QuestionsTable/index.tsx:218 #: src/components/common/QuestionsTable/index.tsx:219 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:271 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:272 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:317 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:318 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:279 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:280 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:325 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:326 msgid "Email Address" msgstr "Endereço de email" @@ -1534,8 +1535,8 @@ msgstr "Tarifas" #: src/components/common/QuestionsTable/index.tsx:206 #: src/components/modals/CreateAttendeeModal/index.tsx:114 #: src/components/modals/EditAttendeeModal/index.tsx:77 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:257 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:304 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:265 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:312 msgid "First name" msgstr "Primeiro nome" @@ -1545,8 +1546,8 @@ msgstr "Primeiro nome" #: src/components/routes/auth/AcceptInvitation/index.tsx:90 #: src/components/routes/auth/Register/index.tsx:64 #: src/components/routes/profile/ManageProfile/index.tsx:135 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:256 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:303 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:264 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:311 msgid "First Name" msgstr "Primeiro nome" @@ -1580,7 +1581,7 @@ msgstr "Esqueceu sua senha?" #: src/components/common/OrderSummary/index.tsx:99 #: src/components/common/TicketsTable/SortableTicket/index.tsx:88 #: src/components/common/TicketsTable/SortableTicket/index.tsx:102 -#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:52 +#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:54 msgid "Free" msgstr "Livre" @@ -1886,10 +1887,10 @@ msgstr "Sobrenome" #: src/components/routes/auth/AcceptInvitation/index.tsx:92 #: src/components/routes/auth/Register/index.tsx:70 #: src/components/routes/profile/ManageProfile/index.tsx:137 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:262 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:263 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:309 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:310 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:270 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:271 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:317 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:318 msgid "Last Name" msgstr "Sobrenome" @@ -2261,11 +2262,11 @@ msgstr "Ordem" msgid "Order #" msgstr "Ordem #" -#: src/components/layouts/Checkout/index.tsx:18 +#: src/components/layouts/Checkout/index.tsx:19 msgid "Order Cancelled" msgstr "Pedido cancelado" -#: src/components/layouts/Checkout/index.tsx:17 +#: src/components/layouts/Checkout/index.tsx:18 msgid "Order Completed" msgstr "Encomenda completa" @@ -2402,7 +2403,7 @@ msgstr "patrick@acme.com" msgid "Payment" msgstr "Pagamento" -#: src/components/layouts/Checkout/index.tsx:19 +#: src/components/layouts/Checkout/index.tsx:20 msgid "Payment Failed" msgstr "Pagamento falhou" @@ -3023,7 +3024,7 @@ msgstr "Desculpe, este pedido não existe mais." msgid "Sorry, this promo code is not recognized" msgstr "Desculpe, este código promocional não é reconhecido" -#: src/components/layouts/Checkout/index.tsx:29 +#: src/components/layouts/Checkout/index.tsx:30 msgid "Sorry, your order has expired. Please start a new order." msgstr "Desculpe, seu pedido expirou. Por favor, inicie um novo pedido." @@ -3650,8 +3651,8 @@ msgid "View attendee" msgstr "Ver participante" #: src/components/layouts/Checkout/index.tsx:55 -msgid "View event homepage" -msgstr "Ver página inicial do evento" +#~ msgid "View event homepage" +#~ msgstr "Ver página inicial do evento" #: src/components/common/EventCard/index.tsx:145 msgid "View event page" @@ -3939,7 +3940,7 @@ msgstr "Seus participantes aparecerão aqui assim que se inscreverem em seu even msgid "Your awesome website 🎉" msgstr "Seu site incrível 🎉" -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:249 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:257 msgid "Your Details" msgstr "Seus detalhes" diff --git a/frontend/src/locales/ru.po b/frontend/src/locales/ru.po index 08f35f95..7ed10e71 100644 --- a/frontend/src/locales/ru.po +++ b/frontend/src/locales/ru.po @@ -437,7 +437,7 @@ msgstr "" #: src/components/common/OrdersTable/index.tsx:152 #: src/components/forms/TaxAndFeeForm/index.tsx:71 -#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:36 +#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:37 msgid "Amount" msgstr "" @@ -577,7 +577,7 @@ msgstr "" msgid "Ask once per order" msgstr "" -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:298 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:306 msgid "Attendee" msgstr "" @@ -622,7 +622,7 @@ msgstr "" #~ msgid "Availability" #~ msgstr "" -#: src/components/layouts/Checkout/index.tsx:20 +#: src/components/layouts/Checkout/index.tsx:21 msgid "Awaiting Payment" msgstr "" @@ -648,6 +648,7 @@ msgstr "" #: src/components/routes/ticket-widget/CollectInformation/index.tsx:227 #: src/components/routes/ticket-widget/CollectInformation/index.tsx:239 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:255 msgid "Back to event page" msgstr "" @@ -940,7 +941,7 @@ msgstr "" msgid "Comma seperated keywords that describe the event. These will be used by search engines to help categorize and index the event" msgstr "" -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:347 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:355 msgid "Complete Order" msgstr "" @@ -1042,7 +1043,7 @@ msgstr "" msgid "Continue Stripe Connect Setup" msgstr "" -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:347 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:355 msgid "Continue To Payment" msgstr "" @@ -1063,7 +1064,7 @@ msgstr "" msgid "Copy Check-In URL" msgstr "" -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:280 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:288 msgid "Copy details to all attendees" msgstr "" @@ -1331,7 +1332,7 @@ msgstr "" #~ msgid "Description should be less than 50,000 characters" #~ msgstr "" -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:298 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:306 msgid "Details" msgstr "" @@ -1551,10 +1552,10 @@ msgstr "" #: src/components/common/QuestionsTable/index.tsx:218 #: src/components/common/QuestionsTable/index.tsx:219 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:271 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:272 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:317 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:318 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:279 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:280 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:325 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:326 msgid "Email Address" msgstr "" @@ -1765,8 +1766,8 @@ msgstr "" #: src/components/common/QuestionsTable/index.tsx:206 #: src/components/modals/CreateAttendeeModal/index.tsx:114 #: src/components/modals/EditAttendeeModal/index.tsx:77 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:257 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:304 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:265 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:312 msgid "First name" msgstr "" @@ -1776,8 +1777,8 @@ msgstr "" #: src/components/routes/auth/AcceptInvitation/index.tsx:90 #: src/components/routes/auth/Register/index.tsx:64 #: src/components/routes/profile/ManageProfile/index.tsx:135 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:256 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:303 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:264 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:311 msgid "First Name" msgstr "" @@ -1815,7 +1816,7 @@ msgstr "" #: src/components/common/OrderSummary/index.tsx:99 #: src/components/common/TicketsTable/SortableTicket/index.tsx:88 #: src/components/common/TicketsTable/SortableTicket/index.tsx:102 -#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:52 +#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:54 msgid "Free" msgstr "" @@ -2185,10 +2186,10 @@ msgstr "" #: src/components/routes/auth/AcceptInvitation/index.tsx:92 #: src/components/routes/auth/Register/index.tsx:70 #: src/components/routes/profile/ManageProfile/index.tsx:137 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:262 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:263 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:309 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:310 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:270 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:271 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:317 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:318 msgid "Last Name" msgstr "" @@ -2615,11 +2616,11 @@ msgstr "" msgid "Order #" msgstr "" -#: src/components/layouts/Checkout/index.tsx:18 +#: src/components/layouts/Checkout/index.tsx:19 msgid "Order Cancelled" msgstr "" -#: src/components/layouts/Checkout/index.tsx:17 +#: src/components/layouts/Checkout/index.tsx:18 msgid "Order Completed" msgstr "" @@ -2772,7 +2773,7 @@ msgstr "" msgid "Payment" msgstr "" -#: src/components/layouts/Checkout/index.tsx:19 +#: src/components/layouts/Checkout/index.tsx:20 msgid "Payment Failed" msgstr "" @@ -3480,7 +3481,7 @@ msgstr "" msgid "Sorry, this promo code is not recognized" msgstr "" -#: src/components/layouts/Checkout/index.tsx:29 +#: src/components/layouts/Checkout/index.tsx:30 msgid "Sorry, your order has expired. Please start a new order." msgstr "" @@ -4260,8 +4261,8 @@ msgid "View attendee" msgstr "" #: src/components/layouts/Checkout/index.tsx:55 -msgid "View event homepage" -msgstr "" +#~ msgid "View event homepage" +#~ msgstr "" #: src/components/common/EventCard/index.tsx:145 msgid "View event page" @@ -4597,7 +4598,7 @@ msgstr "" msgid "Your awesome website 🎉" msgstr "" -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:249 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:257 msgid "Your Details" msgstr "" diff --git a/frontend/src/locales/zh-cn.po b/frontend/src/locales/zh-cn.po index 4f4e92dd..ea60f54e 100644 --- a/frontend/src/locales/zh-cn.po +++ b/frontend/src/locales/zh-cn.po @@ -361,7 +361,7 @@ msgstr "令人惊叹, 活动, 关键词..." #: src/components/common/OrdersTable/index.tsx:152 #: src/components/forms/TaxAndFeeForm/index.tsx:71 -#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:36 +#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:37 msgid "Amount" msgstr "金额" @@ -485,7 +485,7 @@ msgstr "每位与会者提问一次" msgid "Ask once per order" msgstr "每份订单询问一次" -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:298 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:306 msgid "Attendee" msgstr "与会者" @@ -518,7 +518,7 @@ msgstr "自动调整大小" msgid "Automatically resize the widget height based on the content. When disabled, the widget will fill the height of the container." msgstr "根据内容自动调整 widget 高度。禁用时,窗口小部件将填充容器的高度。" -#: src/components/layouts/Checkout/index.tsx:20 +#: src/components/layouts/Checkout/index.tsx:21 msgid "Awaiting Payment" msgstr "等待付款" @@ -536,6 +536,7 @@ msgstr "返回所有活动" #: src/components/routes/ticket-widget/CollectInformation/index.tsx:227 #: src/components/routes/ticket-widget/CollectInformation/index.tsx:239 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:255 msgid "Back to event page" msgstr "返回活动页面" @@ -793,7 +794,7 @@ msgstr "即将推出" msgid "Comma seperated keywords that describe the event. These will be used by search engines to help categorize and index the event" msgstr "以逗号分隔的描述活动的关键字。搜索引擎将使用这些关键字来帮助对活动进行分类和索引" -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:347 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:355 msgid "Complete Order" msgstr "完整订单" @@ -887,7 +888,7 @@ msgstr "继续设置" msgid "Continue Stripe Connect Setup" msgstr "继续 Stripe 连接设置" -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:347 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:355 msgid "Continue To Payment" msgstr "继续付款" @@ -908,7 +909,7 @@ msgstr "复制" msgid "Copy Check-In URL" msgstr "复制签到链接" -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:280 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:288 msgid "Copy details to all attendees" msgstr "将详细信息抄送给所有与会者" @@ -1140,7 +1141,7 @@ msgstr "说明" msgid "Description for check-in staff" msgstr "签到工作人员的描述" -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:298 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:306 msgid "Details" msgstr "详细信息" @@ -1336,10 +1337,10 @@ msgstr "电子邮件地址" #: src/components/common/QuestionsTable/index.tsx:218 #: src/components/common/QuestionsTable/index.tsx:219 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:271 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:272 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:317 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:318 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:279 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:280 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:325 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:326 msgid "Email Address" msgstr "电子邮件地址" @@ -1534,8 +1535,8 @@ msgstr "费用" #: src/components/common/QuestionsTable/index.tsx:206 #: src/components/modals/CreateAttendeeModal/index.tsx:114 #: src/components/modals/EditAttendeeModal/index.tsx:77 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:257 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:304 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:265 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:312 msgid "First name" msgstr "姓名" @@ -1545,8 +1546,8 @@ msgstr "姓名" #: src/components/routes/auth/AcceptInvitation/index.tsx:90 #: src/components/routes/auth/Register/index.tsx:64 #: src/components/routes/profile/ManageProfile/index.tsx:135 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:256 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:303 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:264 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:311 msgid "First Name" msgstr "姓名" @@ -1580,7 +1581,7 @@ msgstr "忘记密码?" #: src/components/common/OrderSummary/index.tsx:99 #: src/components/common/TicketsTable/SortableTicket/index.tsx:88 #: src/components/common/TicketsTable/SortableTicket/index.tsx:102 -#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:52 +#: src/components/routes/ticket-widget/SelectTickets/Prices/Tiered/index.tsx:54 msgid "Free" msgstr "免费" @@ -1886,10 +1887,10 @@ msgstr "姓氏" #: src/components/routes/auth/AcceptInvitation/index.tsx:92 #: src/components/routes/auth/Register/index.tsx:70 #: src/components/routes/profile/ManageProfile/index.tsx:137 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:262 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:263 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:309 -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:310 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:270 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:271 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:317 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:318 msgid "Last Name" msgstr "姓氏" @@ -2261,11 +2262,11 @@ msgstr "订购" msgid "Order #" msgstr "订单号" -#: src/components/layouts/Checkout/index.tsx:18 +#: src/components/layouts/Checkout/index.tsx:19 msgid "Order Cancelled" msgstr "取消订单" -#: src/components/layouts/Checkout/index.tsx:17 +#: src/components/layouts/Checkout/index.tsx:18 msgid "Order Completed" msgstr "订单已完成" @@ -2402,7 +2403,7 @@ msgstr "patrick@acme.com" msgid "Payment" msgstr "付款方式" -#: src/components/layouts/Checkout/index.tsx:19 +#: src/components/layouts/Checkout/index.tsx:20 msgid "Payment Failed" msgstr "付款失败" @@ -3023,7 +3024,7 @@ msgstr "抱歉,此订单不再存在。" msgid "Sorry, this promo code is not recognized" msgstr "对不起,此优惠代码不可用" -#: src/components/layouts/Checkout/index.tsx:29 +#: src/components/layouts/Checkout/index.tsx:30 msgid "Sorry, your order has expired. Please start a new order." msgstr "抱歉,您的订单已过期。请重新订购。" @@ -3650,8 +3651,8 @@ msgid "View attendee" msgstr "查看与会者" #: src/components/layouts/Checkout/index.tsx:55 -msgid "View event homepage" -msgstr "查看活动主页" +#~ msgid "View event homepage" +#~ msgstr "查看活动主页" #: src/components/common/EventCard/index.tsx:145 msgid "View event page" @@ -3939,7 +3940,7 @@ msgstr "与会者注册参加活动后,就会出现在这里。您也可以手 msgid "Your awesome website 🎉" msgstr "您的网站真棒 🎉" -#: src/components/routes/ticket-widget/CollectInformation/index.tsx:249 +#: src/components/routes/ticket-widget/CollectInformation/index.tsx:257 msgid "Your Details" msgstr "您的详细信息" diff --git a/frontend/src/utilites/currency.ts b/frontend/src/utilites/currency.ts index 760b16e2..1f78afe1 100644 --- a/frontend/src/utilites/currency.ts +++ b/frontend/src/utilites/currency.ts @@ -60,7 +60,21 @@ export const getCurrencySymbol = (currencyCode: string): string => { 'DZD': 'د.ج', // Algerian Dinar 'MAD': 'د.م.',// Moroccan Dirham 'IQD': 'ع.د', // Iraqi Dinar + 'ISK': 'kr', // Icelandic Króna + 'LKR': '₨', // Sri Lankan Rupee + 'ETB': 'Br', // Ethiopian Birr + 'BOB': 'Bs.', // Bolivian Boliviano + 'UYU': '$U', // Uruguayan Peso + 'TND': 'د.ت', // Tunisian Dinar + 'JOD': 'د.ا', // Jordanian Dinar + 'OMR': '﷼', // Omani Rial + 'BHD': '.د.ب', // Bahraini Dinar + 'KWD': 'د.ك', // Kuwaiti Dinar + 'LBP': 'ل.ل', // Lebanese Pound + 'XOF': 'CFA', // West African CFA franc + 'XAF': 'FCFA', // Central African CFA franc + 'XPF': '₣', // CFP Franc }; return currencySymbols[currencyCode] || ''; -}; \ No newline at end of file +}; From 43e9f29b1599639e0e5141bc389bae5fe2241705 Mon Sep 17 00:00:00 2001 From: Dave Earley Date: Sun, 22 Sep 2024 16:54:52 -0700 Subject: [PATCH 11/12] remove unused imports --- frontend/src/components/layouts/Checkout/index.tsx | 6 +----- 1 file changed, 1 insertion(+), 5 deletions(-) diff --git a/frontend/src/components/layouts/Checkout/index.tsx b/frontend/src/components/layouts/Checkout/index.tsx index 65e3e9e9..6fd7b351 100644 --- a/frontend/src/components/layouts/Checkout/index.tsx +++ b/frontend/src/components/layouts/Checkout/index.tsx @@ -6,11 +6,7 @@ import {t} from "@lingui/macro"; import {Countdown} from "../../common/Countdown"; import {showSuccess} from "../../../utilites/notifications.tsx"; import {Event, Order} from "../../../types.ts"; -import {IconExternalLink} from "@tabler/icons-react"; -import {Anchor, Group} from "@mantine/core"; import {CheckoutSidebar} from "./CheckoutSidebar"; -import {eventHomepagePath} from "../../../utilites/urlHelper.ts"; -import Truncate from "../../common/Truncate"; const SubTitle = ({order, event}: { order: Order, event: Event }) => { const navigate = useNavigate(); @@ -50,7 +46,7 @@ const Checkout = () => {

- {event?.title} + {event?.title}

{(order && event) ? : ...}
From 7db9dcd9215d028c6139a1a6bc13e03781bca73a Mon Sep 17 00:00:00 2001 From: Dave Earley Date: Sun, 22 Sep 2024 17:15:28 -0700 Subject: [PATCH 12/12] Fix button margin --- .../routes/ticket-widget/CollectInformation/index.tsx | 7 +++++-- 1 file changed, 5 insertions(+), 2 deletions(-) diff --git a/frontend/src/components/routes/ticket-widget/CollectInformation/index.tsx b/frontend/src/components/routes/ticket-widget/CollectInformation/index.tsx index d35a68b3..f80b42ff 100644 --- a/frontend/src/components/routes/ticket-widget/CollectInformation/index.tsx +++ b/frontend/src/components/routes/ticket-widget/CollectInformation/index.tsx @@ -250,10 +250,13 @@ export const CollectInformation = () => { to={eventHomepagePath(event as Event)} variant="transparent" leftSection={} - style={{ padding: 0, marginBottom: 10 }} + size={'sm'} + ml={'-20px'} > {t`Back to event page`} -

+ + +

{t`Your Details`}